diff --git a/machine-learning-ex1/ex1.pdf b/machine-learning-ex1/ex1.pdf new file mode 100644 index 0000000..dda3e96 Binary files /dev/null and b/machine-learning-ex1/ex1.pdf differ diff --git a/machine-learning-ex1/ex1/computeCost.m b/machine-learning-ex1/ex1/computeCost.m new file mode 100644 index 0000000..dd2f3ed --- /dev/null +++ b/machine-learning-ex1/ex1/computeCost.m @@ -0,0 +1,23 @@ +function J = computeCost(X, y, theta) +%COMPUTECOST Compute cost for linear regression +% J = COMPUTECOST(X, y, theta) computes the cost of using theta as the +% parameter for linear regression to fit the data points in X and y + +% Initialize some useful values +m = length(y); % number of training examples + +% You need to return the following variables correctly +J = 0; + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost of a particular choice of theta +% You should set J to the cost. +h = X * theta; +J = h-y; +J = J.^2; +J = sum(J); +J = J / (2*m); + +% ========================================================================= + +end diff --git a/machine-learning-ex1/ex1/computeCostMulti.m b/machine-learning-ex1/ex1/computeCostMulti.m new file mode 100644 index 0000000..21b1ae1 --- /dev/null +++ b/machine-learning-ex1/ex1/computeCostMulti.m @@ -0,0 +1,26 @@ +function J = computeCostMulti(X, y, theta) +%COMPUTECOSTMULTI Compute cost for linear regression with multiple variables +% J = COMPUTECOSTMULTI(X, y, theta) computes the cost of using theta as the +% parameter for linear regression to fit the data points in X and y + +% Initialize some useful values +m = length(y); % number of training examples + +% You need to return the following variables correctly +J = 0; + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost of a particular choice of theta +% You should set J to the cost. +h = X * theta; +J = h-y; +J = J.^2; +J = sum(J); +J = J / (2*m); + + + + +% ========================================================================= + +end diff --git a/machine-learning-ex1/ex1/ex1.m b/machine-learning-ex1/ex1/ex1.m new file mode 100644 index 0000000..ad6a4aa --- /dev/null +++ b/machine-learning-ex1/ex1/ex1.m @@ -0,0 +1,135 @@ +%% Machine Learning Online Class - Exercise 1: Linear Regression + +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% linear exercise. You will need to complete the following functions +% in this exericse: +% +% warmUpExercise.m +% plotData.m +% gradientDescent.m +% computeCost.m +% gradientDescentMulti.m +% computeCostMulti.m +% featureNormalize.m +% normalEqn.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% +% x refers to the population size in 10,000s +% y refers to the profit in $10,000s +% + +%% Initialization +clear ; close all; clc + +%% ==================== Part 1: Basic Function ==================== +% Complete warmUpExercise.m +fprintf('Running warmUpExercise ... \n'); +fprintf('5x5 Identity Matrix: \n'); +warmUpExercise() + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ======================= Part 2: Plotting ======================= +fprintf('Plotting Data ...\n') +data = load('ex1data1.txt'); +X = data(:, 1); y = data(:, 2); +m = length(y); % number of training examples + +% Plot Data +% Note: You have to complete the code in plotData.m +plotData(X, y); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% =================== Part 3: Cost and Gradient descent =================== + +X = [ones(m, 1), data(:,1)]; % Add a column of ones to x +theta = zeros(2, 1); % initialize fitting parameters + +% Some gradient descent settings +iterations = 1500; +alpha = 0.01; + +fprintf('\nTesting the cost function ...\n') +% compute and display initial cost +J = computeCost(X, y, theta); +fprintf('With theta = [0 ; 0]\nCost computed = %f\n', J); +fprintf('Expected cost value (approx) 32.07\n'); + +% further testing of the cost function +J = computeCost(X, y, [-1 ; 2]); +fprintf('\nWith theta = [-1 ; 2]\nCost computed = %f\n', J); +fprintf('Expected cost value (approx) 54.24\n'); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +fprintf('\nRunning Gradient Descent ...\n') +% run gradient descent +theta = gradientDescent(X, y, theta, alpha, iterations); + +% print theta to screen +fprintf('Theta found by gradient descent:\n'); +fprintf('%f\n', theta); +fprintf('Expected theta values (approx)\n'); +fprintf(' -3.6303\n 1.1664\n\n'); + +% Plot the linear fit +hold on; % keep previous plot visible +plot(X(:,2), X*theta, '-') +legend('Training data', 'Linear regression') +hold off % don't overlay any more plots on this figure + +% Predict values for population sizes of 35,000 and 70,000 +predict1 = [1, 3.5] *theta; +fprintf('For population = 35,000, we predict a profit of %f\n',... + predict1*10000); +predict2 = [1, 7] * theta; +fprintf('For population = 70,000, we predict a profit of %f\n',... + predict2*10000); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% ============= Part 4: Visualizing J(theta_0, theta_1) ============= +fprintf('Visualizing J(theta_0, theta_1) ...\n') + +% Grid over which we will calculate J +theta0_vals = linspace(-10, 10, 100); +theta1_vals = linspace(-1, 4, 100); + +% initialize J_vals to a matrix of 0's +J_vals = zeros(length(theta0_vals), length(theta1_vals)); + +% Fill out J_vals +for i = 1:length(theta0_vals) + for j = 1:length(theta1_vals) + t = [theta0_vals(i); theta1_vals(j)]; + J_vals(i,j) = computeCost(X, y, t); + end +end + + +% Because of the way meshgrids work in the surf command, we need to +% transpose J_vals before calling surf, or else the axes will be flipped +J_vals = J_vals'; +% Surface plot +figure; +surf(theta0_vals, theta1_vals, J_vals) +xlabel('\theta_0'); ylabel('\theta_1'); + +% Contour plot +figure; +% Plot J_vals as 15 contours spaced logarithmically between 0.01 and 100 +contour(theta0_vals, theta1_vals, J_vals, logspace(-2, 3, 20)) +xlabel('\theta_0'); ylabel('\theta_1'); +hold on; +plot(theta(1), theta(2), 'rx', 'MarkerSize', 10, 'LineWidth', 2); diff --git a/machine-learning-ex1/ex1/ex1_multi.m b/machine-learning-ex1/ex1/ex1_multi.m new file mode 100644 index 0000000..43c6d7d --- /dev/null +++ b/machine-learning-ex1/ex1/ex1_multi.m @@ -0,0 +1,159 @@ +%% Machine Learning Online Class +% Exercise 1: Linear regression with multiple variables +% +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% linear regression exercise. +% +% You will need to complete the following functions in this +% exericse: +% +% warmUpExercise.m +% plotData.m +% gradientDescent.m +% computeCost.m +% gradientDescentMulti.m +% computeCostMulti.m +% featureNormalize.m +% normalEqn.m +% +% For this part of the exercise, you will need to change some +% parts of the code below for various experiments (e.g., changing +% learning rates). +% + +%% Initialization + +%% ================ Part 1: Feature Normalization ================ + +%% Clear and Close Figures +clear ; close all; clc + +fprintf('Loading data ...\n'); + +%% Load Data +data = load('ex1data2.txt'); +X = data(:, 1:2); +y = data(:, 3); +m = length(y); + +% Print out some data points +fprintf('First 10 examples from the dataset: \n'); +fprintf(' x = [%.0f %.0f], y = %.0f \n', [X(1:10,:) y(1:10,:)]'); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +% Scale features and set them to zero mean +fprintf('Normalizing Features ...\n'); + +[X mu sigma] = featureNormalize(X); + +% Add intercept term to X +X = [ones(m, 1) X]; + + +%% ================ Part 2: Gradient Descent ================ + +% ====================== YOUR CODE HERE ====================== +% Instructions: We have provided you with the following starter +% code that runs gradient descent with a particular +% learning rate (alpha). +% +% Your task is to first make sure that your functions - +% computeCost and gradientDescent already work with +% this starter code and support multiple variables. +% +% After that, try running gradient descent with +% different values of alpha and see which one gives +% you the best result. +% +% Finally, you should complete the code at the end +% to predict the price of a 1650 sq-ft, 3 br house. +% +% Hint: By using the 'hold on' command, you can plot multiple +% graphs on the same figure. +% +% Hint: At prediction, make sure you do the same feature normalization. +% + +fprintf('Running gradient descent ...\n'); + +% Choose some alpha value +alpha = .3; +num_iters = 50; + +% Init Theta and Run Gradient Descent +theta = zeros(3, 1); +[theta, J_history] = gradientDescentMulti(X, y, theta, alpha, num_iters); + +% Plot the convergence graph +figure; +plot(1:numel(J_history), J_history, '-b', 'LineWidth', 2); +xlabel('Number of iterations'); +ylabel('Cost J'); + +% Display gradient descent's result +fprintf('Theta computed from gradient descent: \n'); +fprintf(' %f \n', theta); +fprintf('\n'); + +% Estimate the price of a 1650 sq-ft, 3 br house +% ====================== YOUR CODE HERE ====================== +% Recall that the first column of X is all-ones. Thus, it does +% not need to be normalized. +price = 0; % You should change this + + +% ============================================================ + +fprintf(['Predicted price of a 1650 sq-ft, 3 br house ' ... + '(using gradient descent):\n $%f\n'], price); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% ================ Part 3: Normal Equations ================ + +fprintf('Solving with normal equations...\n'); + +% ====================== YOUR CODE HERE ====================== +% Instructions: The following code computes the closed form +% solution for linear regression using the normal +% equations. You should complete the code in +% normalEqn.m +% +% After doing so, you should complete this code +% to predict the price of a 1650 sq-ft, 3 br house. +% + +%% Load Data +data = csvread('ex1data2.txt'); +X = data(:, 1:2); +y = data(:, 3); +m = length(y); + +% Add intercept term to X +X = [ones(m, 1) X]; + +% Calculate the parameters from the normal equation +theta = normalEqn(X, y); + +% Display normal equation's result +fprintf('Theta computed from the normal equations: \n'); +fprintf(' %f \n', theta); +fprintf('\n'); + + +% Estimate the price of a 1650 sq-ft, 3 br house +% ====================== YOUR CODE HERE ====================== +price = 0; % You should change this + + +% ============================================================ + +fprintf(['Predicted price of a 1650 sq-ft, 3 br house ' ... + '(using normal equations):\n $%f\n'], price); + diff --git a/machine-learning-ex1/ex1/ex1data1.txt b/machine-learning-ex1/ex1/ex1data1.txt new file mode 100644 index 0000000..0f88ccb --- /dev/null +++ b/machine-learning-ex1/ex1/ex1data1.txt @@ -0,0 +1,97 @@ +6.1101,17.592 +5.5277,9.1302 +8.5186,13.662 +7.0032,11.854 +5.8598,6.8233 +8.3829,11.886 +7.4764,4.3483 +8.5781,12 +6.4862,6.5987 +5.0546,3.8166 +5.7107,3.2522 +14.164,15.505 +5.734,3.1551 +8.4084,7.2258 +5.6407,0.71618 +5.3794,3.5129 +6.3654,5.3048 +5.1301,0.56077 +6.4296,3.6518 +7.0708,5.3893 +6.1891,3.1386 +20.27,21.767 +5.4901,4.263 +6.3261,5.1875 +5.5649,3.0825 +18.945,22.638 +12.828,13.501 +10.957,7.0467 +13.176,14.692 +22.203,24.147 +5.2524,-1.22 +6.5894,5.9966 +9.2482,12.134 +5.8918,1.8495 +8.2111,6.5426 +7.9334,4.5623 +8.0959,4.1164 +5.6063,3.3928 +12.836,10.117 +6.3534,5.4974 +5.4069,0.55657 +6.8825,3.9115 +11.708,5.3854 +5.7737,2.4406 +7.8247,6.7318 +7.0931,1.0463 +5.0702,5.1337 +5.8014,1.844 +11.7,8.0043 +5.5416,1.0179 +7.5402,6.7504 +5.3077,1.8396 +7.4239,4.2885 +7.6031,4.9981 +6.3328,1.4233 +6.3589,-1.4211 +6.2742,2.4756 +5.6397,4.6042 +9.3102,3.9624 +9.4536,5.4141 +8.8254,5.1694 +5.1793,-0.74279 +21.279,17.929 +14.908,12.054 +18.959,17.054 +7.2182,4.8852 +8.2951,5.7442 +10.236,7.7754 +5.4994,1.0173 +20.341,20.992 +10.136,6.6799 +7.3345,4.0259 +6.0062,1.2784 +7.2259,3.3411 +5.0269,-2.6807 +6.5479,0.29678 +7.5386,3.8845 +5.0365,5.7014 +10.274,6.7526 +5.1077,2.0576 +5.7292,0.47953 +5.1884,0.20421 +6.3557,0.67861 +9.7687,7.5435 +6.5159,5.3436 +8.5172,4.2415 +9.1802,6.7981 +6.002,0.92695 +5.5204,0.152 +5.0594,2.8214 +5.7077,1.8451 +7.6366,4.2959 +5.8707,7.2029 +5.3054,1.9869 +8.2934,0.14454 +13.394,9.0551 +5.4369,0.61705 diff --git a/machine-learning-ex1/ex1/ex1data2.txt b/machine-learning-ex1/ex1/ex1data2.txt new file mode 100644 index 0000000..79e9a80 --- /dev/null +++ b/machine-learning-ex1/ex1/ex1data2.txt @@ -0,0 +1,47 @@ +2104,3,399900 +1600,3,329900 +2400,3,369000 +1416,2,232000 +3000,4,539900 +1985,4,299900 +1534,3,314900 +1427,3,198999 +1380,3,212000 +1494,3,242500 +1940,4,239999 +2000,3,347000 +1890,3,329999 +4478,5,699900 +1268,3,259900 +2300,4,449900 +1320,2,299900 +1236,3,199900 +2609,4,499998 +3031,4,599000 +1767,3,252900 +1888,2,255000 +1604,3,242900 +1962,4,259900 +3890,3,573900 +1100,3,249900 +1458,3,464500 +2526,3,469000 +2200,3,475000 +2637,3,299900 +1839,2,349900 +1000,1,169900 +2040,4,314900 +3137,3,579900 +1811,4,285900 +1437,3,249900 +1239,3,229900 +2132,4,345000 +4215,4,549000 +2162,4,287000 +1664,2,368500 +2238,3,329900 +2567,4,314000 +1200,3,299000 +852,2,179900 +1852,4,299900 +1203,3,239500 diff --git a/machine-learning-ex1/ex1/featureNormalize.m b/machine-learning-ex1/ex1/featureNormalize.m new file mode 100644 index 0000000..370eaac --- /dev/null +++ b/machine-learning-ex1/ex1/featureNormalize.m @@ -0,0 +1,50 @@ +function [X_norm, mu, sigma] = featureNormalize(X) +%FEATURENORMALIZE Normalizes the features in X +% FEATURENORMALIZE(X) returns a normalized version of X where +% the mean value of each feature is 0 and the standard deviation +% is 1. This is often a good preprocessing step to do when +% working with learning algorithms. + +% You need to set these values correctly +X_norm = X; +mu = zeros(1, size(X, 2)); +sigma = zeros(1, size(X, 2)); +m = size(X,1); +n = size(X,2); + +% ====================== YOUR CODE HERE ====================== +% Instructions: First, for each feature dimension, compute the mean +% of the feature and subtract it from the dataset, +% storing the mean value in mu. Next, compute the +% standard deviation of each feature and divide +% each feature by it's standard deviation, storing +% the standard deviation in sigma. +% +% Note that X is a matrix where each column is a +% feature and each row is an example. You need +% to perform the normalization separately for +% each feature. +% +% Hint: You might find the 'mean' and 'std' functions useful. +% +mu = mean(X); +sigma = std(X); +tempMu = zeros(size(X)); +for i=1:m + tempMu(i,:) = mu; +endfor +X_norm = X_norm - tempMu; +for i=1:n + X_norm(:,i) = X_norm(:,i)/sigma(i); +endfor + + + + + + + + +% ============================================================ + +end diff --git a/machine-learning-ex1/ex1/gradientDescent.m b/machine-learning-ex1/ex1/gradientDescent.m new file mode 100644 index 0000000..8723539 --- /dev/null +++ b/machine-learning-ex1/ex1/gradientDescent.m @@ -0,0 +1,43 @@ +function [theta, J_history] = gradientDescent(X, y, theta, alpha, num_iters) +%GRADIENTDESCENT Performs gradient descent to learn theta +% theta = GRADIENTDESCENT(X, y, theta, alpha, num_iters) updates theta by +% taking num_iters gradient steps with learning rate alpha + +% Initialize some useful values +m = length(y); % number of training examples +n = length(theta); % number of features plus 1 +J_history = zeros(num_iters, 1); + +for iter = 1:num_iters + + % ====================== YOUR CODE HERE ====================== + % Instructions: Perform a single gradient step on the parameter vector + % theta. + % + % Hint: While debugging, it can be useful to print out the values + % of the cost function (computeCost) and gradient here. + % + + tempTheta = theta; + temp = 0; + for j = 1:n + temp = temp + (X*theta-y)'*X(:,j); + temp = temp*alpha; + temp = temp/m; + tempTheta(j) = tempTheta(j) - temp; + temp = 0; + endfor + theta = tempTheta; + + + + + + % ============================================================ + + % Save the cost J in every iteration + J_history(iter) = computeCost(X, y, theta); + +end + +end diff --git a/machine-learning-ex1/ex1/gradientDescentMulti.m b/machine-learning-ex1/ex1/gradientDescentMulti.m new file mode 100644 index 0000000..722d73c --- /dev/null +++ b/machine-learning-ex1/ex1/gradientDescentMulti.m @@ -0,0 +1,45 @@ +function [theta, J_history] = gradientDescentMulti(X, y, theta, alpha, num_iters) +%GRADIENTDESCENTMULTI Performs gradient descent to learn theta +% theta = GRADIENTDESCENTMULTI(x, y, theta, alpha, num_iters) updates theta by +% taking num_iters gradient steps with learning rate alpha + +% Initialize some useful values +m = length(y); % number of training examples +n = length(theta); +J_history = zeros(num_iters, 1); + +for iter = 1:num_iters + + % ====================== YOUR CODE HERE ====================== + % Instructions: Perform a single gradient step on the parameter vector + % theta. + % + % Hint: While debugging, it can be useful to print out the values + % of the cost function (computeCostMulti) and gradient here. + % + + tempTheta = theta; + temp = 0; + for j = 1:n + temp = temp + (X*theta-y)'*X(:,j); + temp = temp*alpha; + temp = temp/m; + tempTheta(j) = tempTheta(j) - temp; + temp = 0; + endfor + theta = tempTheta; + + + + + + + + % ============================================================ + + % Save the cost J in every iteration + J_history(iter) = computeCostMulti(X, y, theta); + +end + +end diff --git a/machine-learning-ex1/ex1/lib/jsonlab/AUTHORS.txt b/machine-learning-ex1/ex1/lib/jsonlab/AUTHORS.txt new file mode 100644 index 0000000..9dd3fc7 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/AUTHORS.txt @@ -0,0 +1,41 @@ +The author of "jsonlab" toolbox is Qianqian Fang. Qianqian +is currently an Assistant Professor at Massachusetts General Hospital, +Harvard Medical School. + +Address: Martinos Center for Biomedical Imaging, + Massachusetts General Hospital, + Harvard Medical School + Bldg 149, 13th St, Charlestown, MA 02129, USA +URL: http://nmr.mgh.harvard.edu/~fangq/ +Email: or + + +The script loadjson.m was built upon previous works by + +- Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 + date: 2009/11/02 +- François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 + date: 2009/03/22 +- Joel Feenstra: http://www.mathworks.com/matlabcentral/fileexchange/20565 + date: 2008/07/03 + + +This toolbox contains patches submitted by the following contributors: + +- Blake Johnson + part of revision 341 + +- Niclas Borlin + various fixes in revision 394, including + - loadjson crashes for all-zero sparse matrix. + - loadjson crashes for empty sparse matrix. + - Non-zero size of 0-by-N and N-by-0 empty matrices is lost after savejson/loadjson. + - loadjson crashes for sparse real column vector. + - loadjson crashes for sparse complex column vector. + - Data is corrupted by savejson for sparse real row vector. + - savejson crashes for sparse complex row vector. + +- Yul Kang + patches for svn revision 415. + - savejson saves an empty cell array as [] instead of null + - loadjson differentiates an empty struct from an empty array diff --git a/machine-learning-ex1/ex1/lib/jsonlab/ChangeLog.txt b/machine-learning-ex1/ex1/lib/jsonlab/ChangeLog.txt new file mode 100644 index 0000000..07824f5 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/ChangeLog.txt @@ -0,0 +1,74 @@ +============================================================================ + + JSONlab - a toolbox to encode/decode JSON/UBJSON files in MATLAB/Octave + +---------------------------------------------------------------------------- + +JSONlab ChangeLog (key features marked by *): + +== JSONlab 1.0 (codename: Optimus - Final), FangQ == + + 2015/01/02 polish help info for all major functions, update examples, finalize 1.0 + 2014/12/19 fix a bug to strictly respect NoRowBracket in savejson + +== JSONlab 1.0.0-RC2 (codename: Optimus - RC2), FangQ == + + 2014/11/22 show progress bar in loadjson ('ShowProgress') + 2014/11/17 add Compact option in savejson to output compact JSON format ('Compact') + 2014/11/17 add FastArrayParser in loadjson to specify fast parser applicable levels + 2014/09/18 start official github mirror: https://github.com/fangq/jsonlab + +== JSONlab 1.0.0-RC1 (codename: Optimus - RC1), FangQ == + + 2014/09/17 fix several compatibility issues when running on octave versions 3.2-3.8 + 2014/09/17 support 2D cell and struct arrays in both savejson and saveubjson + 2014/08/04 escape special characters in a JSON string + 2014/02/16 fix a bug when saving ubjson files + +== JSONlab 0.9.9 (codename: Optimus - beta), FangQ == + + 2014/01/22 use binary read and write in saveubjson and loadubjson + +== JSONlab 0.9.8-1 (codename: Optimus - alpha update 1), FangQ == + + 2013/10/07 better round-trip conservation for empty arrays and structs (patch submitted by Yul Kang) + +== JSONlab 0.9.8 (codename: Optimus - alpha), FangQ == + 2013/08/23 *universal Binary JSON (UBJSON) support, including both saveubjson and loadubjson + +== JSONlab 0.9.1 (codename: Rodimus, update 1), FangQ == + 2012/12/18 *handling of various empty and sparse matrices (fixes submitted by Niclas Borlin) + +== JSONlab 0.9.0 (codename: Rodimus), FangQ == + + 2012/06/17 *new format for an invalid leading char, unpacking hex code in savejson + 2012/06/01 support JSONP in savejson + 2012/05/25 fix the empty cell bug (reported by Cyril Davin) + 2012/04/05 savejson can save to a file (suggested by Patrick Rapin) + +== JSONlab 0.8.1 (codename: Sentiel, Update 1), FangQ == + + 2012/02/28 loadjson quotation mark escape bug, see http://bit.ly/yyk1nS + 2012/01/25 patch to handle root-less objects, contributed by Blake Johnson + +== JSONlab 0.8.0 (codename: Sentiel), FangQ == + + 2012/01/13 *speed up loadjson by 20 fold when parsing large data arrays in matlab + 2012/01/11 remove row bracket if an array has 1 element, suggested by Mykel Kochenderfer + 2011/12/22 *accept sequence of 'param',value input in savejson and loadjson + 2011/11/18 fix struct array bug reported by Mykel Kochenderfer + +== JSONlab 0.5.1 (codename: Nexus Update 1), FangQ == + + 2011/10/21 fix a bug in loadjson, previous code does not use any of the acceleration + 2011/10/20 loadjson supports JSON collections - concatenated JSON objects + +== JSONlab 0.5.0 (codename: Nexus), FangQ == + + 2011/10/16 package and release jsonlab 0.5.0 + 2011/10/15 *add json demo and regression test, support cpx numbers, fix double quote bug + 2011/10/11 *speed up readjson dramatically, interpret _Array* tags, show data in root level + 2011/10/10 create jsonlab project, start jsonlab website, add online documentation + 2011/10/07 *speed up savejson by 25x using sprintf instead of mat2str, add options support + 2011/10/06 *savejson works for structs, cells and arrays + 2011/09/09 derive loadjson from JSON parser from MATLAB Central, draft savejson.m diff --git a/machine-learning-ex1/ex1/lib/jsonlab/LICENSE_BSD.txt b/machine-learning-ex1/ex1/lib/jsonlab/LICENSE_BSD.txt new file mode 100644 index 0000000..32d66cb --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/LICENSE_BSD.txt @@ -0,0 +1,25 @@ +Copyright 2011-2015 Qianqian Fang . All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are +permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, this list of + conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright notice, this list + of conditions and the following disclaimer in the documentation and/or other materials + provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ''AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS +OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR +CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF +ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +The views and conclusions contained in the software and documentation are those of the +authors and should not be interpreted as representing official policies, either expressed +or implied, of the copyright holders. diff --git a/machine-learning-ex1/ex1/lib/jsonlab/README.txt b/machine-learning-ex1/ex1/lib/jsonlab/README.txt new file mode 100644 index 0000000..7b4f732 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/README.txt @@ -0,0 +1,394 @@ +=============================================================================== += JSONLab = += An open-source MATLAB/Octave JSON encoder and decoder = +=============================================================================== + +*Copyright (C) 2011-2015 Qianqian Fang +*License: BSD License, see License_BSD.txt for details +*Version: 1.0 (Optimus - Final) + +------------------------------------------------------------------------------- + +Table of Content: + +I. Introduction +II. Installation +III.Using JSONLab +IV. Known Issues and TODOs +V. Contribution and feedback + +------------------------------------------------------------------------------- + +I. Introduction + +JSON ([http://www.json.org/ JavaScript Object Notation]) is a highly portable, +human-readable and "[http://en.wikipedia.org/wiki/JSON fat-free]" text format +to represent complex and hierarchical data. It is as powerful as +[http://en.wikipedia.org/wiki/XML XML], but less verbose. JSON format is widely +used for data-exchange in applications, and is essential for the wild success +of [http://en.wikipedia.org/wiki/Ajax_(programming) Ajax] and +[http://en.wikipedia.org/wiki/Web_2.0 Web2.0]. + +UBJSON (Universal Binary JSON) is a binary JSON format, specifically +optimized for compact file size and better performance while keeping +the semantics as simple as the text-based JSON format. Using the UBJSON +format allows to wrap complex binary data in a flexible and extensible +structure, making it possible to process complex and large dataset +without accuracy loss due to text conversions. + +We envision that both JSON and its binary version will serve as part of +the mainstream data-exchange formats for scientific research in the future. +It will provide the flexibility and generality achieved by other popular +general-purpose file specifications, such as +[http://www.hdfgroup.org/HDF5/whatishdf5.html HDF5], with significantly +reduced complexity and enhanced performance. + +JSONLab is a free and open-source implementation of a JSON/UBJSON encoder +and a decoder in the native MATLAB language. It can be used to convert a MATLAB +data structure (array, struct, cell, struct array and cell array) into +JSON/UBJSON formatted strings, or to decode a JSON/UBJSON file into MATLAB +data structure. JSONLab supports both MATLAB and +[http://www.gnu.org/software/octave/ GNU Octave] (a free MATLAB clone). + +------------------------------------------------------------------------------- + +II. Installation + +The installation of JSONLab is no different than any other simple +MATLAB toolbox. You only need to download/unzip the JSONLab package +to a folder, and add the folder's path to MATLAB/Octave's path list +by using the following command: + + addpath('/path/to/jsonlab'); + +If you want to add this path permanently, you need to type "pathtool", +browse to the jsonlab root folder and add to the list, then click "Save". +Then, run "rehash" in MATLAB, and type "which loadjson", if you see an +output, that means JSONLab is installed for MATLAB/Octave. + +------------------------------------------------------------------------------- + +III.Using JSONLab + +JSONLab provides two functions, loadjson.m -- a MATLAB->JSON decoder, +and savejson.m -- a MATLAB->JSON encoder, for the text-based JSON, and +two equivallent functions -- loadubjson and saveubjson for the binary +JSON. The detailed help info for the four functions can be found below: + +=== loadjson.m === +
+  data=loadjson(fname,opt)
+     or
+  data=loadjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09, including previous works from 
+ 
+          Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713
+             created on 2009/11/02
+          François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393
+             created on  2009/03/22
+          Joel Feenstra:
+          http://www.mathworks.com/matlabcentral/fileexchange/20565
+             created on 2008/07/03
+ 
+  $Id: loadjson.m 452 2014-11-22 16:43:33Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a JSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.FastArrayParser [1|0 or integer]: if set to 1, use a
+                          speed-optimized array parser when loading an 
+                          array object. The fast array parser may 
+                          collapse block arrays into a single large
+                          array similar to rules defined in cell2mat; 0 to 
+                          use a legacy parser; if set to a larger-than-1
+                          value, this option will specify the minimum
+                          dimension to enable the fast array parser. For
+                          example, if the input is a 3D array, setting
+                          FastArrayParser to 1 will return a 3D array;
+                          setting to 2 will return a cell array of 2D
+                          arrays; setting to 3 will return to a 2D cell
+                          array of 1D vectors; setting to 4 will return a
+                          3D cell array.
+            opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}')
+       dat=loadjson(['examples' filesep 'example1.json'])
+       dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1)
+
+ +=== savejson.m === + +
+  json=savejson(rootname,obj,filename)
+     or
+  json=savejson(rootname,obj,opt)
+  json=savejson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a JSON (JavaScript
+  Object Notation) string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09
+ 
+  $Id: savejson.m 458 2014-12-19 22:17:17Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array).
+       filename: a string for the file name to save the output JSON data.
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.FloatFormat ['%.10g'|string]: format to show each numeric element
+                          of a 1D/2D array;
+         opt.ArrayIndent [1|0]: if 1, output explicit data array with
+                          precedent indentation; if 0, no indentation
+         opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [0|1]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern
+                          to represent +/-Inf. The matched pattern is '([-+]*)Inf'
+                          and $1 represents the sign. For those who want to use
+                          1e999 to represent Inf, they can set opt.Inf to '$11e999'
+         opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern
+                          to represent NaN
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSONP='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+         opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode.
+         opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs)
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a string in the JSON format (see http://json.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       savejson('jmesh',jsonmesh)
+       savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g')
+ 
+ +=== loadubjson.m === + +
+  data=loadubjson(fname,opt)
+     or
+  data=loadubjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/01
+ 
+  $Id: loadubjson.m 436 2014-08-05 20:51:40Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a UBJSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.IntEndian [B|L]: specify the endianness of the integer fields
+                          in the UBJSON input data. B - Big-Endian format for 
+                          integers (as required in the UBJSON specification); 
+                          L - input integer fields are in Little-Endian order.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       obj=struct('string','value','array',[1 2 3]);
+       ubjdata=saveubjson('obj',obj);
+       dat=loadubjson(ubjdata)
+       dat=loadubjson(['examples' filesep 'example1.ubj'])
+       dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1)
+
+ +=== saveubjson.m === + +
+  json=saveubjson(rootname,obj,filename)
+     or
+  json=saveubjson(rootname,obj,opt)
+  json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a Universal 
+  Binary JSON (UBJSON) binary string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/17
+ 
+  $Id: saveubjson.m 440 2014-09-17 19:59:45Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array)
+       filename: a string for the file name to save the output UBJSON data
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [1|0]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSON='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a binary string in the UBJSON format (see http://ubjson.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       saveubjson('jsonmesh',jsonmesh)
+       saveubjson('jsonmesh',jsonmesh,'meshdata.ubj')
+
+ + +=== examples === + +Under the "examples" folder, you can find several scripts to demonstrate the +basic utilities of JSONLab. Running the "demo_jsonlab_basic.m" script, you +will see the conversions from MATLAB data structure to JSON text and backward. +In "jsonlab_selftest.m", we load complex JSON files downloaded from the Internet +and validate the loadjson/savejson functions for regression testing purposes. +Similarly, a "demo_ubjson_basic.m" script is provided to test the saveubjson +and loadubjson pairs for various matlab data structures. + +Please run these examples and understand how JSONLab works before you use +it to process your data. + +------------------------------------------------------------------------------- + +IV. Known Issues and TODOs + +JSONLab has several known limitations. We are striving to make it more general +and robust. Hopefully in a few future releases, the limitations become less. + +Here are the known issues: + +# 3D or higher dimensional cell/struct-arrays will be converted to 2D arrays; +# When processing names containing multi-byte characters, Octave and MATLAB \ +can give different field-names; you can use feature('DefaultCharacterSet','latin1') \ +in MATLAB to get consistant results +# savejson can not handle class and dataset. +# saveubjson converts a logical array into a uint8 ([U]) array +# an unofficial N-D array count syntax is implemented in saveubjson. We are \ +actively communicating with the UBJSON spec maintainer to investigate the \ +possibility of making it upstream +# loadubjson can not parse all UBJSON Specification (Draft 9) compliant \ +files, however, it can parse all UBJSON files produced by saveubjson. + +------------------------------------------------------------------------------- + +V. Contribution and feedback + +JSONLab is an open-source project. This means you can not only use it and modify +it as you wish, but also you can contribute your changes back to JSONLab so +that everyone else can enjoy the improvement. For anyone who want to contribute, +please download JSONLab source code from it's subversion repository by using the +following command: + + svn checkout svn://svn.code.sf.net/p/iso2mesh/code/trunk/jsonlab jsonlab + +You can make changes to the files as needed. Once you are satisfied with your +changes, and ready to share it with others, please cd the root directory of +JSONLab, and type + + svn diff > yourname_featurename.patch + +You then email the .patch file to JSONLab's maintainer, Qianqian Fang, at +the email address shown in the beginning of this file. Qianqian will review +the changes and commit it to the subversion if they are satisfactory. + +We appreciate any suggestions and feedbacks from you. Please use iso2mesh's +mailing list to report any questions you may have with JSONLab: + +http://groups.google.com/group/iso2mesh-users?hl=en&pli=1 + +(Subscription to the mailing list is needed in order to post messages). diff --git a/machine-learning-ex1/ex1/lib/jsonlab/jsonopt.m b/machine-learning-ex1/ex1/lib/jsonlab/jsonopt.m new file mode 100644 index 0000000..0bebd8d --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/jsonopt.m @@ -0,0 +1,32 @@ +function val=jsonopt(key,default,varargin) +% +% val=jsonopt(key,default,optstruct) +% +% setting options based on a struct. The struct can be produced +% by varargin2struct from a list of 'param','value' pairs +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% +% $Id: loadjson.m 371 2012-06-20 12:43:06Z fangq $ +% +% input: +% key: a string with which one look up a value from a struct +% default: if the key does not exist, return default +% optstruct: a struct where each sub-field is a key +% +% output: +% val: if key exists, val=optstruct.key; otherwise val=default +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +val=default; +if(nargin<=2) return; end +opt=varargin{1}; +if(isstruct(opt) && isfield(opt,key)) + val=getfield(opt,key); +end + diff --git a/machine-learning-ex1/ex1/lib/jsonlab/loadjson.m b/machine-learning-ex1/ex1/lib/jsonlab/loadjson.m new file mode 100644 index 0000000..42798c0 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/loadjson.m @@ -0,0 +1,566 @@ +function data = loadjson(fname,varargin) +% +% data=loadjson(fname,opt) +% or +% data=loadjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09, including previous works from +% +% Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 +% created on 2009/11/02 +% François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 +% created on 2009/03/22 +% Joel Feenstra: +% http://www.mathworks.com/matlabcentral/fileexchange/20565 +% created on 2008/07/03 +% +% $Id: loadjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a JSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.FastArrayParser [1|0 or integer]: if set to 1, use a +% speed-optimized array parser when loading an +% array object. The fast array parser may +% collapse block arrays into a single large +% array similar to rules defined in cell2mat; 0 to +% use a legacy parser; if set to a larger-than-1 +% value, this option will specify the minimum +% dimension to enable the fast array parser. For +% example, if the input is a 3D array, setting +% FastArrayParser to 1 will return a 3D array; +% setting to 2 will return a cell array of 2D +% arrays; setting to 3 will return to a 2D cell +% array of 1D vectors; setting to 4 will return a +% 3D cell array. +% opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}') +% dat=loadjson(['examples' filesep 'example1.json']) +% dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); + +if(jsonopt('ShowProgress',0,opt)==1) + opt.progressbar_=waitbar(0,'loading ...'); +end +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end +if(isfield(opt,'progressbar_')) + close(opt.progressbar_); +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=data(j).x0x5F_ArraySize_; + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + if next_char ~= '}' + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + parse_char(':'); + val = parse_value(varargin{:}); + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' + break; + end + parse_char(','); + end + end + parse_char('}'); + +%%------------------------------------------------------------------------- + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim2=[]; + arraydepth=jsonopt('JSONLAB_ArrayDepth_',1,varargin{:}); + pbar=jsonopt('progressbar_',-1,varargin{:}); + + if next_char ~= ']' + if(jsonopt('FastArrayParser',1,varargin{:})>=1 && arraydepth>=jsonopt('FastArrayParser',1,varargin{:})) + [endpos, e1l, e1r, maxlevel]=matching_bracket(inStr,pos); + arraystr=['[' inStr(pos:endpos)]; + arraystr=regexprep(arraystr,'"_NaN_"','NaN'); + arraystr=regexprep(arraystr,'"([-+]*)_Inf_"','$1Inf'); + arraystr(arraystr==sprintf('\n'))=[]; + arraystr(arraystr==sprintf('\r'))=[]; + %arraystr=regexprep(arraystr,'\s*,',','); % this is slow,sometimes needed + if(~isempty(e1l) && ~isempty(e1r)) % the array is in 2D or higher D + astr=inStr((e1l+1):(e1r-1)); + astr=regexprep(astr,'"_NaN_"','NaN'); + astr=regexprep(astr,'"([-+]*)_Inf_"','$1Inf'); + astr(astr==sprintf('\n'))=[]; + astr(astr==sprintf('\r'))=[]; + astr(astr==' ')=''; + if(isempty(find(astr=='[', 1))) % array is 2D + dim2=length(sscanf(astr,'%f,',[1 inf])); + end + else % array is 1D + astr=arraystr(2:end-1); + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',[1,inf]); + if(nextidx>=length(astr)-1) + object=obj; + pos=endpos; + parse_char(']'); + return; + end + end + if(~isempty(dim2)) + astr=arraystr; + astr(astr=='[')=''; + astr(astr==']')=''; + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',inf); + if(nextidx>=length(astr)-1) + object=reshape(obj,dim2,numel(obj)/dim2)'; + pos=endpos; + parse_char(']'); + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end + return; + end + end + arraystr=regexprep(arraystr,'\]\s*,','];'); + else + arraystr='['; + end + try + if(isoct && regexp(arraystr,'"','once')) + error('Octave eval can produce empty cells for JSON-like input'); + end + object=eval(arraystr); + pos=endpos; + catch + while 1 + newopt=varargin2struct(varargin{:},'JSONLAB_ArrayDepth_',arraydepth+1); + val = parse_value(newopt); + object{end+1} = val; + if next_char == ']' + break; + end + parse_char(','); + end + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + parse_char(']'); + + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr len esc index_esc len_esc + % len, ns = length(inStr), keyboard + if inStr(pos) ~= '"' + error_pos('String starting with " expected at position %d'); + else + pos = pos + 1; + end + str = ''; + while pos <= len + while index_esc <= len_esc && esc(index_esc) < pos + index_esc = index_esc + 1; + end + if index_esc > len_esc + str = [str inStr(pos:len)]; + pos = len + 1; + break; + else + str = [str inStr(pos:esc(index_esc)-1)]; + pos = esc(index_esc); + end + nstr = length(str); switch inStr(pos) + case '"' + pos = pos + 1; + if(~isempty(str)) + if(strcmp(str,'_Inf_')) + str=Inf; + elseif(strcmp(str,'-_Inf_')) + str=-Inf; + elseif(strcmp(str,'_NaN_')) + str=NaN; + end + end + return; + case '\' + if pos+1 > len + error_pos('End of file reached right after escape character'); + end + pos = pos + 1; + switch inStr(pos) + case {'"' '\' '/'} + str(nstr+1) = inStr(pos); + pos = pos + 1; + case {'b' 'f' 'n' 'r' 't'} + str(nstr+1) = sprintf(['\' inStr(pos)]); + pos = pos + 1; + case 'u' + if pos+4 > len + error_pos('End of file reached in escaped unicode character'); + end + str(nstr+(1:6)) = inStr(pos-1:pos+4); + pos = pos + 5; + end + otherwise % should never happen + str(nstr+1) = inStr(pos), keyboard + pos = pos + 1; + end + end + error_pos('End of file while expecting end of inStr'); + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct + currstr=inStr(pos:end); + numstr=0; + if(isoct~=0) + numstr=regexp(currstr,'^\s*-?(?:0|[1-9]\d*)(?:\.\d+)?(?:[eE][+\-]?\d+)?','end'); + [num, one] = sscanf(currstr, '%f', 1); + delta=numstr+1; + else + [num, one, err, delta] = sscanf(currstr, '%f', 1); + if ~isempty(err) + error_pos('Error reading number at position %d'); + end + end + pos = pos + delta-1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + pbar=jsonopt('progressbar_',-1,varargin{:}); + if(pbar>0) + waitbar(pos/len,pbar,'loading ...'); + end + + switch(inStr(pos)) + case '"' + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'-','0','1','2','3','4','5','6','7','8','9'} + val = parse_number(varargin{:}); + return; + case 't' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'true') + val = true; + pos = pos + 4; + return; + end + case 'f' + if pos+4 <= len && strcmpi(inStr(pos:pos+4), 'false') + val = false; + pos = pos + 5; + return; + end + case 'n' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'null') + val = []; + pos = pos + 4; + return; + end + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos, e1l, e1r, maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex1/ex1/lib/jsonlab/loadubjson.m b/machine-learning-ex1/ex1/lib/jsonlab/loadubjson.m new file mode 100644 index 0000000..0155115 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/loadubjson.m @@ -0,0 +1,528 @@ +function data = loadubjson(fname,varargin) +% +% data=loadubjson(fname,opt) +% or +% data=loadubjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/01 +% +% $Id: loadubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a UBJSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.IntEndian [B|L]: specify the endianness of the integer fields +% in the UBJSON input data. B - Big-Endian format for +% integers (as required in the UBJSON specification); +% L - input integer fields are in Little-Endian order. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% obj=struct('string','value','array',[1 2 3]); +% ubjdata=saveubjson('obj',obj); +% dat=loadubjson(ubjdata) +% dat=loadubjson(['examples' filesep 'example1.ubj']) +% dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken fileendian systemendian + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); +fileendian=upper(jsonopt('IntEndian','B',opt)); +[os,maxelem,systemendian]=computer; + +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end + + +%% +function newdata=parse_collection(id,data,obj) + +if(jsoncount>0 && exist('data','var')) + if(~iscell(data)) + newdata=cell(1); + newdata{1}=data; + data=newdata; + end +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=double(data(j).x0x5F_ArraySize_); + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); % TODO + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + count=double(parse_number()); + end + if next_char ~= '}' + num=0; + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + %parse_char(':'); + val = parse_value(varargin{:}); + num=num+1; + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' || (count>=0 && num>=count) + break; + end + %parse_char(','); + end + end + if(count==-1) + parse_char('}'); + end + +%%------------------------------------------------------------------------- +function [cid,len]=elem_info(type) +id=strfind('iUIlLdD',type); +dataclass={'int8','uint8','int16','int32','int64','single','double'}; +bytelen=[1,1,2,4,8,4,8]; +if(id>0) + cid=dataclass{id}; + len=bytelen(id); +else + error_pos('unsupported type at position %d'); +end +%%------------------------------------------------------------------------- + + +function [data adv]=parse_block(type,count,varargin) +global pos inStr isoct fileendian systemendian +[cid,len]=elem_info(type); +datastr=inStr(pos:pos+len*count-1); +if(isoct) + newdata=int8(datastr); +else + newdata=uint8(datastr); +end +id=strfind('iUIlLdD',type); +if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,cid)); +end +data=typecast(newdata,cid); +adv=double(len*count); + +%%------------------------------------------------------------------------- + + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim=[]; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + if(next_char=='[') + dim=parse_array(varargin{:}); + count=prod(double(dim)); + else + count=double(parse_number()); + end + end + if(~isempty(type)) + if(count>=0) + [object adv]=parse_block(type,count,varargin{:}); + if(~isempty(dim)) + object=reshape(object,dim); + end + pos=pos+adv; + return; + else + endpos=matching_bracket(inStr,pos); + [cid,len]=elem_info(type); + count=(endpos-pos)/len; + [object adv]=parse_block(type,count,varargin{:}); + pos=pos+adv; + parse_char(']'); + return; + end + end + if next_char ~= ']' + while 1 + val = parse_value(varargin{:}); + object{end+1} = val; + if next_char == ']' + break; + end + %parse_char(','); + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + if(count==-1) + parse_char(']'); + end + +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr esc index_esc len_esc + % len, ns = length(inStr), keyboard + type=inStr(pos); + if type ~= 'S' && type ~= 'C' && type ~= 'H' + error_pos('String starting with S expected at position %d'); + else + pos = pos + 1; + end + if(type == 'C') + str=inStr(pos); + pos=pos+1; + return; + end + bytelen=double(parse_number()); + if(length(inStr)>=pos+bytelen-1) + str=inStr(pos:pos+bytelen-1); + pos=pos+bytelen; + else + error_pos('End of file while expecting end of inStr'); + end + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct fileendian systemendian + id=strfind('iUIlLdD',inStr(pos)); + if(isempty(id)) + error_pos('expecting a number at position %d'); + end + type={'int8','uint8','int16','int32','int64','single','double'}; + bytelen=[1,1,2,4,8,4,8]; + datastr=inStr(pos+1:pos+bytelen(id)); + if(isoct) + newdata=int8(datastr); + else + newdata=uint8(datastr); + end + if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,type{id})); + end + num=typecast(newdata,type{id}); + pos = pos + bytelen(id)+1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + switch(inStr(pos)) + case {'S','C','H'} + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'i','U','I','l','L','d','D'} + val = parse_number(varargin{:}); + return; + case 'T' + val = true; + pos = pos + 1; + return; + case 'F' + val = false; + pos = pos + 1; + return; + case {'Z','N'} + val = []; + pos = pos + 1; + return; + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos e1l e1r maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex1/ex1/lib/jsonlab/mergestruct.m b/machine-learning-ex1/ex1/lib/jsonlab/mergestruct.m new file mode 100644 index 0000000..6de6100 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/mergestruct.m @@ -0,0 +1,33 @@ +function s=mergestruct(s1,s2) +% +% s=mergestruct(s1,s2) +% +% merge two struct objects into one +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% s1,s2: a struct object, s1 and s2 can not be arrays +% +% output: +% s: the merged struct object. fields in s1 and s2 will be combined in s. +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(~isstruct(s1) || ~isstruct(s2)) + error('input parameters contain non-struct'); +end +if(length(s1)>1 || length(s2)>1) + error('can not merge struct arrays'); +end +fn=fieldnames(s2); +s=s1; +for i=1:length(fn) + s=setfield(s,fn{i},getfield(s2,fn{i})); +end + diff --git a/machine-learning-ex1/ex1/lib/jsonlab/savejson.m b/machine-learning-ex1/ex1/lib/jsonlab/savejson.m new file mode 100644 index 0000000..7e84076 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/savejson.m @@ -0,0 +1,475 @@ +function json=savejson(rootname,obj,varargin) +% +% json=savejson(rootname,obj,filename) +% or +% json=savejson(rootname,obj,opt) +% json=savejson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a JSON (JavaScript +% Object Notation) string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09 +% +% $Id: savejson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array). +% filename: a string for the file name to save the output JSON data. +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.FloatFormat ['%.10g'|string]: format to show each numeric element +% of a 1D/2D array; +% opt.ArrayIndent [1|0]: if 1, output explicit data array with +% precedent indentation; if 0, no indentation +% opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [0|1]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern +% to represent +/-Inf. The matched pattern is '([-+]*)Inf' +% and $1 represents the sign. For those who want to use +% 1e999 to represent Inf, they can set opt.Inf to '$11e999' +% opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern +% to represent NaN +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSONP='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode. +% opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs) +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a string in the JSON format (see http://json.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% savejson('jmesh',jsonmesh) +% savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end + +whitespaces=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +if(jsonopt('Compact',0,opt)==1) + whitespaces=struct('tab','','newline','','sep',','); +end +if(~isfield(opt,'whitespaces_')) + opt.whitespaces_=whitespaces; +end + +nl=whitespaces.newline; + +json=obj2json(rootname,obj,rootlevel,opt); +if(rootisarray) + json=sprintf('%s%s',json,nl); +else + json=sprintf('{%s%s%s}\n',nl,json,nl); +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=sprintf('%s(%s);%s',jsonp,json,nl); +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + if(jsonopt('SaveBinary',0,opt)==1) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + else + fid = fopen(opt.FileName, 'wt'); + fwrite(fid,json,'char'); + end + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2json(name,item,level,varargin) + +if(iscell(item)) + txt=cell2json(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2json(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2json(name,item,level,varargin{:}); +else + txt=mat2json(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2json(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=jsonopt('whitespaces_',struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')),varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +nl=ws.newline; +if(len>1) + if(~isempty(name)) + txt=sprintf('%s"%s": [%s',padding0, checkname(name,varargin{:}),nl); name=''; + else + txt=sprintf('%s[%s',padding0,nl); + end +elseif(len==0) + if(~isempty(name)) + txt=sprintf('%s"%s": []',padding0, checkname(name,varargin{:})); name=''; + else + txt=sprintf('%s[]',padding0); + end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + txt=sprintf('%s%s',txt,obj2json(name,item{i,j},level+(dim(1)>1)+1,varargin{:})); + if(i1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=struct2json(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +padding1=repmat(ws.tab,1,level+(dim(1)>1)+(len>1)); +nl=ws.newline; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding0,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding0,nl); end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=sprintf('%s%s"%s": {%s',txt,padding1, checkname(name,varargin{:}),nl); + else + txt=sprintf('%s%s{%s',txt,padding1,nl); + end + if(~isempty(names)) + for e=1:length(names) + txt=sprintf('%s%s',txt,obj2json(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})); + if(e1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=str2json(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding1,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding1,nl); end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + if(isoct) + val=regexprep(item(e,:),'\\','\\'); + val=regexprep(val,'"','\"'); + val=regexprep(val,'^"','\"'); + else + val=regexprep(item(e,:),'\\','\\\\'); + val=regexprep(val,'"','\\"'); + val=regexprep(val,'^"','\\"'); + end + val=escapejsonstring(val); + if(len==1) + obj=['"' checkname(name,varargin{:}) '": ' '"',val,'"']; + if(isempty(name)) obj=['"',val,'"']; end + txt=sprintf('%s%s%s%s',txt,padding1,obj); + else + txt=sprintf('%s%s%s%s',txt,padding0,['"',val,'"']); + end + if(e==len) sep=''; end + txt=sprintf('%s%s',txt,sep); +end +if(len>1) txt=sprintf('%s%s%s%s',txt,nl,padding1,']'); end + +%%------------------------------------------------------------------------- +function txt=mat2json(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) ||jsonopt('ArrayToStruct',0,varargin{:})) + if(isempty(name)) + txt=sprintf('%s{%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + else + txt=sprintf('%s"%s": {%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,checkname(name,varargin{:}),nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + end +else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1 && level>0) + numtxt=regexprep(regexprep(matdata2json(item,level+1,varargin{:}),'^\[',''),']',''); + else + numtxt=matdata2json(item,level+1,varargin{:}); + end + if(isempty(name)) + txt=sprintf('%s%s',padding1,numtxt); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + else + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + end + end + return; +end +dataformat='%s%s%s%s%s'; + +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsSparse_": ','1', sep); + if(size(item,1)==1) + % Row vector, store only column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([iy(:),data'],level+2,varargin{:}), nl); + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,data],level+2,varargin{:}), nl); + else + % General case, store row and column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,iy,data],level+2,varargin{:}), nl); + end +else + if(isreal(item)) + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json(item(:)',level+2,varargin{:}), nl); + else + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([real(item(:)) imag(item(:))],level+2,varargin{:}), nl); + end +end +txt=sprintf('%s%s%s',txt,padding1,'}'); + +%%------------------------------------------------------------------------- +function txt=matdata2json(mat,level,varargin) + +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +tab=ws.tab; +nl=ws.newline; + +if(size(mat,1)==1) + pre=''; + post=''; + level=level-1; +else + pre=sprintf('[%s',nl); + post=sprintf('%s%s]',nl,repmat(tab,1,level-1)); +end + +if(isempty(mat)) + txt='null'; + return; +end +floatformat=jsonopt('FloatFormat','%.10g',varargin{:}); +%if(numel(mat)>1) + formatstr=['[' repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf('],%s',nl)]]; +%else +% formatstr=[repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf(',\n')]]; +%end + +if(nargin>=2 && size(mat,1)>1 && jsonopt('ArrayIndent',1,varargin{:})==1) + formatstr=[repmat(tab,1,level) formatstr]; +end + +txt=sprintf(formatstr,mat'); +txt(end-length(nl):end)=[]; +if(islogical(mat) && jsonopt('ParseLogical',0,varargin{:})==1) + txt=regexprep(txt,'1','true'); + txt=regexprep(txt,'0','false'); +end +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],\n[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +txt=[pre txt post]; +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end + +%%------------------------------------------------------------------------- +function newstr=escapejsonstring(str) +newstr=str; +isoct=exist('OCTAVE_VERSION','builtin'); +if(isoct) + vv=sscanf(OCTAVE_VERSION,'%f'); + if(vv(1)>=3.8) isoct=0; end +end +if(isoct) + escapechars={'\a','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},escapechars{i}); + end +else + escapechars={'\a','\b','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},regexprep(escapechars{i},'\\','\\\\')); + end +end diff --git a/machine-learning-ex1/ex1/lib/jsonlab/saveubjson.m b/machine-learning-ex1/ex1/lib/jsonlab/saveubjson.m new file mode 100644 index 0000000..eaec433 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/saveubjson.m @@ -0,0 +1,504 @@ +function json=saveubjson(rootname,obj,varargin) +% +% json=saveubjson(rootname,obj,filename) +% or +% json=saveubjson(rootname,obj,opt) +% json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a Universal +% Binary JSON (UBJSON) binary string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/17 +% +% $Id: saveubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array) +% filename: a string for the file name to save the output UBJSON data +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [1|0]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSON='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a binary string in the UBJSON format (see http://ubjson.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% saveubjson('jsonmesh',jsonmesh) +% saveubjson('jsonmesh',jsonmesh,'meshdata.ubj') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end +json=obj2ubjson(rootname,obj,rootlevel,opt); +if(~rootisarray) + json=['{' json '}']; +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=[jsonp '(' json ')']; +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2ubjson(name,item,level,varargin) + +if(iscell(item)) + txt=cell2ubjson(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2ubjson(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2ubjson(name,item,level,varargin{:}); +else + txt=mat2ubjson(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2ubjson(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); % let's handle 1D cell first +if(len>1) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) '[']; name=''; + else + txt='['; + end +elseif(len==0) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) 'Z']; name=''; + else + txt='Z'; + end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + txt=[txt obj2ubjson(name,item{i,j},level+(len>1),varargin{:})]; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=struct2ubjson(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=[txt S_(checkname(name,varargin{:})) '{']; + else + txt=[txt '{']; + end + if(~isempty(names)) + for e=1:length(names) + txt=[txt obj2ubjson(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})]; + end + end + txt=[txt '}']; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=str2ubjson(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + val=item(e,:); + if(len==1) + obj=['' S_(checkname(name,varargin{:})) '' '',S_(val),'']; + if(isempty(name)) obj=['',S_(val),'']; end + txt=[txt,'',obj]; + else + txt=[txt,'',['',S_(val),'']]; + end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=mat2ubjson(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) || jsonopt('ArrayToStruct',0,varargin{:})) + cid=I_(uint32(max(size(item)))); + if(isempty(name)) + txt=['{' S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1)) ]; + else + if(isempty(item)) + txt=[S_(checkname(name,varargin{:})),'Z']; + return; + else + txt=[S_(checkname(name,varargin{:})),'{',S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1))]; + end + end +else + if(isempty(name)) + txt=matdata2ubjson(item,level+1,varargin{:}); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + numtxt=regexprep(regexprep(matdata2ubjson(item,level+1,varargin{:}),'^\[',''),']',''); + txt=[S_(checkname(name,varargin{:})) numtxt]; + else + txt=[S_(checkname(name,varargin{:})),matdata2ubjson(item,level+1,varargin{:})]; + end + end + return; +end +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=[txt,S_('_ArrayIsComplex_'),'T']; + end + txt=[txt,S_('_ArrayIsSparse_'),'T']; + if(size(item,1)==1) + % Row vector, store only column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([iy(:),data'],level+2,varargin{:})]; + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,data],level+2,varargin{:})]; + else + % General case, store row and column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,iy,data],level+2,varargin{:})]; + end +else + if(isreal(item)) + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson(item(:)',level+2,varargin{:})]; + else + txt=[txt,S_('_ArrayIsComplex_'),'T']; + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([real(item(:)) imag(item(:))],level+2,varargin{:})]; + end +end +txt=[txt,'}']; + +%%------------------------------------------------------------------------- +function txt=matdata2ubjson(mat,level,varargin) +if(isempty(mat)) + txt='Z'; + return; +end +if(size(mat,1)==1) + level=level-1; +end +type=''; +hasnegtive=(mat<0); +if(isa(mat,'integer') || isinteger(mat) || (isfloat(mat) && all(mod(mat(:),1) == 0))) + if(isempty(hasnegtive)) + if(max(mat(:))<=2^8) + type='U'; + end + end + if(isempty(type)) + % todo - need to consider negative ones separately + id= histc(abs(max(mat(:))),[0 2^7 2^15 2^31 2^63]); + if(isempty(find(id))) + error('high-precision data is not yet supported'); + end + key='iIlL'; + type=key(find(id)); + end + txt=[I_a(mat(:),type,size(mat))]; +elseif(islogical(mat)) + logicalval='FT'; + if(numel(mat)==1) + txt=logicalval(mat+1); + else + txt=['[$U#' I_a(size(mat),'l') typecast(swapbytes(uint8(mat(:)')),'uint8')]; + end +else + if(numel(mat)==1) + txt=['[' D_(mat) ']']; + else + txt=D_a(mat(:),'D',size(mat)); + end +end + +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end +%%------------------------------------------------------------------------- +function val=S_(str) +if(length(str)==1) + val=['C' str]; +else + val=['S' I_(int32(length(str))) str]; +end +%%------------------------------------------------------------------------- +function val=I_(num) +if(~isinteger(num)) + error('input is not an integer'); +end +if(num>=0 && num<255) + val=['U' data2byte(swapbytes(cast(num,'uint8')),'uint8')]; + return; +end +key='iIlL'; +cid={'int8','int16','int32','int64'}; +for i=1:4 + if((num>0 && num<2^(i*8-1)) || (num<0 && num>=-2^(i*8-1))) + val=[key(i) data2byte(swapbytes(cast(num,cid{i})),'uint8')]; + return; + end +end +error('unsupported integer'); + +%%------------------------------------------------------------------------- +function val=D_(num) +if(~isfloat(num)) + error('input is not a float'); +end + +if(isa(num,'single')) + val=['d' data2byte(num,'uint8')]; +else + val=['D' data2byte(num,'uint8')]; +end +%%------------------------------------------------------------------------- +function data=I_a(num,type,dim,format) +id=find(ismember('iUIlL',type)); + +if(id==0) + error('unsupported integer array'); +end + +% based on UBJSON specs, all integer types are stored in big endian format + +if(id==1) + data=data2byte(swapbytes(int8(num)),'uint8'); + blen=1; +elseif(id==2) + data=data2byte(swapbytes(uint8(num)),'uint8'); + blen=1; +elseif(id==3) + data=data2byte(swapbytes(int16(num)),'uint8'); + blen=2; +elseif(id==4) + data=data2byte(swapbytes(int32(num)),'uint8'); + blen=4; +elseif(id==5) + data=data2byte(swapbytes(int64(num)),'uint8'); + blen=8; +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/blen)) data(:)']; + end + data=['[' data(:)']; +else + data=reshape(data,blen,numel(data)/blen); + data(2:blen+1,:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function data=D_a(num,type,dim,format) +id=find(ismember('dD',type)); + +if(id==0) + error('unsupported float array'); +end + +if(id==1) + data=data2byte(single(num),'uint8'); +elseif(id==2) + data=data2byte(double(num),'uint8'); +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/(id*4))) data(:)']; + end + data=['[' data]; +else + data=reshape(data,(id*4),length(data)/(id*4)); + data(2:(id*4+1),:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function bytes=data2byte(varargin) +bytes=typecast(varargin{:}); +bytes=bytes(:)'; diff --git a/machine-learning-ex1/ex1/lib/jsonlab/varargin2struct.m b/machine-learning-ex1/ex1/lib/jsonlab/varargin2struct.m new file mode 100644 index 0000000..9a5c2b6 --- /dev/null +++ b/machine-learning-ex1/ex1/lib/jsonlab/varargin2struct.m @@ -0,0 +1,40 @@ +function opt=varargin2struct(varargin) +% +% opt=varargin2struct('param1',value1,'param2',value2,...) +% or +% opt=varargin2struct(...,optstruct,...) +% +% convert a series of input parameters into a structure +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% 'param', value: the input parameters should be pairs of a string and a value +% optstruct: if a parameter is a struct, the fields will be merged to the output struct +% +% output: +% opt: a struct where opt.param1=value1, opt.param2=value2 ... +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +len=length(varargin); +opt=struct; +if(len==0) return; end +i=1; +while(i<=len) + if(isstruct(varargin{i})) + opt=mergestruct(opt,varargin{i}); + elseif(ischar(varargin{i}) && i 0 && resp(1) == '{'; + isHtml = findstr(lower(resp), ']+>', ' '); + strippedResponse = regexprep(strippedResponse, '[\t ]+', ' '); + fprintf(strippedResponse); +end + + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +% +% Service configuration +% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +function submissionUrl = submissionUrl() + submissionUrl = 'https://www-origin.coursera.org/api/onDemandProgrammingImmediateFormSubmissions.v1'; +end diff --git a/machine-learning-ex1/ex1/normalEqn.m b/machine-learning-ex1/ex1/normalEqn.m new file mode 100644 index 0000000..d68f446 --- /dev/null +++ b/machine-learning-ex1/ex1/normalEqn.m @@ -0,0 +1,23 @@ +function [theta] = normalEqn(X, y) +%NORMALEQN Computes the closed-form solution to linear regression +% NORMALEQN(X,y) computes the closed-form solution to linear +% regression using the normal equations. + +theta = zeros(size(X, 2), 1); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Complete the code to compute the closed form solution +% to linear regression and put the result in theta. +% + +% ---------------------- Sample Solution ---------------------- +theta = inv(X'*X)*X'*y; + + + +% ------------------------------------------------------------- + + +% ============================================================ + +end diff --git a/machine-learning-ex1/ex1/plotData.m b/machine-learning-ex1/ex1/plotData.m new file mode 100644 index 0000000..dbab3da --- /dev/null +++ b/machine-learning-ex1/ex1/plotData.m @@ -0,0 +1,28 @@ +function plotData(x, y) +%PLOTDATA Plots the data points x and y into a new figure +% PLOTDATA(x,y) plots the data points and gives the figure axes labels of +% population and profit. + +figure; % open a new figure window + +% ====================== YOUR CODE HERE ====================== +% Instructions: Plot the training data into a figure using the +% "figure" and "plot" commands. Set the axes labels using +% the "xlabel" and "ylabel" commands. Assume the +% population and revenue data have been passed in +% as the x and y arguments of this function. +% +% Hint: You can use the 'rx' option with plot to have the markers +% appear as red crosses. Furthermore, you can make the +% markers larger by using plot(..., 'rx', 'MarkerSize', 10); + +plot(x, y, 'rx', 'markersize', 10); # Plot the data +ylabel('Profit in $10,000s'); # Label y-axis +xlabel('Population of City in 10,000s'); # Label x-axis + + + + +% ============================================================ + +end diff --git a/machine-learning-ex1/ex1/submit.m b/machine-learning-ex1/ex1/submit.m new file mode 100644 index 0000000..aeddd0b --- /dev/null +++ b/machine-learning-ex1/ex1/submit.m @@ -0,0 +1,69 @@ +function submit() + addpath('./lib'); + + conf.assignmentSlug = 'linear-regression'; + conf.itemName = 'Linear Regression with Multiple Variables'; + conf.partArrays = { ... + { ... + '1', ... + { 'warmUpExercise.m' }, ... + 'Warm-up Exercise', ... + }, ... + { ... + '2', ... + { 'computeCost.m' }, ... + 'Computing Cost (for One Variable)', ... + }, ... + { ... + '3', ... + { 'gradientDescent.m' }, ... + 'Gradient Descent (for One Variable)', ... + }, ... + { ... + '4', ... + { 'featureNormalize.m' }, ... + 'Feature Normalization', ... + }, ... + { ... + '5', ... + { 'computeCostMulti.m' }, ... + 'Computing Cost (for Multiple Variables)', ... + }, ... + { ... + '6', ... + { 'gradientDescentMulti.m' }, ... + 'Gradient Descent (for Multiple Variables)', ... + }, ... + { ... + '7', ... + { 'normalEqn.m' }, ... + 'Normal Equations', ... + }, ... + }; + conf.output = @output; + + submitWithConfiguration(conf); +end + +function out = output(partId) + % Random Test Cases + X1 = [ones(20,1) (exp(1) + exp(2) * (0.1:0.1:2))']; + Y1 = X1(:,2) + sin(X1(:,1)) + cos(X1(:,2)); + X2 = [X1 X1(:,2).^0.5 X1(:,2).^0.25]; + Y2 = Y1.^0.5 + Y1; + if partId == '1' + out = sprintf('%0.5f ', warmUpExercise()); + elseif partId == '2' + out = sprintf('%0.5f ', computeCost(X1, Y1, [0.5 -0.5]')); + elseif partId == '3' + out = sprintf('%0.5f ', gradientDescent(X1, Y1, [0.5 -0.5]', 0.01, 10)); + elseif partId == '4' + out = sprintf('%0.5f ', featureNormalize(X2(:,2:4))); + elseif partId == '5' + out = sprintf('%0.5f ', computeCostMulti(X2, Y2, [0.1 0.2 0.3 0.4]')); + elseif partId == '6' + out = sprintf('%0.5f ', gradientDescentMulti(X2, Y2, [-0.1 -0.2 -0.3 -0.4]', 0.01, 10)); + elseif partId == '7' + out = sprintf('%0.5f ', normalEqn(X2, Y2)); + end +end diff --git a/machine-learning-ex1/ex1/token.mat b/machine-learning-ex1/ex1/token.mat new file mode 100644 index 0000000..6a879ca --- /dev/null +++ b/machine-learning-ex1/ex1/token.mat @@ -0,0 +1,15 @@ +# Created by Octave 4.4.1, Sun Aug 11 21:41:32 2019 GMT +# name: email +# type: sq_string +# elements: 1 +# length: 17 +tsb1995@gmail.com + + +# name: token +# type: sq_string +# elements: 1 +# length: 16 +F1n31VQPbofugvf0 + + diff --git a/machine-learning-ex1/ex1/warmUpExercise.m b/machine-learning-ex1/ex1/warmUpExercise.m new file mode 100644 index 0000000..367c9f5 --- /dev/null +++ b/machine-learning-ex1/ex1/warmUpExercise.m @@ -0,0 +1,21 @@ +function A = warmUpExercise() +%WARMUPEXERCISE Example function in octave +% A = WARMUPEXERCISE() is an example function that returns the 5x5 identity matrix + +A = []; +% ============= YOUR CODE HERE ============== +% Instructions: Return the 5x5 identity matrix +% In octave, we return values by defining which variables +% represent the return values (at the top of the file) +% and then set them accordingly. + + +A = eye(5); + + + + +% =========================================== + + +end diff --git a/machine-learning-ex2/ex2.pdf b/machine-learning-ex2/ex2.pdf new file mode 100644 index 0000000..39c31da Binary files /dev/null and b/machine-learning-ex2/ex2.pdf differ diff --git a/machine-learning-ex2/ex2/costFunction.m b/machine-learning-ex2/ex2/costFunction.m new file mode 100644 index 0000000..547cf3f --- /dev/null +++ b/machine-learning-ex2/ex2/costFunction.m @@ -0,0 +1,34 @@ +function [J, grad] = costFunction(theta, X, y) +%COSTFUNCTION Compute cost and gradient for logistic regression +% J = COSTFUNCTION(theta, X, y) computes the cost of using theta as the +% parameter for logistic regression and the gradient of the cost +% w.r.t. to the parameters. + +% Initialize some useful values +m = length(y); % number of training examples + +% You need to return the following variables correctly +J = 0; +grad = zeros(size(theta)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost of a particular choice of theta. +% You should set J to the cost. +% Compute the partial derivatives and set grad to the partial +% derivatives of the cost w.r.t. each parameter in theta +% +% Note: grad should have the same dimensions as theta +% + +h = sigmoid(X*theta); +J = (1/m)*(-y'*log(h)-(1-y)'*log(1-h)); +grad = (1/m)*X'*(sigmoid(X*theta)-y); + + + + + + +% ============================================================= + +end diff --git a/machine-learning-ex2/ex2/costFunctionReg.m b/machine-learning-ex2/ex2/costFunctionReg.m new file mode 100644 index 0000000..4f52572 --- /dev/null +++ b/machine-learning-ex2/ex2/costFunctionReg.m @@ -0,0 +1,35 @@ +function [J, grad] = costFunctionReg(theta, X, y, lambda) +%COSTFUNCTIONREG Compute cost and gradient for logistic regression with regularization +% J = COSTFUNCTIONREG(theta, X, y, lambda) computes the cost of using +% theta as the parameter for regularized logistic regression and the +% gradient of the cost w.r.t. to the parameters. + +% Initialize some useful values +m = length(y); % number of training examples +n = length(theta); + +% You need to return the following variables correctly +J = 0; +grad = zeros(size(theta)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost of a particular choice of theta. +% You should set J to the cost. +% Compute the partial derivatives and set grad to the partial +% derivatives of the cost w.r.t. each parameter in theta +tempTheta = theta(1); +h = sigmoid(X*theta); +theta(1) = 0; +J = (1/m)*(-y'*log(h)-(1-y)'*log(1-h)); +J = J + (lambda/(2*m))*sum(theta.^2); +theta(1) = tempTheta; +grad = (1/m)*X'*(sigmoid(X*theta)-y); +for i=2:n + grad(i) = grad(i) + (lambda/m)*theta(i); +endfor + + + +% ============================================================= + +end diff --git a/machine-learning-ex2/ex2/ex2.m b/machine-learning-ex2/ex2/ex2.m new file mode 100644 index 0000000..103fe11 --- /dev/null +++ b/machine-learning-ex2/ex2/ex2.m @@ -0,0 +1,151 @@ +%% Machine Learning Online Class - Exercise 2: Logistic Regression +% +% Instructions +% ------------ +% +% This file contains code that helps you get started on the logistic +% regression exercise. You will need to complete the following functions +% in this exericse: +% +% sigmoid.m +% costFunction.m +% predict.m +% costFunctionReg.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% Load Data +% The first two columns contains the exam scores and the third column +% contains the label. + +data = load('ex2data1.txt'); +X = data(:, [1, 2]); y = data(:, 3); + +%% ==================== Part 1: Plotting ==================== +% We start the exercise by first plotting the data to understand the +% the problem we are working with. + +fprintf(['Plotting data with + indicating (y = 1) examples and o ' ... + 'indicating (y = 0) examples.\n']); + +plotData(X, y); + +% Put some labels +hold on; +% Labels and Legend +xlabel('Exam 1 score') +ylabel('Exam 2 score') + +% Specified in plot order +legend('Admitted', 'Not admitted') +hold off; + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + + +%% ============ Part 2: Compute Cost and Gradient ============ +% In this part of the exercise, you will implement the cost and gradient +% for logistic regression. You neeed to complete the code in +% costFunction.m + +% Setup the data matrix appropriately, and add ones for the intercept term +[m, n] = size(X); + +% Add intercept term to x and X_test +X = [ones(m, 1) X]; + +% Initialize fitting parameters +initial_theta = zeros(n + 1, 1); + +% Compute and display initial cost and gradient +[cost, grad] = costFunction(initial_theta, X, y); + +fprintf('Cost at initial theta (zeros): %f\n', cost); +fprintf('Expected cost (approx): 0.693\n'); +fprintf('Gradient at initial theta (zeros): \n'); +fprintf(' %f \n', grad); +fprintf('Expected gradients (approx):\n -0.1000\n -12.0092\n -11.2628\n'); + +% Compute and display cost and gradient with non-zero theta +test_theta = [-24; 0.2; 0.2]; +[cost, grad] = costFunction(test_theta, X, y); + +fprintf('\nCost at test theta: %f\n', cost); +fprintf('Expected cost (approx): 0.218\n'); +fprintf('Gradient at test theta: \n'); +fprintf(' %f \n', grad); +fprintf('Expected gradients (approx):\n 0.043\n 2.566\n 2.647\n'); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + + +%% ============= Part 3: Optimizing using fminunc ============= +% In this exercise, you will use a built-in function (fminunc) to find the +% optimal parameters theta. + +% Set options for fminunc +options = optimset('GradObj', 'on', 'MaxIter', 400); + +% Run fminunc to obtain the optimal theta +% This function will return theta and the cost +[theta, cost] = ... + fminunc(@(t)(costFunction(t, X, y)), initial_theta, options); + +% Print theta to screen +fprintf('Cost at theta found by fminunc: %f\n', cost); +fprintf('Expected cost (approx): 0.203\n'); +fprintf('theta: \n'); +fprintf(' %f \n', theta); +fprintf('Expected theta (approx):\n'); +fprintf(' -25.161\n 0.206\n 0.201\n'); + +% Plot Boundary +plotDecisionBoundary(theta, X, y); + +% Put some labels +hold on; +% Labels and Legend +xlabel('Exam 1 score') +ylabel('Exam 2 score') + +% Specified in plot order +legend('Admitted', 'Not admitted') +hold off; + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + +%% ============== Part 4: Predict and Accuracies ============== +% After learning the parameters, you'll like to use it to predict the outcomes +% on unseen data. In this part, you will use the logistic regression model +% to predict the probability that a student with score 45 on exam 1 and +% score 85 on exam 2 will be admitted. +% +% Furthermore, you will compute the training and test set accuracies of +% our model. +% +% Your task is to complete the code in predict.m + +% Predict probability for a student with score 45 on exam 1 +% and score 85 on exam 2 + +prob = sigmoid([1 45 85] * theta); +fprintf(['For a student with scores 45 and 85, we predict an admission ' ... + 'probability of %f\n'], prob); +fprintf('Expected value: 0.775 +/- 0.002\n\n'); + +% Compute accuracy on our training set +p = predict(theta, X); + +fprintf('Train Accuracy: %f\n', mean(double(p == y)) * 100); +fprintf('Expected accuracy (approx): 89.0\n'); +fprintf('\n'); + + diff --git a/machine-learning-ex2/ex2/ex2_reg.m b/machine-learning-ex2/ex2/ex2_reg.m new file mode 100644 index 0000000..f363318 --- /dev/null +++ b/machine-learning-ex2/ex2/ex2_reg.m @@ -0,0 +1,136 @@ +%% Machine Learning Online Class - Exercise 2: Logistic Regression +% +% Instructions +% ------------ +% +% This file contains code that helps you get started on the second part +% of the exercise which covers regularization with logistic regression. +% +% You will need to complete the following functions in this exericse: +% +% sigmoid.m +% costFunction.m +% predict.m +% costFunctionReg.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% Load Data +% The first two columns contains the X values and the third column +% contains the label (y). + +data = load('ex2data2.txt'); +X = data(:, [1, 2]); y = data(:, 3); + +plotData(X, y); + +% Put some labels +hold on; + +% Labels and Legend +xlabel('Microchip Test 1') +ylabel('Microchip Test 2') + +% Specified in plot order +legend('y = 1', 'y = 0') +hold off; + + +%% =========== Part 1: Regularized Logistic Regression ============ +% In this part, you are given a dataset with data points that are not +% linearly separable. However, you would still like to use logistic +% regression to classify the data points. +% +% To do so, you introduce more features to use -- in particular, you add +% polynomial features to our data matrix (similar to polynomial +% regression). +% + +% Add Polynomial Features + +% Note that mapFeature also adds a column of ones for us, so the intercept +% term is handled +X = mapFeature(X(:,1), X(:,2)); + +% Initialize fitting parameters +initial_theta = zeros(size(X, 2), 1); + +% Set regularization parameter lambda to 1 +lambda = 1; + +% Compute and display initial cost and gradient for regularized logistic +% regression +[cost, grad] = costFunctionReg(initial_theta, X, y, lambda); + +fprintf('Cost at initial theta (zeros): %f\n', cost); +fprintf('Expected cost (approx): 0.693\n'); +fprintf('Gradient at initial theta (zeros) - first five values only:\n'); +fprintf(' %f \n', grad(1:5)); +fprintf('Expected gradients (approx) - first five values only:\n'); +fprintf(' 0.0085\n 0.0188\n 0.0001\n 0.0503\n 0.0115\n'); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + +% Compute and display cost and gradient +% with all-ones theta and lambda = 10 +test_theta = ones(size(X,2),1); +[cost, grad] = costFunctionReg(test_theta, X, y, 10); + +fprintf('\nCost at test theta (with lambda = 10): %f\n', cost); +fprintf('Expected cost (approx): 3.16\n'); +fprintf('Gradient at test theta - first five values only:\n'); +fprintf(' %f \n', grad(1:5)); +fprintf('Expected gradients (approx) - first five values only:\n'); +fprintf(' 0.3460\n 0.1614\n 0.1948\n 0.2269\n 0.0922\n'); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + +%% ============= Part 2: Regularization and Accuracies ============= +% Optional Exercise: +% In this part, you will get to try different values of lambda and +% see how regularization affects the decision coundart +% +% Try the following values of lambda (0, 1, 10, 100). +% +% How does the decision boundary change when you vary lambda? How does +% the training set accuracy vary? +% + +% Initialize fitting parameters +initial_theta = zeros(size(X, 2), 1); + +% Set regularization parameter lambda to 1 (you should vary this) +lambda = 1; + +% Set Options +options = optimset('GradObj', 'on', 'MaxIter', 400); + +% Optimize +[theta, J, exit_flag] = ... + fminunc(@(t)(costFunctionReg(t, X, y, lambda)), initial_theta, options); + +% Plot Boundary +plotDecisionBoundary(theta, X, y); +hold on; +title(sprintf('lambda = %g', lambda)) + +% Labels and Legend +xlabel('Microchip Test 1') +ylabel('Microchip Test 2') + +legend('y = 1', 'y = 0', 'Decision boundary') +hold off; + +% Compute accuracy on our training set +p = predict(theta, X); + +fprintf('Train Accuracy: %f\n', mean(double(p == y)) * 100); +fprintf('Expected accuracy (with lambda = 1): 83.1 (approx)\n'); + diff --git a/machine-learning-ex2/ex2/ex2data1.txt b/machine-learning-ex2/ex2/ex2data1.txt new file mode 100644 index 0000000..3a5f952 --- /dev/null +++ b/machine-learning-ex2/ex2/ex2data1.txt @@ -0,0 +1,100 @@ +34.62365962451697,78.0246928153624,0 +30.28671076822607,43.89499752400101,0 +35.84740876993872,72.90219802708364,0 +60.18259938620976,86.30855209546826,1 +79.0327360507101,75.3443764369103,1 +45.08327747668339,56.3163717815305,0 +61.10666453684766,96.51142588489624,1 +75.02474556738889,46.55401354116538,1 +76.09878670226257,87.42056971926803,1 +84.43281996120035,43.53339331072109,1 +95.86155507093572,38.22527805795094,0 +75.01365838958247,30.60326323428011,0 +82.30705337399482,76.48196330235604,1 +69.36458875970939,97.71869196188608,1 +39.53833914367223,76.03681085115882,0 +53.9710521485623,89.20735013750205,1 +69.07014406283025,52.74046973016765,1 +67.94685547711617,46.67857410673128,0 +70.66150955499435,92.92713789364831,1 +76.97878372747498,47.57596364975532,1 +67.37202754570876,42.83843832029179,0 +89.67677575072079,65.79936592745237,1 +50.534788289883,48.85581152764205,0 +34.21206097786789,44.20952859866288,0 +77.9240914545704,68.9723599933059,1 +62.27101367004632,69.95445795447587,1 +80.1901807509566,44.82162893218353,1 +93.114388797442,38.80067033713209,0 +61.83020602312595,50.25610789244621,0 +38.78580379679423,64.99568095539578,0 +61.379289447425,72.80788731317097,1 +85.40451939411645,57.05198397627122,1 +52.10797973193984,63.12762376881715,0 +52.04540476831827,69.43286012045222,1 +40.23689373545111,71.16774802184875,0 +54.63510555424817,52.21388588061123,0 +33.91550010906887,98.86943574220611,0 +64.17698887494485,80.90806058670817,1 +74.78925295941542,41.57341522824434,0 +34.1836400264419,75.2377203360134,0 +83.90239366249155,56.30804621605327,1 +51.54772026906181,46.85629026349976,0 +94.44336776917852,65.56892160559052,1 +82.36875375713919,40.61825515970618,0 +51.04775177128865,45.82270145776001,0 +62.22267576120188,52.06099194836679,0 +77.19303492601364,70.45820000180959,1 +97.77159928000232,86.7278223300282,1 +62.07306379667647,96.76882412413983,1 +91.56497449807442,88.69629254546599,1 +79.94481794066932,74.16311935043758,1 +99.2725269292572,60.99903099844988,1 +90.54671411399852,43.39060180650027,1 +34.52451385320009,60.39634245837173,0 +50.2864961189907,49.80453881323059,0 +49.58667721632031,59.80895099453265,0 +97.64563396007767,68.86157272420604,1 +32.57720016809309,95.59854761387875,0 +74.24869136721598,69.82457122657193,1 +71.79646205863379,78.45356224515052,1 +75.3956114656803,85.75993667331619,1 +35.28611281526193,47.02051394723416,0 +56.25381749711624,39.26147251058019,0 +30.05882244669796,49.59297386723685,0 +44.66826172480893,66.45008614558913,0 +66.56089447242954,41.09209807936973,0 +40.45755098375164,97.53518548909936,1 +49.07256321908844,51.88321182073966,0 +80.27957401466998,92.11606081344084,1 +66.74671856944039,60.99139402740988,1 +32.72283304060323,43.30717306430063,0 +64.0393204150601,78.03168802018232,1 +72.34649422579923,96.22759296761404,1 +60.45788573918959,73.09499809758037,1 +58.84095621726802,75.85844831279042,1 +99.82785779692128,72.36925193383885,1 +47.26426910848174,88.47586499559782,1 +50.45815980285988,75.80985952982456,1 +60.45555629271532,42.50840943572217,0 +82.22666157785568,42.71987853716458,0 +88.9138964166533,69.80378889835472,1 +94.83450672430196,45.69430680250754,1 +67.31925746917527,66.58935317747915,1 +57.23870631569862,59.51428198012956,1 +80.36675600171273,90.96014789746954,1 +68.46852178591112,85.59430710452014,1 +42.0754545384731,78.84478600148043,0 +75.47770200533905,90.42453899753964,1 +78.63542434898018,96.64742716885644,1 +52.34800398794107,60.76950525602592,0 +94.09433112516793,77.15910509073893,1 +90.44855097096364,87.50879176484702,1 +55.48216114069585,35.57070347228866,0 +74.49269241843041,84.84513684930135,1 +89.84580670720979,45.35828361091658,1 +83.48916274498238,48.38028579728175,1 +42.2617008099817,87.10385094025457,1 +99.31500880510394,68.77540947206617,1 +55.34001756003703,64.9319380069486,1 +74.77589300092767,89.52981289513276,1 diff --git a/machine-learning-ex2/ex2/ex2data2.txt b/machine-learning-ex2/ex2/ex2data2.txt new file mode 100644 index 0000000..a888992 --- /dev/null +++ b/machine-learning-ex2/ex2/ex2data2.txt @@ -0,0 +1,118 @@ +0.051267,0.69956,1 +-0.092742,0.68494,1 +-0.21371,0.69225,1 +-0.375,0.50219,1 +-0.51325,0.46564,1 +-0.52477,0.2098,1 +-0.39804,0.034357,1 +-0.30588,-0.19225,1 +0.016705,-0.40424,1 +0.13191,-0.51389,1 +0.38537,-0.56506,1 +0.52938,-0.5212,1 +0.63882,-0.24342,1 +0.73675,-0.18494,1 +0.54666,0.48757,1 +0.322,0.5826,1 +0.16647,0.53874,1 +-0.046659,0.81652,1 +-0.17339,0.69956,1 +-0.47869,0.63377,1 +-0.60541,0.59722,1 +-0.62846,0.33406,1 +-0.59389,0.005117,1 +-0.42108,-0.27266,1 +-0.11578,-0.39693,1 +0.20104,-0.60161,1 +0.46601,-0.53582,1 +0.67339,-0.53582,1 +-0.13882,0.54605,1 +-0.29435,0.77997,1 +-0.26555,0.96272,1 +-0.16187,0.8019,1 +-0.17339,0.64839,1 +-0.28283,0.47295,1 +-0.36348,0.31213,1 +-0.30012,0.027047,1 +-0.23675,-0.21418,1 +-0.06394,-0.18494,1 +0.062788,-0.16301,1 +0.22984,-0.41155,1 +0.2932,-0.2288,1 +0.48329,-0.18494,1 +0.64459,-0.14108,1 +0.46025,0.012427,1 +0.6273,0.15863,1 +0.57546,0.26827,1 +0.72523,0.44371,1 +0.22408,0.52412,1 +0.44297,0.67032,1 +0.322,0.69225,1 +0.13767,0.57529,1 +-0.0063364,0.39985,1 +-0.092742,0.55336,1 +-0.20795,0.35599,1 +-0.20795,0.17325,1 +-0.43836,0.21711,1 +-0.21947,-0.016813,1 +-0.13882,-0.27266,1 +0.18376,0.93348,0 +0.22408,0.77997,0 +0.29896,0.61915,0 +0.50634,0.75804,0 +0.61578,0.7288,0 +0.60426,0.59722,0 +0.76555,0.50219,0 +0.92684,0.3633,0 +0.82316,0.27558,0 +0.96141,0.085526,0 +0.93836,0.012427,0 +0.86348,-0.082602,0 +0.89804,-0.20687,0 +0.85196,-0.36769,0 +0.82892,-0.5212,0 +0.79435,-0.55775,0 +0.59274,-0.7405,0 +0.51786,-0.5943,0 +0.46601,-0.41886,0 +0.35081,-0.57968,0 +0.28744,-0.76974,0 +0.085829,-0.75512,0 +0.14919,-0.57968,0 +-0.13306,-0.4481,0 +-0.40956,-0.41155,0 +-0.39228,-0.25804,0 +-0.74366,-0.25804,0 +-0.69758,0.041667,0 +-0.75518,0.2902,0 +-0.69758,0.68494,0 +-0.4038,0.70687,0 +-0.38076,0.91886,0 +-0.50749,0.90424,0 +-0.54781,0.70687,0 +0.10311,0.77997,0 +0.057028,0.91886,0 +-0.10426,0.99196,0 +-0.081221,1.1089,0 +0.28744,1.087,0 +0.39689,0.82383,0 +0.63882,0.88962,0 +0.82316,0.66301,0 +0.67339,0.64108,0 +1.0709,0.10015,0 +-0.046659,-0.57968,0 +-0.23675,-0.63816,0 +-0.15035,-0.36769,0 +-0.49021,-0.3019,0 +-0.46717,-0.13377,0 +-0.28859,-0.060673,0 +-0.61118,-0.067982,0 +-0.66302,-0.21418,0 +-0.59965,-0.41886,0 +-0.72638,-0.082602,0 +-0.83007,0.31213,0 +-0.72062,0.53874,0 +-0.59389,0.49488,0 +-0.48445,0.99927,0 +-0.0063364,0.99927,0 +0.63265,-0.030612,0 diff --git a/machine-learning-ex2/ex2/lib/jsonlab/AUTHORS.txt b/machine-learning-ex2/ex2/lib/jsonlab/AUTHORS.txt new file mode 100644 index 0000000..9dd3fc7 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/AUTHORS.txt @@ -0,0 +1,41 @@ +The author of "jsonlab" toolbox is Qianqian Fang. Qianqian +is currently an Assistant Professor at Massachusetts General Hospital, +Harvard Medical School. + +Address: Martinos Center for Biomedical Imaging, + Massachusetts General Hospital, + Harvard Medical School + Bldg 149, 13th St, Charlestown, MA 02129, USA +URL: http://nmr.mgh.harvard.edu/~fangq/ +Email: or + + +The script loadjson.m was built upon previous works by + +- Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 + date: 2009/11/02 +- François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 + date: 2009/03/22 +- Joel Feenstra: http://www.mathworks.com/matlabcentral/fileexchange/20565 + date: 2008/07/03 + + +This toolbox contains patches submitted by the following contributors: + +- Blake Johnson + part of revision 341 + +- Niclas Borlin + various fixes in revision 394, including + - loadjson crashes for all-zero sparse matrix. + - loadjson crashes for empty sparse matrix. + - Non-zero size of 0-by-N and N-by-0 empty matrices is lost after savejson/loadjson. + - loadjson crashes for sparse real column vector. + - loadjson crashes for sparse complex column vector. + - Data is corrupted by savejson for sparse real row vector. + - savejson crashes for sparse complex row vector. + +- Yul Kang + patches for svn revision 415. + - savejson saves an empty cell array as [] instead of null + - loadjson differentiates an empty struct from an empty array diff --git a/machine-learning-ex2/ex2/lib/jsonlab/ChangeLog.txt b/machine-learning-ex2/ex2/lib/jsonlab/ChangeLog.txt new file mode 100644 index 0000000..07824f5 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/ChangeLog.txt @@ -0,0 +1,74 @@ +============================================================================ + + JSONlab - a toolbox to encode/decode JSON/UBJSON files in MATLAB/Octave + +---------------------------------------------------------------------------- + +JSONlab ChangeLog (key features marked by *): + +== JSONlab 1.0 (codename: Optimus - Final), FangQ == + + 2015/01/02 polish help info for all major functions, update examples, finalize 1.0 + 2014/12/19 fix a bug to strictly respect NoRowBracket in savejson + +== JSONlab 1.0.0-RC2 (codename: Optimus - RC2), FangQ == + + 2014/11/22 show progress bar in loadjson ('ShowProgress') + 2014/11/17 add Compact option in savejson to output compact JSON format ('Compact') + 2014/11/17 add FastArrayParser in loadjson to specify fast parser applicable levels + 2014/09/18 start official github mirror: https://github.com/fangq/jsonlab + +== JSONlab 1.0.0-RC1 (codename: Optimus - RC1), FangQ == + + 2014/09/17 fix several compatibility issues when running on octave versions 3.2-3.8 + 2014/09/17 support 2D cell and struct arrays in both savejson and saveubjson + 2014/08/04 escape special characters in a JSON string + 2014/02/16 fix a bug when saving ubjson files + +== JSONlab 0.9.9 (codename: Optimus - beta), FangQ == + + 2014/01/22 use binary read and write in saveubjson and loadubjson + +== JSONlab 0.9.8-1 (codename: Optimus - alpha update 1), FangQ == + + 2013/10/07 better round-trip conservation for empty arrays and structs (patch submitted by Yul Kang) + +== JSONlab 0.9.8 (codename: Optimus - alpha), FangQ == + 2013/08/23 *universal Binary JSON (UBJSON) support, including both saveubjson and loadubjson + +== JSONlab 0.9.1 (codename: Rodimus, update 1), FangQ == + 2012/12/18 *handling of various empty and sparse matrices (fixes submitted by Niclas Borlin) + +== JSONlab 0.9.0 (codename: Rodimus), FangQ == + + 2012/06/17 *new format for an invalid leading char, unpacking hex code in savejson + 2012/06/01 support JSONP in savejson + 2012/05/25 fix the empty cell bug (reported by Cyril Davin) + 2012/04/05 savejson can save to a file (suggested by Patrick Rapin) + +== JSONlab 0.8.1 (codename: Sentiel, Update 1), FangQ == + + 2012/02/28 loadjson quotation mark escape bug, see http://bit.ly/yyk1nS + 2012/01/25 patch to handle root-less objects, contributed by Blake Johnson + +== JSONlab 0.8.0 (codename: Sentiel), FangQ == + + 2012/01/13 *speed up loadjson by 20 fold when parsing large data arrays in matlab + 2012/01/11 remove row bracket if an array has 1 element, suggested by Mykel Kochenderfer + 2011/12/22 *accept sequence of 'param',value input in savejson and loadjson + 2011/11/18 fix struct array bug reported by Mykel Kochenderfer + +== JSONlab 0.5.1 (codename: Nexus Update 1), FangQ == + + 2011/10/21 fix a bug in loadjson, previous code does not use any of the acceleration + 2011/10/20 loadjson supports JSON collections - concatenated JSON objects + +== JSONlab 0.5.0 (codename: Nexus), FangQ == + + 2011/10/16 package and release jsonlab 0.5.0 + 2011/10/15 *add json demo and regression test, support cpx numbers, fix double quote bug + 2011/10/11 *speed up readjson dramatically, interpret _Array* tags, show data in root level + 2011/10/10 create jsonlab project, start jsonlab website, add online documentation + 2011/10/07 *speed up savejson by 25x using sprintf instead of mat2str, add options support + 2011/10/06 *savejson works for structs, cells and arrays + 2011/09/09 derive loadjson from JSON parser from MATLAB Central, draft savejson.m diff --git a/machine-learning-ex2/ex2/lib/jsonlab/LICENSE_BSD.txt b/machine-learning-ex2/ex2/lib/jsonlab/LICENSE_BSD.txt new file mode 100644 index 0000000..32d66cb --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/LICENSE_BSD.txt @@ -0,0 +1,25 @@ +Copyright 2011-2015 Qianqian Fang . All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are +permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, this list of + conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright notice, this list + of conditions and the following disclaimer in the documentation and/or other materials + provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ''AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS +OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR +CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF +ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +The views and conclusions contained in the software and documentation are those of the +authors and should not be interpreted as representing official policies, either expressed +or implied, of the copyright holders. diff --git a/machine-learning-ex2/ex2/lib/jsonlab/README.txt b/machine-learning-ex2/ex2/lib/jsonlab/README.txt new file mode 100644 index 0000000..7b4f732 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/README.txt @@ -0,0 +1,394 @@ +=============================================================================== += JSONLab = += An open-source MATLAB/Octave JSON encoder and decoder = +=============================================================================== + +*Copyright (C) 2011-2015 Qianqian Fang +*License: BSD License, see License_BSD.txt for details +*Version: 1.0 (Optimus - Final) + +------------------------------------------------------------------------------- + +Table of Content: + +I. Introduction +II. Installation +III.Using JSONLab +IV. Known Issues and TODOs +V. Contribution and feedback + +------------------------------------------------------------------------------- + +I. Introduction + +JSON ([http://www.json.org/ JavaScript Object Notation]) is a highly portable, +human-readable and "[http://en.wikipedia.org/wiki/JSON fat-free]" text format +to represent complex and hierarchical data. It is as powerful as +[http://en.wikipedia.org/wiki/XML XML], but less verbose. JSON format is widely +used for data-exchange in applications, and is essential for the wild success +of [http://en.wikipedia.org/wiki/Ajax_(programming) Ajax] and +[http://en.wikipedia.org/wiki/Web_2.0 Web2.0]. + +UBJSON (Universal Binary JSON) is a binary JSON format, specifically +optimized for compact file size and better performance while keeping +the semantics as simple as the text-based JSON format. Using the UBJSON +format allows to wrap complex binary data in a flexible and extensible +structure, making it possible to process complex and large dataset +without accuracy loss due to text conversions. + +We envision that both JSON and its binary version will serve as part of +the mainstream data-exchange formats for scientific research in the future. +It will provide the flexibility and generality achieved by other popular +general-purpose file specifications, such as +[http://www.hdfgroup.org/HDF5/whatishdf5.html HDF5], with significantly +reduced complexity and enhanced performance. + +JSONLab is a free and open-source implementation of a JSON/UBJSON encoder +and a decoder in the native MATLAB language. It can be used to convert a MATLAB +data structure (array, struct, cell, struct array and cell array) into +JSON/UBJSON formatted strings, or to decode a JSON/UBJSON file into MATLAB +data structure. JSONLab supports both MATLAB and +[http://www.gnu.org/software/octave/ GNU Octave] (a free MATLAB clone). + +------------------------------------------------------------------------------- + +II. Installation + +The installation of JSONLab is no different than any other simple +MATLAB toolbox. You only need to download/unzip the JSONLab package +to a folder, and add the folder's path to MATLAB/Octave's path list +by using the following command: + + addpath('/path/to/jsonlab'); + +If you want to add this path permanently, you need to type "pathtool", +browse to the jsonlab root folder and add to the list, then click "Save". +Then, run "rehash" in MATLAB, and type "which loadjson", if you see an +output, that means JSONLab is installed for MATLAB/Octave. + +------------------------------------------------------------------------------- + +III.Using JSONLab + +JSONLab provides two functions, loadjson.m -- a MATLAB->JSON decoder, +and savejson.m -- a MATLAB->JSON encoder, for the text-based JSON, and +two equivallent functions -- loadubjson and saveubjson for the binary +JSON. The detailed help info for the four functions can be found below: + +=== loadjson.m === +
+  data=loadjson(fname,opt)
+     or
+  data=loadjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09, including previous works from 
+ 
+          Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713
+             created on 2009/11/02
+          François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393
+             created on  2009/03/22
+          Joel Feenstra:
+          http://www.mathworks.com/matlabcentral/fileexchange/20565
+             created on 2008/07/03
+ 
+  $Id: loadjson.m 452 2014-11-22 16:43:33Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a JSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.FastArrayParser [1|0 or integer]: if set to 1, use a
+                          speed-optimized array parser when loading an 
+                          array object. The fast array parser may 
+                          collapse block arrays into a single large
+                          array similar to rules defined in cell2mat; 0 to 
+                          use a legacy parser; if set to a larger-than-1
+                          value, this option will specify the minimum
+                          dimension to enable the fast array parser. For
+                          example, if the input is a 3D array, setting
+                          FastArrayParser to 1 will return a 3D array;
+                          setting to 2 will return a cell array of 2D
+                          arrays; setting to 3 will return to a 2D cell
+                          array of 1D vectors; setting to 4 will return a
+                          3D cell array.
+            opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}')
+       dat=loadjson(['examples' filesep 'example1.json'])
+       dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1)
+
+ +=== savejson.m === + +
+  json=savejson(rootname,obj,filename)
+     or
+  json=savejson(rootname,obj,opt)
+  json=savejson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a JSON (JavaScript
+  Object Notation) string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09
+ 
+  $Id: savejson.m 458 2014-12-19 22:17:17Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array).
+       filename: a string for the file name to save the output JSON data.
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.FloatFormat ['%.10g'|string]: format to show each numeric element
+                          of a 1D/2D array;
+         opt.ArrayIndent [1|0]: if 1, output explicit data array with
+                          precedent indentation; if 0, no indentation
+         opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [0|1]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern
+                          to represent +/-Inf. The matched pattern is '([-+]*)Inf'
+                          and $1 represents the sign. For those who want to use
+                          1e999 to represent Inf, they can set opt.Inf to '$11e999'
+         opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern
+                          to represent NaN
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSONP='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+         opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode.
+         opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs)
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a string in the JSON format (see http://json.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       savejson('jmesh',jsonmesh)
+       savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g')
+ 
+ +=== loadubjson.m === + +
+  data=loadubjson(fname,opt)
+     or
+  data=loadubjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/01
+ 
+  $Id: loadubjson.m 436 2014-08-05 20:51:40Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a UBJSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.IntEndian [B|L]: specify the endianness of the integer fields
+                          in the UBJSON input data. B - Big-Endian format for 
+                          integers (as required in the UBJSON specification); 
+                          L - input integer fields are in Little-Endian order.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       obj=struct('string','value','array',[1 2 3]);
+       ubjdata=saveubjson('obj',obj);
+       dat=loadubjson(ubjdata)
+       dat=loadubjson(['examples' filesep 'example1.ubj'])
+       dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1)
+
+ +=== saveubjson.m === + +
+  json=saveubjson(rootname,obj,filename)
+     or
+  json=saveubjson(rootname,obj,opt)
+  json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a Universal 
+  Binary JSON (UBJSON) binary string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/17
+ 
+  $Id: saveubjson.m 440 2014-09-17 19:59:45Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array)
+       filename: a string for the file name to save the output UBJSON data
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [1|0]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSON='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a binary string in the UBJSON format (see http://ubjson.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       saveubjson('jsonmesh',jsonmesh)
+       saveubjson('jsonmesh',jsonmesh,'meshdata.ubj')
+
+ + +=== examples === + +Under the "examples" folder, you can find several scripts to demonstrate the +basic utilities of JSONLab. Running the "demo_jsonlab_basic.m" script, you +will see the conversions from MATLAB data structure to JSON text and backward. +In "jsonlab_selftest.m", we load complex JSON files downloaded from the Internet +and validate the loadjson/savejson functions for regression testing purposes. +Similarly, a "demo_ubjson_basic.m" script is provided to test the saveubjson +and loadubjson pairs for various matlab data structures. + +Please run these examples and understand how JSONLab works before you use +it to process your data. + +------------------------------------------------------------------------------- + +IV. Known Issues and TODOs + +JSONLab has several known limitations. We are striving to make it more general +and robust. Hopefully in a few future releases, the limitations become less. + +Here are the known issues: + +# 3D or higher dimensional cell/struct-arrays will be converted to 2D arrays; +# When processing names containing multi-byte characters, Octave and MATLAB \ +can give different field-names; you can use feature('DefaultCharacterSet','latin1') \ +in MATLAB to get consistant results +# savejson can not handle class and dataset. +# saveubjson converts a logical array into a uint8 ([U]) array +# an unofficial N-D array count syntax is implemented in saveubjson. We are \ +actively communicating with the UBJSON spec maintainer to investigate the \ +possibility of making it upstream +# loadubjson can not parse all UBJSON Specification (Draft 9) compliant \ +files, however, it can parse all UBJSON files produced by saveubjson. + +------------------------------------------------------------------------------- + +V. Contribution and feedback + +JSONLab is an open-source project. This means you can not only use it and modify +it as you wish, but also you can contribute your changes back to JSONLab so +that everyone else can enjoy the improvement. For anyone who want to contribute, +please download JSONLab source code from it's subversion repository by using the +following command: + + svn checkout svn://svn.code.sf.net/p/iso2mesh/code/trunk/jsonlab jsonlab + +You can make changes to the files as needed. Once you are satisfied with your +changes, and ready to share it with others, please cd the root directory of +JSONLab, and type + + svn diff > yourname_featurename.patch + +You then email the .patch file to JSONLab's maintainer, Qianqian Fang, at +the email address shown in the beginning of this file. Qianqian will review +the changes and commit it to the subversion if they are satisfactory. + +We appreciate any suggestions and feedbacks from you. Please use iso2mesh's +mailing list to report any questions you may have with JSONLab: + +http://groups.google.com/group/iso2mesh-users?hl=en&pli=1 + +(Subscription to the mailing list is needed in order to post messages). diff --git a/machine-learning-ex2/ex2/lib/jsonlab/jsonopt.m b/machine-learning-ex2/ex2/lib/jsonlab/jsonopt.m new file mode 100644 index 0000000..0bebd8d --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/jsonopt.m @@ -0,0 +1,32 @@ +function val=jsonopt(key,default,varargin) +% +% val=jsonopt(key,default,optstruct) +% +% setting options based on a struct. The struct can be produced +% by varargin2struct from a list of 'param','value' pairs +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% +% $Id: loadjson.m 371 2012-06-20 12:43:06Z fangq $ +% +% input: +% key: a string with which one look up a value from a struct +% default: if the key does not exist, return default +% optstruct: a struct where each sub-field is a key +% +% output: +% val: if key exists, val=optstruct.key; otherwise val=default +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +val=default; +if(nargin<=2) return; end +opt=varargin{1}; +if(isstruct(opt) && isfield(opt,key)) + val=getfield(opt,key); +end + diff --git a/machine-learning-ex2/ex2/lib/jsonlab/loadjson.m b/machine-learning-ex2/ex2/lib/jsonlab/loadjson.m new file mode 100644 index 0000000..42798c0 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/loadjson.m @@ -0,0 +1,566 @@ +function data = loadjson(fname,varargin) +% +% data=loadjson(fname,opt) +% or +% data=loadjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09, including previous works from +% +% Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 +% created on 2009/11/02 +% François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 +% created on 2009/03/22 +% Joel Feenstra: +% http://www.mathworks.com/matlabcentral/fileexchange/20565 +% created on 2008/07/03 +% +% $Id: loadjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a JSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.FastArrayParser [1|0 or integer]: if set to 1, use a +% speed-optimized array parser when loading an +% array object. The fast array parser may +% collapse block arrays into a single large +% array similar to rules defined in cell2mat; 0 to +% use a legacy parser; if set to a larger-than-1 +% value, this option will specify the minimum +% dimension to enable the fast array parser. For +% example, if the input is a 3D array, setting +% FastArrayParser to 1 will return a 3D array; +% setting to 2 will return a cell array of 2D +% arrays; setting to 3 will return to a 2D cell +% array of 1D vectors; setting to 4 will return a +% 3D cell array. +% opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}') +% dat=loadjson(['examples' filesep 'example1.json']) +% dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); + +if(jsonopt('ShowProgress',0,opt)==1) + opt.progressbar_=waitbar(0,'loading ...'); +end +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end +if(isfield(opt,'progressbar_')) + close(opt.progressbar_); +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=data(j).x0x5F_ArraySize_; + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + if next_char ~= '}' + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + parse_char(':'); + val = parse_value(varargin{:}); + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' + break; + end + parse_char(','); + end + end + parse_char('}'); + +%%------------------------------------------------------------------------- + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim2=[]; + arraydepth=jsonopt('JSONLAB_ArrayDepth_',1,varargin{:}); + pbar=jsonopt('progressbar_',-1,varargin{:}); + + if next_char ~= ']' + if(jsonopt('FastArrayParser',1,varargin{:})>=1 && arraydepth>=jsonopt('FastArrayParser',1,varargin{:})) + [endpos, e1l, e1r, maxlevel]=matching_bracket(inStr,pos); + arraystr=['[' inStr(pos:endpos)]; + arraystr=regexprep(arraystr,'"_NaN_"','NaN'); + arraystr=regexprep(arraystr,'"([-+]*)_Inf_"','$1Inf'); + arraystr(arraystr==sprintf('\n'))=[]; + arraystr(arraystr==sprintf('\r'))=[]; + %arraystr=regexprep(arraystr,'\s*,',','); % this is slow,sometimes needed + if(~isempty(e1l) && ~isempty(e1r)) % the array is in 2D or higher D + astr=inStr((e1l+1):(e1r-1)); + astr=regexprep(astr,'"_NaN_"','NaN'); + astr=regexprep(astr,'"([-+]*)_Inf_"','$1Inf'); + astr(astr==sprintf('\n'))=[]; + astr(astr==sprintf('\r'))=[]; + astr(astr==' ')=''; + if(isempty(find(astr=='[', 1))) % array is 2D + dim2=length(sscanf(astr,'%f,',[1 inf])); + end + else % array is 1D + astr=arraystr(2:end-1); + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',[1,inf]); + if(nextidx>=length(astr)-1) + object=obj; + pos=endpos; + parse_char(']'); + return; + end + end + if(~isempty(dim2)) + astr=arraystr; + astr(astr=='[')=''; + astr(astr==']')=''; + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',inf); + if(nextidx>=length(astr)-1) + object=reshape(obj,dim2,numel(obj)/dim2)'; + pos=endpos; + parse_char(']'); + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end + return; + end + end + arraystr=regexprep(arraystr,'\]\s*,','];'); + else + arraystr='['; + end + try + if(isoct && regexp(arraystr,'"','once')) + error('Octave eval can produce empty cells for JSON-like input'); + end + object=eval(arraystr); + pos=endpos; + catch + while 1 + newopt=varargin2struct(varargin{:},'JSONLAB_ArrayDepth_',arraydepth+1); + val = parse_value(newopt); + object{end+1} = val; + if next_char == ']' + break; + end + parse_char(','); + end + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + parse_char(']'); + + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr len esc index_esc len_esc + % len, ns = length(inStr), keyboard + if inStr(pos) ~= '"' + error_pos('String starting with " expected at position %d'); + else + pos = pos + 1; + end + str = ''; + while pos <= len + while index_esc <= len_esc && esc(index_esc) < pos + index_esc = index_esc + 1; + end + if index_esc > len_esc + str = [str inStr(pos:len)]; + pos = len + 1; + break; + else + str = [str inStr(pos:esc(index_esc)-1)]; + pos = esc(index_esc); + end + nstr = length(str); switch inStr(pos) + case '"' + pos = pos + 1; + if(~isempty(str)) + if(strcmp(str,'_Inf_')) + str=Inf; + elseif(strcmp(str,'-_Inf_')) + str=-Inf; + elseif(strcmp(str,'_NaN_')) + str=NaN; + end + end + return; + case '\' + if pos+1 > len + error_pos('End of file reached right after escape character'); + end + pos = pos + 1; + switch inStr(pos) + case {'"' '\' '/'} + str(nstr+1) = inStr(pos); + pos = pos + 1; + case {'b' 'f' 'n' 'r' 't'} + str(nstr+1) = sprintf(['\' inStr(pos)]); + pos = pos + 1; + case 'u' + if pos+4 > len + error_pos('End of file reached in escaped unicode character'); + end + str(nstr+(1:6)) = inStr(pos-1:pos+4); + pos = pos + 5; + end + otherwise % should never happen + str(nstr+1) = inStr(pos), keyboard + pos = pos + 1; + end + end + error_pos('End of file while expecting end of inStr'); + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct + currstr=inStr(pos:end); + numstr=0; + if(isoct~=0) + numstr=regexp(currstr,'^\s*-?(?:0|[1-9]\d*)(?:\.\d+)?(?:[eE][+\-]?\d+)?','end'); + [num, one] = sscanf(currstr, '%f', 1); + delta=numstr+1; + else + [num, one, err, delta] = sscanf(currstr, '%f', 1); + if ~isempty(err) + error_pos('Error reading number at position %d'); + end + end + pos = pos + delta-1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + pbar=jsonopt('progressbar_',-1,varargin{:}); + if(pbar>0) + waitbar(pos/len,pbar,'loading ...'); + end + + switch(inStr(pos)) + case '"' + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'-','0','1','2','3','4','5','6','7','8','9'} + val = parse_number(varargin{:}); + return; + case 't' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'true') + val = true; + pos = pos + 4; + return; + end + case 'f' + if pos+4 <= len && strcmpi(inStr(pos:pos+4), 'false') + val = false; + pos = pos + 5; + return; + end + case 'n' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'null') + val = []; + pos = pos + 4; + return; + end + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos, e1l, e1r, maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex2/ex2/lib/jsonlab/loadubjson.m b/machine-learning-ex2/ex2/lib/jsonlab/loadubjson.m new file mode 100644 index 0000000..0155115 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/loadubjson.m @@ -0,0 +1,528 @@ +function data = loadubjson(fname,varargin) +% +% data=loadubjson(fname,opt) +% or +% data=loadubjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/01 +% +% $Id: loadubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a UBJSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.IntEndian [B|L]: specify the endianness of the integer fields +% in the UBJSON input data. B - Big-Endian format for +% integers (as required in the UBJSON specification); +% L - input integer fields are in Little-Endian order. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% obj=struct('string','value','array',[1 2 3]); +% ubjdata=saveubjson('obj',obj); +% dat=loadubjson(ubjdata) +% dat=loadubjson(['examples' filesep 'example1.ubj']) +% dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken fileendian systemendian + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); +fileendian=upper(jsonopt('IntEndian','B',opt)); +[os,maxelem,systemendian]=computer; + +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end + + +%% +function newdata=parse_collection(id,data,obj) + +if(jsoncount>0 && exist('data','var')) + if(~iscell(data)) + newdata=cell(1); + newdata{1}=data; + data=newdata; + end +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=double(data(j).x0x5F_ArraySize_); + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); % TODO + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + count=double(parse_number()); + end + if next_char ~= '}' + num=0; + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + %parse_char(':'); + val = parse_value(varargin{:}); + num=num+1; + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' || (count>=0 && num>=count) + break; + end + %parse_char(','); + end + end + if(count==-1) + parse_char('}'); + end + +%%------------------------------------------------------------------------- +function [cid,len]=elem_info(type) +id=strfind('iUIlLdD',type); +dataclass={'int8','uint8','int16','int32','int64','single','double'}; +bytelen=[1,1,2,4,8,4,8]; +if(id>0) + cid=dataclass{id}; + len=bytelen(id); +else + error_pos('unsupported type at position %d'); +end +%%------------------------------------------------------------------------- + + +function [data adv]=parse_block(type,count,varargin) +global pos inStr isoct fileendian systemendian +[cid,len]=elem_info(type); +datastr=inStr(pos:pos+len*count-1); +if(isoct) + newdata=int8(datastr); +else + newdata=uint8(datastr); +end +id=strfind('iUIlLdD',type); +if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,cid)); +end +data=typecast(newdata,cid); +adv=double(len*count); + +%%------------------------------------------------------------------------- + + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim=[]; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + if(next_char=='[') + dim=parse_array(varargin{:}); + count=prod(double(dim)); + else + count=double(parse_number()); + end + end + if(~isempty(type)) + if(count>=0) + [object adv]=parse_block(type,count,varargin{:}); + if(~isempty(dim)) + object=reshape(object,dim); + end + pos=pos+adv; + return; + else + endpos=matching_bracket(inStr,pos); + [cid,len]=elem_info(type); + count=(endpos-pos)/len; + [object adv]=parse_block(type,count,varargin{:}); + pos=pos+adv; + parse_char(']'); + return; + end + end + if next_char ~= ']' + while 1 + val = parse_value(varargin{:}); + object{end+1} = val; + if next_char == ']' + break; + end + %parse_char(','); + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + if(count==-1) + parse_char(']'); + end + +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr esc index_esc len_esc + % len, ns = length(inStr), keyboard + type=inStr(pos); + if type ~= 'S' && type ~= 'C' && type ~= 'H' + error_pos('String starting with S expected at position %d'); + else + pos = pos + 1; + end + if(type == 'C') + str=inStr(pos); + pos=pos+1; + return; + end + bytelen=double(parse_number()); + if(length(inStr)>=pos+bytelen-1) + str=inStr(pos:pos+bytelen-1); + pos=pos+bytelen; + else + error_pos('End of file while expecting end of inStr'); + end + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct fileendian systemendian + id=strfind('iUIlLdD',inStr(pos)); + if(isempty(id)) + error_pos('expecting a number at position %d'); + end + type={'int8','uint8','int16','int32','int64','single','double'}; + bytelen=[1,1,2,4,8,4,8]; + datastr=inStr(pos+1:pos+bytelen(id)); + if(isoct) + newdata=int8(datastr); + else + newdata=uint8(datastr); + end + if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,type{id})); + end + num=typecast(newdata,type{id}); + pos = pos + bytelen(id)+1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + switch(inStr(pos)) + case {'S','C','H'} + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'i','U','I','l','L','d','D'} + val = parse_number(varargin{:}); + return; + case 'T' + val = true; + pos = pos + 1; + return; + case 'F' + val = false; + pos = pos + 1; + return; + case {'Z','N'} + val = []; + pos = pos + 1; + return; + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos e1l e1r maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex2/ex2/lib/jsonlab/mergestruct.m b/machine-learning-ex2/ex2/lib/jsonlab/mergestruct.m new file mode 100644 index 0000000..6de6100 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/mergestruct.m @@ -0,0 +1,33 @@ +function s=mergestruct(s1,s2) +% +% s=mergestruct(s1,s2) +% +% merge two struct objects into one +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% s1,s2: a struct object, s1 and s2 can not be arrays +% +% output: +% s: the merged struct object. fields in s1 and s2 will be combined in s. +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(~isstruct(s1) || ~isstruct(s2)) + error('input parameters contain non-struct'); +end +if(length(s1)>1 || length(s2)>1) + error('can not merge struct arrays'); +end +fn=fieldnames(s2); +s=s1; +for i=1:length(fn) + s=setfield(s,fn{i},getfield(s2,fn{i})); +end + diff --git a/machine-learning-ex2/ex2/lib/jsonlab/savejson.m b/machine-learning-ex2/ex2/lib/jsonlab/savejson.m new file mode 100644 index 0000000..7e84076 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/savejson.m @@ -0,0 +1,475 @@ +function json=savejson(rootname,obj,varargin) +% +% json=savejson(rootname,obj,filename) +% or +% json=savejson(rootname,obj,opt) +% json=savejson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a JSON (JavaScript +% Object Notation) string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09 +% +% $Id: savejson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array). +% filename: a string for the file name to save the output JSON data. +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.FloatFormat ['%.10g'|string]: format to show each numeric element +% of a 1D/2D array; +% opt.ArrayIndent [1|0]: if 1, output explicit data array with +% precedent indentation; if 0, no indentation +% opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [0|1]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern +% to represent +/-Inf. The matched pattern is '([-+]*)Inf' +% and $1 represents the sign. For those who want to use +% 1e999 to represent Inf, they can set opt.Inf to '$11e999' +% opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern +% to represent NaN +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSONP='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode. +% opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs) +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a string in the JSON format (see http://json.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% savejson('jmesh',jsonmesh) +% savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end + +whitespaces=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +if(jsonopt('Compact',0,opt)==1) + whitespaces=struct('tab','','newline','','sep',','); +end +if(~isfield(opt,'whitespaces_')) + opt.whitespaces_=whitespaces; +end + +nl=whitespaces.newline; + +json=obj2json(rootname,obj,rootlevel,opt); +if(rootisarray) + json=sprintf('%s%s',json,nl); +else + json=sprintf('{%s%s%s}\n',nl,json,nl); +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=sprintf('%s(%s);%s',jsonp,json,nl); +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + if(jsonopt('SaveBinary',0,opt)==1) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + else + fid = fopen(opt.FileName, 'wt'); + fwrite(fid,json,'char'); + end + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2json(name,item,level,varargin) + +if(iscell(item)) + txt=cell2json(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2json(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2json(name,item,level,varargin{:}); +else + txt=mat2json(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2json(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=jsonopt('whitespaces_',struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')),varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +nl=ws.newline; +if(len>1) + if(~isempty(name)) + txt=sprintf('%s"%s": [%s',padding0, checkname(name,varargin{:}),nl); name=''; + else + txt=sprintf('%s[%s',padding0,nl); + end +elseif(len==0) + if(~isempty(name)) + txt=sprintf('%s"%s": []',padding0, checkname(name,varargin{:})); name=''; + else + txt=sprintf('%s[]',padding0); + end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + txt=sprintf('%s%s',txt,obj2json(name,item{i,j},level+(dim(1)>1)+1,varargin{:})); + if(i1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=struct2json(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +padding1=repmat(ws.tab,1,level+(dim(1)>1)+(len>1)); +nl=ws.newline; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding0,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding0,nl); end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=sprintf('%s%s"%s": {%s',txt,padding1, checkname(name,varargin{:}),nl); + else + txt=sprintf('%s%s{%s',txt,padding1,nl); + end + if(~isempty(names)) + for e=1:length(names) + txt=sprintf('%s%s',txt,obj2json(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})); + if(e1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=str2json(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding1,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding1,nl); end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + if(isoct) + val=regexprep(item(e,:),'\\','\\'); + val=regexprep(val,'"','\"'); + val=regexprep(val,'^"','\"'); + else + val=regexprep(item(e,:),'\\','\\\\'); + val=regexprep(val,'"','\\"'); + val=regexprep(val,'^"','\\"'); + end + val=escapejsonstring(val); + if(len==1) + obj=['"' checkname(name,varargin{:}) '": ' '"',val,'"']; + if(isempty(name)) obj=['"',val,'"']; end + txt=sprintf('%s%s%s%s',txt,padding1,obj); + else + txt=sprintf('%s%s%s%s',txt,padding0,['"',val,'"']); + end + if(e==len) sep=''; end + txt=sprintf('%s%s',txt,sep); +end +if(len>1) txt=sprintf('%s%s%s%s',txt,nl,padding1,']'); end + +%%------------------------------------------------------------------------- +function txt=mat2json(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) ||jsonopt('ArrayToStruct',0,varargin{:})) + if(isempty(name)) + txt=sprintf('%s{%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + else + txt=sprintf('%s"%s": {%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,checkname(name,varargin{:}),nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + end +else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1 && level>0) + numtxt=regexprep(regexprep(matdata2json(item,level+1,varargin{:}),'^\[',''),']',''); + else + numtxt=matdata2json(item,level+1,varargin{:}); + end + if(isempty(name)) + txt=sprintf('%s%s',padding1,numtxt); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + else + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + end + end + return; +end +dataformat='%s%s%s%s%s'; + +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsSparse_": ','1', sep); + if(size(item,1)==1) + % Row vector, store only column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([iy(:),data'],level+2,varargin{:}), nl); + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,data],level+2,varargin{:}), nl); + else + % General case, store row and column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,iy,data],level+2,varargin{:}), nl); + end +else + if(isreal(item)) + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json(item(:)',level+2,varargin{:}), nl); + else + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([real(item(:)) imag(item(:))],level+2,varargin{:}), nl); + end +end +txt=sprintf('%s%s%s',txt,padding1,'}'); + +%%------------------------------------------------------------------------- +function txt=matdata2json(mat,level,varargin) + +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +tab=ws.tab; +nl=ws.newline; + +if(size(mat,1)==1) + pre=''; + post=''; + level=level-1; +else + pre=sprintf('[%s',nl); + post=sprintf('%s%s]',nl,repmat(tab,1,level-1)); +end + +if(isempty(mat)) + txt='null'; + return; +end +floatformat=jsonopt('FloatFormat','%.10g',varargin{:}); +%if(numel(mat)>1) + formatstr=['[' repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf('],%s',nl)]]; +%else +% formatstr=[repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf(',\n')]]; +%end + +if(nargin>=2 && size(mat,1)>1 && jsonopt('ArrayIndent',1,varargin{:})==1) + formatstr=[repmat(tab,1,level) formatstr]; +end + +txt=sprintf(formatstr,mat'); +txt(end-length(nl):end)=[]; +if(islogical(mat) && jsonopt('ParseLogical',0,varargin{:})==1) + txt=regexprep(txt,'1','true'); + txt=regexprep(txt,'0','false'); +end +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],\n[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +txt=[pre txt post]; +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end + +%%------------------------------------------------------------------------- +function newstr=escapejsonstring(str) +newstr=str; +isoct=exist('OCTAVE_VERSION','builtin'); +if(isoct) + vv=sscanf(OCTAVE_VERSION,'%f'); + if(vv(1)>=3.8) isoct=0; end +end +if(isoct) + escapechars={'\a','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},escapechars{i}); + end +else + escapechars={'\a','\b','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},regexprep(escapechars{i},'\\','\\\\')); + end +end diff --git a/machine-learning-ex2/ex2/lib/jsonlab/saveubjson.m b/machine-learning-ex2/ex2/lib/jsonlab/saveubjson.m new file mode 100644 index 0000000..eaec433 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/saveubjson.m @@ -0,0 +1,504 @@ +function json=saveubjson(rootname,obj,varargin) +% +% json=saveubjson(rootname,obj,filename) +% or +% json=saveubjson(rootname,obj,opt) +% json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a Universal +% Binary JSON (UBJSON) binary string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/17 +% +% $Id: saveubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array) +% filename: a string for the file name to save the output UBJSON data +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [1|0]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSON='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a binary string in the UBJSON format (see http://ubjson.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% saveubjson('jsonmesh',jsonmesh) +% saveubjson('jsonmesh',jsonmesh,'meshdata.ubj') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end +json=obj2ubjson(rootname,obj,rootlevel,opt); +if(~rootisarray) + json=['{' json '}']; +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=[jsonp '(' json ')']; +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2ubjson(name,item,level,varargin) + +if(iscell(item)) + txt=cell2ubjson(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2ubjson(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2ubjson(name,item,level,varargin{:}); +else + txt=mat2ubjson(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2ubjson(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); % let's handle 1D cell first +if(len>1) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) '[']; name=''; + else + txt='['; + end +elseif(len==0) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) 'Z']; name=''; + else + txt='Z'; + end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + txt=[txt obj2ubjson(name,item{i,j},level+(len>1),varargin{:})]; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=struct2ubjson(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=[txt S_(checkname(name,varargin{:})) '{']; + else + txt=[txt '{']; + end + if(~isempty(names)) + for e=1:length(names) + txt=[txt obj2ubjson(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})]; + end + end + txt=[txt '}']; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=str2ubjson(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + val=item(e,:); + if(len==1) + obj=['' S_(checkname(name,varargin{:})) '' '',S_(val),'']; + if(isempty(name)) obj=['',S_(val),'']; end + txt=[txt,'',obj]; + else + txt=[txt,'',['',S_(val),'']]; + end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=mat2ubjson(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) || jsonopt('ArrayToStruct',0,varargin{:})) + cid=I_(uint32(max(size(item)))); + if(isempty(name)) + txt=['{' S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1)) ]; + else + if(isempty(item)) + txt=[S_(checkname(name,varargin{:})),'Z']; + return; + else + txt=[S_(checkname(name,varargin{:})),'{',S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1))]; + end + end +else + if(isempty(name)) + txt=matdata2ubjson(item,level+1,varargin{:}); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + numtxt=regexprep(regexprep(matdata2ubjson(item,level+1,varargin{:}),'^\[',''),']',''); + txt=[S_(checkname(name,varargin{:})) numtxt]; + else + txt=[S_(checkname(name,varargin{:})),matdata2ubjson(item,level+1,varargin{:})]; + end + end + return; +end +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=[txt,S_('_ArrayIsComplex_'),'T']; + end + txt=[txt,S_('_ArrayIsSparse_'),'T']; + if(size(item,1)==1) + % Row vector, store only column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([iy(:),data'],level+2,varargin{:})]; + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,data],level+2,varargin{:})]; + else + % General case, store row and column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,iy,data],level+2,varargin{:})]; + end +else + if(isreal(item)) + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson(item(:)',level+2,varargin{:})]; + else + txt=[txt,S_('_ArrayIsComplex_'),'T']; + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([real(item(:)) imag(item(:))],level+2,varargin{:})]; + end +end +txt=[txt,'}']; + +%%------------------------------------------------------------------------- +function txt=matdata2ubjson(mat,level,varargin) +if(isempty(mat)) + txt='Z'; + return; +end +if(size(mat,1)==1) + level=level-1; +end +type=''; +hasnegtive=(mat<0); +if(isa(mat,'integer') || isinteger(mat) || (isfloat(mat) && all(mod(mat(:),1) == 0))) + if(isempty(hasnegtive)) + if(max(mat(:))<=2^8) + type='U'; + end + end + if(isempty(type)) + % todo - need to consider negative ones separately + id= histc(abs(max(mat(:))),[0 2^7 2^15 2^31 2^63]); + if(isempty(find(id))) + error('high-precision data is not yet supported'); + end + key='iIlL'; + type=key(find(id)); + end + txt=[I_a(mat(:),type,size(mat))]; +elseif(islogical(mat)) + logicalval='FT'; + if(numel(mat)==1) + txt=logicalval(mat+1); + else + txt=['[$U#' I_a(size(mat),'l') typecast(swapbytes(uint8(mat(:)')),'uint8')]; + end +else + if(numel(mat)==1) + txt=['[' D_(mat) ']']; + else + txt=D_a(mat(:),'D',size(mat)); + end +end + +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end +%%------------------------------------------------------------------------- +function val=S_(str) +if(length(str)==1) + val=['C' str]; +else + val=['S' I_(int32(length(str))) str]; +end +%%------------------------------------------------------------------------- +function val=I_(num) +if(~isinteger(num)) + error('input is not an integer'); +end +if(num>=0 && num<255) + val=['U' data2byte(swapbytes(cast(num,'uint8')),'uint8')]; + return; +end +key='iIlL'; +cid={'int8','int16','int32','int64'}; +for i=1:4 + if((num>0 && num<2^(i*8-1)) || (num<0 && num>=-2^(i*8-1))) + val=[key(i) data2byte(swapbytes(cast(num,cid{i})),'uint8')]; + return; + end +end +error('unsupported integer'); + +%%------------------------------------------------------------------------- +function val=D_(num) +if(~isfloat(num)) + error('input is not a float'); +end + +if(isa(num,'single')) + val=['d' data2byte(num,'uint8')]; +else + val=['D' data2byte(num,'uint8')]; +end +%%------------------------------------------------------------------------- +function data=I_a(num,type,dim,format) +id=find(ismember('iUIlL',type)); + +if(id==0) + error('unsupported integer array'); +end + +% based on UBJSON specs, all integer types are stored in big endian format + +if(id==1) + data=data2byte(swapbytes(int8(num)),'uint8'); + blen=1; +elseif(id==2) + data=data2byte(swapbytes(uint8(num)),'uint8'); + blen=1; +elseif(id==3) + data=data2byte(swapbytes(int16(num)),'uint8'); + blen=2; +elseif(id==4) + data=data2byte(swapbytes(int32(num)),'uint8'); + blen=4; +elseif(id==5) + data=data2byte(swapbytes(int64(num)),'uint8'); + blen=8; +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/blen)) data(:)']; + end + data=['[' data(:)']; +else + data=reshape(data,blen,numel(data)/blen); + data(2:blen+1,:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function data=D_a(num,type,dim,format) +id=find(ismember('dD',type)); + +if(id==0) + error('unsupported float array'); +end + +if(id==1) + data=data2byte(single(num),'uint8'); +elseif(id==2) + data=data2byte(double(num),'uint8'); +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/(id*4))) data(:)']; + end + data=['[' data]; +else + data=reshape(data,(id*4),length(data)/(id*4)); + data(2:(id*4+1),:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function bytes=data2byte(varargin) +bytes=typecast(varargin{:}); +bytes=bytes(:)'; diff --git a/machine-learning-ex2/ex2/lib/jsonlab/varargin2struct.m b/machine-learning-ex2/ex2/lib/jsonlab/varargin2struct.m new file mode 100644 index 0000000..9a5c2b6 --- /dev/null +++ b/machine-learning-ex2/ex2/lib/jsonlab/varargin2struct.m @@ -0,0 +1,40 @@ +function opt=varargin2struct(varargin) +% +% opt=varargin2struct('param1',value1,'param2',value2,...) +% or +% opt=varargin2struct(...,optstruct,...) +% +% convert a series of input parameters into a structure +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% 'param', value: the input parameters should be pairs of a string and a value +% optstruct: if a parameter is a struct, the fields will be merged to the output struct +% +% output: +% opt: a struct where opt.param1=value1, opt.param2=value2 ... +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +len=length(varargin); +opt=struct; +if(len==0) return; end +i=1; +while(i<=len) + if(isstruct(varargin{i})) + opt=mergestruct(opt,varargin{i}); + elseif(ischar(varargin{i}) && i 0 && resp(1) == '{'; + isHtml = findstr(lower(resp), ']+>', ' '); + strippedResponse = regexprep(strippedResponse, '[\t ]+', ' '); + fprintf(strippedResponse); +end + + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +% +% Service configuration +% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +function submissionUrl = submissionUrl() + submissionUrl = 'https://www-origin.coursera.org/api/onDemandProgrammingImmediateFormSubmissions.v1'; +end diff --git a/machine-learning-ex2/ex2/mapFeature.m b/machine-learning-ex2/ex2/mapFeature.m new file mode 100644 index 0000000..d02a72a --- /dev/null +++ b/machine-learning-ex2/ex2/mapFeature.m @@ -0,0 +1,21 @@ +function out = mapFeature(X1, X2) +% MAPFEATURE Feature mapping function to polynomial features +% +% MAPFEATURE(X1, X2) maps the two input features +% to quadratic features used in the regularization exercise. +% +% Returns a new feature array with more features, comprising of +% X1, X2, X1.^2, X2.^2, X1*X2, X1*X2.^2, etc.. +% +% Inputs X1, X2 must be the same size +% + +degree = 6; +out = ones(size(X1(:,1))); +for i = 1:degree + for j = 0:i + out(:, end+1) = (X1.^(i-j)).*(X2.^j); + end +end + +end \ No newline at end of file diff --git a/machine-learning-ex2/ex2/plotData.m b/machine-learning-ex2/ex2/plotData.m new file mode 100644 index 0000000..dbaeff5 --- /dev/null +++ b/machine-learning-ex2/ex2/plotData.m @@ -0,0 +1,38 @@ +function plotData(X, y) +%PLOTDATA Plots the data points X and y into a new figure +% PLOTDATA(x,y) plots the data points with + for the positive examples +% and o for the negative examples. X is assumed to be a Mx2 matrix. + +% Create New Figure +figure; hold on; + +% ====================== YOUR CODE HERE ====================== +% Instructions: Plot the positive and negative examples on a +% 2D plot, using the option 'k+' for the positive +% examples and 'ko' for the negative examples. +% + +% Seperate between positive and negative ( 0 or 1 admission) to later represent on graph +pos = find(y == 1); +neg = find(y == 0); + +% Setup Plots note: X(pos,1) finds all rows with positive output thanks to +% our find function returning a vector containing the indeces of each +plot(X(pos,1), X(pos,2), 'k+', 'LineWidth', 2, 'MarkerSize', 7); +plot(X(neg,1), X(neg,2), 'ko', 'MarkerFaceColor', 'y', 'MarkerSize', 7); + + + + + + + + + +% ========================================================================= + + + +hold off; + +end diff --git a/machine-learning-ex2/ex2/plotDecisionBoundary.m b/machine-learning-ex2/ex2/plotDecisionBoundary.m new file mode 100644 index 0000000..cd36314 --- /dev/null +++ b/machine-learning-ex2/ex2/plotDecisionBoundary.m @@ -0,0 +1,48 @@ +function plotDecisionBoundary(theta, X, y) +%PLOTDECISIONBOUNDARY Plots the data points X and y into a new figure with +%the decision boundary defined by theta +% PLOTDECISIONBOUNDARY(theta, X,y) plots the data points with + for the +% positive examples and o for the negative examples. X is assumed to be +% a either +% 1) Mx3 matrix, where the first column is an all-ones column for the +% intercept. +% 2) MxN, N>3 matrix, where the first column is all-ones + +% Plot Data +plotData(X(:,2:3), y); +hold on + +if size(X, 2) <= 3 + % Only need 2 points to define a line, so choose two endpoints + plot_x = [min(X(:,2))-2, max(X(:,2))+2]; + + % Calculate the decision boundary line + plot_y = (-1./theta(3)).*(theta(2).*plot_x + theta(1)); + + % Plot, and adjust axes for better viewing + plot(plot_x, plot_y) + + % Legend, specific for the exercise + legend('Admitted', 'Not admitted', 'Decision Boundary') + axis([30, 100, 30, 100]) +else + % Here is the grid range + u = linspace(-1, 1.5, 50); + v = linspace(-1, 1.5, 50); + + z = zeros(length(u), length(v)); + % Evaluate z = theta*x over the grid + for i = 1:length(u) + for j = 1:length(v) + z(i,j) = mapFeature(u(i), v(j))*theta; + end + end + z = z'; % important to transpose z before calling contour + + % Plot z = 0 + % Notice you need to specify the range [0, 0] + contour(u, v, z, [0, 0], 'LineWidth', 2) +end +hold off + +end diff --git a/machine-learning-ex2/ex2/predict.m b/machine-learning-ex2/ex2/predict.m new file mode 100644 index 0000000..d0829fb --- /dev/null +++ b/machine-learning-ex2/ex2/predict.m @@ -0,0 +1,32 @@ +function p = predict(theta, X) +%PREDICT Predict whether the label is 0 or 1 using learned logistic +%regression parameters theta +% p = PREDICT(theta, X) computes the predictions for X using a +% threshold at 0.5 (i.e., if sigmoid(theta'*x) >= 0.5, predict 1) + +m = size(X, 1); % Number of training examples + +% You need to return the following variables correctly +p = zeros(m, 1); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Complete the following code to make predictions using +% your learned logistic regression parameters. +% You should set p to a vector of 0's and 1's +% + +temp = sigmoid(X*theta); +for i=1:m + if (temp(i)>=0.5) + p(i) = 1; + endif +endfor + + + + + +% ========================================================================= + + +end diff --git a/machine-learning-ex2/ex2/sigmoid.m b/machine-learning-ex2/ex2/sigmoid.m new file mode 100644 index 0000000..1959ce5 --- /dev/null +++ b/machine-learning-ex2/ex2/sigmoid.m @@ -0,0 +1,19 @@ +function g = sigmoid(z) +%SIGMOID Compute sigmoid function +% g = SIGMOID(z) computes the sigmoid of z. + +% You need to return the following variables correctly +g = zeros(size(z)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the sigmoid of each value of z (z can be a matrix, +% vector or scalar). +g = 1 + exp(-1*z); +g = g.^(-1); + + + + +% ============================================================= + +end diff --git a/machine-learning-ex2/ex2/submit.m b/machine-learning-ex2/ex2/submit.m new file mode 100644 index 0000000..8ae80d6 --- /dev/null +++ b/machine-learning-ex2/ex2/submit.m @@ -0,0 +1,62 @@ +function submit() + addpath('./lib'); + + conf.assignmentSlug = 'logistic-regression'; + conf.itemName = 'Logistic Regression'; + conf.partArrays = { ... + { ... + '1', ... + { 'sigmoid.m' }, ... + 'Sigmoid Function', ... + }, ... + { ... + '2', ... + { 'costFunction.m' }, ... + 'Logistic Regression Cost', ... + }, ... + { ... + '3', ... + { 'costFunction.m' }, ... + 'Logistic Regression Gradient', ... + }, ... + { ... + '4', ... + { 'predict.m' }, ... + 'Predict', ... + }, ... + { ... + '5', ... + { 'costFunctionReg.m' }, ... + 'Regularized Logistic Regression Cost', ... + }, ... + { ... + '6', ... + { 'costFunctionReg.m' }, ... + 'Regularized Logistic Regression Gradient', ... + }, ... + }; + conf.output = @output; + + submitWithConfiguration(conf); +end + +function out = output(partId, auxstring) + % Random Test Cases + X = [ones(20,1) (exp(1) * sin(1:1:20))' (exp(0.5) * cos(1:1:20))']; + y = sin(X(:,1) + X(:,2)) > 0; + if partId == '1' + out = sprintf('%0.5f ', sigmoid(X)); + elseif partId == '2' + out = sprintf('%0.5f ', costFunction([0.25 0.5 -0.5]', X, y)); + elseif partId == '3' + [cost, grad] = costFunction([0.25 0.5 -0.5]', X, y); + out = sprintf('%0.5f ', grad); + elseif partId == '4' + out = sprintf('%0.5f ', predict([0.25 0.5 -0.5]', X)); + elseif partId == '5' + out = sprintf('%0.5f ', costFunctionReg([0.25 0.5 -0.5]', X, y, 0.1)); + elseif partId == '6' + [cost, grad] = costFunctionReg([0.25 0.5 -0.5]', X, y, 0.1); + out = sprintf('%0.5f ', grad); + end +end diff --git a/machine-learning-ex2/ex2/token.mat b/machine-learning-ex2/ex2/token.mat new file mode 100644 index 0000000..7f6553a --- /dev/null +++ b/machine-learning-ex2/ex2/token.mat @@ -0,0 +1,15 @@ +# Created by Octave 4.4.1, Wed Aug 14 14:40:02 2019 GMT +# name: email +# type: sq_string +# elements: 1 +# length: 17 +tsb1995@gmail.com + + +# name: token +# type: sq_string +# elements: 1 +# length: 16 +dyGPwTWBjVLKRja1 + + diff --git a/machine-learning-ex3/ex3.pdf b/machine-learning-ex3/ex3.pdf new file mode 100644 index 0000000..93ad46a Binary files /dev/null and b/machine-learning-ex3/ex3.pdf differ diff --git a/machine-learning-ex3/ex3/displayData.m b/machine-learning-ex3/ex3/displayData.m new file mode 100644 index 0000000..160697e --- /dev/null +++ b/machine-learning-ex3/ex3/displayData.m @@ -0,0 +1,59 @@ +function [h, display_array] = displayData(X, example_width) +%DISPLAYDATA Display 2D data in a nice grid +% [h, display_array] = DISPLAYDATA(X, example_width) displays 2D data +% stored in X in a nice grid. It returns the figure handle h and the +% displayed array if requested. + +% Set example_width automatically if not passed in +if ~exist('example_width', 'var') || isempty(example_width) + example_width = round(sqrt(size(X, 2))); +end + +% Gray Image +colormap(gray); + +% Compute rows, cols +[m n] = size(X); +example_height = (n / example_width); + +% Compute number of items to display +display_rows = floor(sqrt(m)); +display_cols = ceil(m / display_rows); + +% Between images padding +pad = 1; + +% Setup blank display +display_array = - ones(pad + display_rows * (example_height + pad), ... + pad + display_cols * (example_width + pad)); + +% Copy each example into a patch on the display array +curr_ex = 1; +for j = 1:display_rows + for i = 1:display_cols + if curr_ex > m, + break; + end + % Copy the patch + + % Get the max value of the patch + max_val = max(abs(X(curr_ex, :))); + display_array(pad + (j - 1) * (example_height + pad) + (1:example_height), ... + pad + (i - 1) * (example_width + pad) + (1:example_width)) = ... + reshape(X(curr_ex, :), example_height, example_width) / max_val; + curr_ex = curr_ex + 1; + end + if curr_ex > m, + break; + end +end + +% Display Image +h = imagesc(display_array, [-1 1]); + +% Do not show axis +axis image off + +drawnow; + +end diff --git a/machine-learning-ex3/ex3/ex3.m b/machine-learning-ex3/ex3/ex3.m new file mode 100644 index 0000000..017bf24 --- /dev/null +++ b/machine-learning-ex3/ex3/ex3.m @@ -0,0 +1,88 @@ +%% Machine Learning Online Class - Exercise 3 | Part 1: One-vs-all + +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% linear exercise. You will need to complete the following functions +% in this exericse: +% +% lrCostFunction.m (logistic regression cost function) +% oneVsAll.m +% predictOneVsAll.m +% predict.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% Setup the parameters you will use for this part of the exercise +input_layer_size = 400; % 20x20 Input Images of Digits +num_labels = 10; % 10 labels, from 1 to 10 + % (note that we have mapped "0" to label 10) + +%% =========== Part 1: Loading and Visualizing Data ============= +% We start the exercise by first loading and visualizing the dataset. +% You will be working with a dataset that contains handwritten digits. +% + +% Load Training Data +fprintf('Loading and Visualizing Data ...\n') + +load('ex3data1.mat'); % training data stored in arrays X, y +m = size(X, 1); + +% Randomly select 100 data points to display +rand_indices = randperm(m); +sel = X(rand_indices(1:100), :); + +displayData(sel); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% ============ Part 2a: Vectorize Logistic Regression ============ +% In this part of the exercise, you will reuse your logistic regression +% code from the last exercise. You task here is to make sure that your +% regularized logistic regression implementation is vectorized. After +% that, you will implement one-vs-all classification for the handwritten +% digit dataset. +% + +% Test case for lrCostFunction +fprintf('\nTesting lrCostFunction() with regularization'); + +theta_t = [-2; -1; 1; 2]; +X_t = [ones(5,1) reshape(1:15,5,3)/10]; +y_t = ([1;0;1;0;1] >= 0.5); +lambda_t = 3; +[J grad] = lrCostFunction(theta_t, X_t, y_t, lambda_t); + +fprintf('\nCost: %f\n', J); +fprintf('Expected cost: 2.534819\n'); +fprintf('Gradients:\n'); +fprintf(' %f \n', grad); +fprintf('Expected gradients:\n'); +fprintf(' 0.146561\n -0.548558\n 0.724722\n 1.398003\n'); + +fprintf('Program paused. Press enter to continue.\n'); +pause; +%% ============ Part 2b: One-vs-All Training ============ +fprintf('\nTraining One-vs-All Logistic Regression...\n') + +lambda = 0.1; +[all_theta] = oneVsAll(X, y, num_labels, lambda); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ================ Part 3: Predict for One-Vs-All ================ + +pred = predictOneVsAll(all_theta, X); + +fprintf('\nTraining Set Accuracy: %f\n', mean(double(pred == y)) * 100); + diff --git a/machine-learning-ex3/ex3/ex3_nn.m b/machine-learning-ex3/ex3/ex3_nn.m new file mode 100644 index 0000000..d73c0ba --- /dev/null +++ b/machine-learning-ex3/ex3/ex3_nn.m @@ -0,0 +1,90 @@ +%% Machine Learning Online Class - Exercise 3 | Part 2: Neural Networks + +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% linear exercise. You will need to complete the following functions +% in this exericse: +% +% lrCostFunction.m (logistic regression cost function) +% oneVsAll.m +% predictOneVsAll.m +% predict.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% Setup the parameters you will use for this exercise +input_layer_size = 400; % 20x20 Input Images of Digits +hidden_layer_size = 25; % 25 hidden units +num_labels = 10; % 10 labels, from 1 to 10 + % (note that we have mapped "0" to label 10) + +%% =========== Part 1: Loading and Visualizing Data ============= +% We start the exercise by first loading and visualizing the dataset. +% You will be working with a dataset that contains handwritten digits. +% + +% Load Training Data +fprintf('Loading and Visualizing Data ...\n') + +load('ex3data1.mat'); +m = size(X, 1); + +% Randomly select 100 data points to display +sel = randperm(size(X, 1)); +sel = sel(1:100); + +displayData(X(sel, :)); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% ================ Part 2: Loading Pameters ================ +% In this part of the exercise, we load some pre-initialized +% neural network parameters. + +fprintf('\nLoading Saved Neural Network Parameters ...\n') + +% Load the weights into variables Theta1 and Theta2 +load('ex3weights.mat'); + +%% ================= Part 3: Implement Predict ================= +% After training the neural network, we would like to use it to predict +% the labels. You will now implement the "predict" function to use the +% neural network to predict the labels of the training set. This lets +% you compute the training set accuracy. + +pred = predict(Theta1, Theta2, X); + +fprintf('\nTraining Set Accuracy: %f\n', mean(double(pred == y)) * 100); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +% To give you an idea of the network's output, you can also run +% through the examples one at the a time to see what it is predicting. + +% Randomly permute examples +rp = randperm(m); + +for i = 1:m + % Display + fprintf('\nDisplaying Example Image\n'); + displayData(X(rp(i), :)); + + pred = predict(Theta1, Theta2, X(rp(i),:)); + fprintf('\nNeural Network Prediction: %d (digit %d)\n', pred, mod(pred, 10)); + + % Pause with quit option + s = input('Paused - press enter to continue, q to exit:','s'); + if s == 'q' + break + end +end + diff --git a/machine-learning-ex3/ex3/ex3data1.mat b/machine-learning-ex3/ex3/ex3data1.mat new file mode 100644 index 0000000..371bd0c Binary files /dev/null and b/machine-learning-ex3/ex3/ex3data1.mat differ diff --git a/machine-learning-ex3/ex3/ex3weights.mat b/machine-learning-ex3/ex3/ex3weights.mat new file mode 100644 index 0000000..ace2a09 Binary files /dev/null and b/machine-learning-ex3/ex3/ex3weights.mat differ diff --git a/machine-learning-ex3/ex3/fmincg.m b/machine-learning-ex3/ex3/fmincg.m new file mode 100644 index 0000000..47a8816 --- /dev/null +++ b/machine-learning-ex3/ex3/fmincg.m @@ -0,0 +1,175 @@ +function [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% Minimize a continuous differentialble multivariate function. Starting point +% is given by "X" (D by 1), and the function named in the string "f", must +% return a function value and a vector of partial derivatives. The Polack- +% Ribiere flavour of conjugate gradients is used to compute search directions, +% and a line search using quadratic and cubic polynomial approximations and the +% Wolfe-Powell stopping criteria is used together with the slope ratio method +% for guessing initial step sizes. Additionally a bunch of checks are made to +% make sure that exploration is taking place and that extrapolation will not +% be unboundedly large. The "length" gives the length of the run: if it is +% positive, it gives the maximum number of line searches, if negative its +% absolute gives the maximum allowed number of function evaluations. You can +% (optionally) give "length" a second component, which will indicate the +% reduction in function value to be expected in the first line-search (defaults +% to 1.0). The function returns when either its length is up, or if no further +% progress can be made (ie, we are at a minimum, or so close that due to +% numerical problems, we cannot get any closer). If the function terminates +% within a few iterations, it could be an indication that the function value +% and derivatives are not consistent (ie, there may be a bug in the +% implementation of your "f" function). The function returns the found +% solution "X", a vector of function values "fX" indicating the progress made +% and "i" the number of iterations (line searches or function evaluations, +% depending on the sign of "length") used. +% +% Usage: [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% +% See also: checkgrad +% +% Copyright (C) 2001 and 2002 by Carl Edward Rasmussen. Date 2002-02-13 +% +% +% (C) Copyright 1999, 2000 & 2001, Carl Edward Rasmussen +% +% Permission is granted for anyone to copy, use, or modify these +% programs and accompanying documents for purposes of research or +% education, provided this copyright notice is retained, and note is +% made of any changes that have been made. +% +% These programs and documents are distributed without any warranty, +% express or implied. As the programs were written for research +% purposes only, they have not been tested to the degree that would be +% advisable in any important application. All use of these programs is +% entirely at the user's own risk. +% +% [ml-class] Changes Made: +% 1) Function name and argument specifications +% 2) Output display +% + +% Read options +if exist('options', 'var') && ~isempty(options) && isfield(options, 'MaxIter') + length = options.MaxIter; +else + length = 100; +end + + +RHO = 0.01; % a bunch of constants for line searches +SIG = 0.5; % RHO and SIG are the constants in the Wolfe-Powell conditions +INT = 0.1; % don't reevaluate within 0.1 of the limit of the current bracket +EXT = 3.0; % extrapolate maximum 3 times the current bracket +MAX = 20; % max 20 function evaluations per line search +RATIO = 100; % maximum allowed slope ratio + +argstr = ['feval(f, X']; % compose string used to call function +for i = 1:(nargin - 3) + argstr = [argstr, ',P', int2str(i)]; +end +argstr = [argstr, ')']; + +if max(size(length)) == 2, red=length(2); length=length(1); else red=1; end +S=['Iteration ']; + +i = 0; % zero the run length counter +ls_failed = 0; % no previous line search has failed +fX = []; +[f1 df1] = eval(argstr); % get function value and gradient +i = i + (length<0); % count epochs?! +s = -df1; % search direction is steepest +d1 = -s'*s; % this is the slope +z1 = red/(1-d1); % initial step is red/(|s|+1) + +while i < abs(length) % while not finished + i = i + (length>0); % count iterations?! + + X0 = X; f0 = f1; df0 = df1; % make a copy of current values + X = X + z1*s; % begin line search + [f2 df2] = eval(argstr); + i = i + (length<0); % count epochs?! + d2 = df2'*s; + f3 = f1; d3 = d1; z3 = -z1; % initialize point 3 equal to point 1 + if length>0, M = MAX; else M = min(MAX, -length-i); end + success = 0; limit = -1; % initialize quanteties + while 1 + while ((f2 > f1+z1*RHO*d1) || (d2 > -SIG*d1)) && (M > 0) + limit = z1; % tighten the bracket + if f2 > f1 + z2 = z3 - (0.5*d3*z3*z3)/(d3*z3+f2-f3); % quadratic fit + else + A = 6*(f2-f3)/z3+3*(d2+d3); % cubic fit + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = (sqrt(B*B-A*d2*z3*z3)-B)/A; % numerical error possible - ok! + end + if isnan(z2) || isinf(z2) + z2 = z3/2; % if we had a numerical problem then bisect + end + z2 = max(min(z2, INT*z3),(1-INT)*z3); % don't accept too close to limits + z1 = z1 + z2; % update the step + X = X + z2*s; + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + z3 = z3-z2; % z3 is now relative to the location of z2 + end + if f2 > f1+z1*RHO*d1 || d2 > -SIG*d1 + break; % this is a failure + elseif d2 > SIG*d1 + success = 1; break; % success + elseif M == 0 + break; % failure + end + A = 6*(f2-f3)/z3+3*(d2+d3); % make cubic extrapolation + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = -d2*z3*z3/(B+sqrt(B*B-A*d2*z3*z3)); % num. error possible - ok! + if ~isreal(z2) || isnan(z2) || isinf(z2) || z2 < 0 % num prob or wrong sign? + if limit < -0.5 % if we have no upper limit + z2 = z1 * (EXT-1); % the extrapolate the maximum amount + else + z2 = (limit-z1)/2; % otherwise bisect + end + elseif (limit > -0.5) && (z2+z1 > limit) % extraplation beyond max? + z2 = (limit-z1)/2; % bisect + elseif (limit < -0.5) && (z2+z1 > z1*EXT) % extrapolation beyond limit + z2 = z1*(EXT-1.0); % set to extrapolation limit + elseif z2 < -z3*INT + z2 = -z3*INT; + elseif (limit > -0.5) && (z2 < (limit-z1)*(1.0-INT)) % too close to limit? + z2 = (limit-z1)*(1.0-INT); + end + f3 = f2; d3 = d2; z3 = -z2; % set point 3 equal to point 2 + z1 = z1 + z2; X = X + z2*s; % update current estimates + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + end % end of line search + + if success % if line search succeeded + f1 = f2; fX = [fX' f1]'; + fprintf('%s %4i | Cost: %4.6e\r', S, i, f1); + s = (df2'*df2-df1'*df2)/(df1'*df1)*s - df2; % Polack-Ribiere direction + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + d2 = df1'*s; + if d2 > 0 % new slope must be negative + s = -df1; % otherwise use steepest direction + d2 = -s'*s; + end + z1 = z1 * min(RATIO, d1/(d2-realmin)); % slope ratio but max RATIO + d1 = d2; + ls_failed = 0; % this line search did not fail + else + X = X0; f1 = f0; df1 = df0; % restore point from before failed line search + if ls_failed || i > abs(length) % line search failed twice in a row + break; % or we ran out of time, so we give up + end + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + s = -df1; % try steepest + d1 = -s'*s; + z1 = 1/(1-d1); + ls_failed = 1; % this line search failed + end + if exist('OCTAVE_VERSION') + fflush(stdout); + end +end +fprintf('\n'); diff --git a/machine-learning-ex3/ex3/lib/jsonlab/AUTHORS.txt b/machine-learning-ex3/ex3/lib/jsonlab/AUTHORS.txt new file mode 100644 index 0000000..9dd3fc7 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/AUTHORS.txt @@ -0,0 +1,41 @@ +The author of "jsonlab" toolbox is Qianqian Fang. Qianqian +is currently an Assistant Professor at Massachusetts General Hospital, +Harvard Medical School. + +Address: Martinos Center for Biomedical Imaging, + Massachusetts General Hospital, + Harvard Medical School + Bldg 149, 13th St, Charlestown, MA 02129, USA +URL: http://nmr.mgh.harvard.edu/~fangq/ +Email: or + + +The script loadjson.m was built upon previous works by + +- Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 + date: 2009/11/02 +- François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 + date: 2009/03/22 +- Joel Feenstra: http://www.mathworks.com/matlabcentral/fileexchange/20565 + date: 2008/07/03 + + +This toolbox contains patches submitted by the following contributors: + +- Blake Johnson + part of revision 341 + +- Niclas Borlin + various fixes in revision 394, including + - loadjson crashes for all-zero sparse matrix. + - loadjson crashes for empty sparse matrix. + - Non-zero size of 0-by-N and N-by-0 empty matrices is lost after savejson/loadjson. + - loadjson crashes for sparse real column vector. + - loadjson crashes for sparse complex column vector. + - Data is corrupted by savejson for sparse real row vector. + - savejson crashes for sparse complex row vector. + +- Yul Kang + patches for svn revision 415. + - savejson saves an empty cell array as [] instead of null + - loadjson differentiates an empty struct from an empty array diff --git a/machine-learning-ex3/ex3/lib/jsonlab/ChangeLog.txt b/machine-learning-ex3/ex3/lib/jsonlab/ChangeLog.txt new file mode 100644 index 0000000..07824f5 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/ChangeLog.txt @@ -0,0 +1,74 @@ +============================================================================ + + JSONlab - a toolbox to encode/decode JSON/UBJSON files in MATLAB/Octave + +---------------------------------------------------------------------------- + +JSONlab ChangeLog (key features marked by *): + +== JSONlab 1.0 (codename: Optimus - Final), FangQ == + + 2015/01/02 polish help info for all major functions, update examples, finalize 1.0 + 2014/12/19 fix a bug to strictly respect NoRowBracket in savejson + +== JSONlab 1.0.0-RC2 (codename: Optimus - RC2), FangQ == + + 2014/11/22 show progress bar in loadjson ('ShowProgress') + 2014/11/17 add Compact option in savejson to output compact JSON format ('Compact') + 2014/11/17 add FastArrayParser in loadjson to specify fast parser applicable levels + 2014/09/18 start official github mirror: https://github.com/fangq/jsonlab + +== JSONlab 1.0.0-RC1 (codename: Optimus - RC1), FangQ == + + 2014/09/17 fix several compatibility issues when running on octave versions 3.2-3.8 + 2014/09/17 support 2D cell and struct arrays in both savejson and saveubjson + 2014/08/04 escape special characters in a JSON string + 2014/02/16 fix a bug when saving ubjson files + +== JSONlab 0.9.9 (codename: Optimus - beta), FangQ == + + 2014/01/22 use binary read and write in saveubjson and loadubjson + +== JSONlab 0.9.8-1 (codename: Optimus - alpha update 1), FangQ == + + 2013/10/07 better round-trip conservation for empty arrays and structs (patch submitted by Yul Kang) + +== JSONlab 0.9.8 (codename: Optimus - alpha), FangQ == + 2013/08/23 *universal Binary JSON (UBJSON) support, including both saveubjson and loadubjson + +== JSONlab 0.9.1 (codename: Rodimus, update 1), FangQ == + 2012/12/18 *handling of various empty and sparse matrices (fixes submitted by Niclas Borlin) + +== JSONlab 0.9.0 (codename: Rodimus), FangQ == + + 2012/06/17 *new format for an invalid leading char, unpacking hex code in savejson + 2012/06/01 support JSONP in savejson + 2012/05/25 fix the empty cell bug (reported by Cyril Davin) + 2012/04/05 savejson can save to a file (suggested by Patrick Rapin) + +== JSONlab 0.8.1 (codename: Sentiel, Update 1), FangQ == + + 2012/02/28 loadjson quotation mark escape bug, see http://bit.ly/yyk1nS + 2012/01/25 patch to handle root-less objects, contributed by Blake Johnson + +== JSONlab 0.8.0 (codename: Sentiel), FangQ == + + 2012/01/13 *speed up loadjson by 20 fold when parsing large data arrays in matlab + 2012/01/11 remove row bracket if an array has 1 element, suggested by Mykel Kochenderfer + 2011/12/22 *accept sequence of 'param',value input in savejson and loadjson + 2011/11/18 fix struct array bug reported by Mykel Kochenderfer + +== JSONlab 0.5.1 (codename: Nexus Update 1), FangQ == + + 2011/10/21 fix a bug in loadjson, previous code does not use any of the acceleration + 2011/10/20 loadjson supports JSON collections - concatenated JSON objects + +== JSONlab 0.5.0 (codename: Nexus), FangQ == + + 2011/10/16 package and release jsonlab 0.5.0 + 2011/10/15 *add json demo and regression test, support cpx numbers, fix double quote bug + 2011/10/11 *speed up readjson dramatically, interpret _Array* tags, show data in root level + 2011/10/10 create jsonlab project, start jsonlab website, add online documentation + 2011/10/07 *speed up savejson by 25x using sprintf instead of mat2str, add options support + 2011/10/06 *savejson works for structs, cells and arrays + 2011/09/09 derive loadjson from JSON parser from MATLAB Central, draft savejson.m diff --git a/machine-learning-ex3/ex3/lib/jsonlab/LICENSE_BSD.txt b/machine-learning-ex3/ex3/lib/jsonlab/LICENSE_BSD.txt new file mode 100644 index 0000000..32d66cb --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/LICENSE_BSD.txt @@ -0,0 +1,25 @@ +Copyright 2011-2015 Qianqian Fang . All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are +permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, this list of + conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright notice, this list + of conditions and the following disclaimer in the documentation and/or other materials + provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ''AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS +OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR +CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF +ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +The views and conclusions contained in the software and documentation are those of the +authors and should not be interpreted as representing official policies, either expressed +or implied, of the copyright holders. diff --git a/machine-learning-ex3/ex3/lib/jsonlab/README.txt b/machine-learning-ex3/ex3/lib/jsonlab/README.txt new file mode 100644 index 0000000..7b4f732 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/README.txt @@ -0,0 +1,394 @@ +=============================================================================== += JSONLab = += An open-source MATLAB/Octave JSON encoder and decoder = +=============================================================================== + +*Copyright (C) 2011-2015 Qianqian Fang +*License: BSD License, see License_BSD.txt for details +*Version: 1.0 (Optimus - Final) + +------------------------------------------------------------------------------- + +Table of Content: + +I. Introduction +II. Installation +III.Using JSONLab +IV. Known Issues and TODOs +V. Contribution and feedback + +------------------------------------------------------------------------------- + +I. Introduction + +JSON ([http://www.json.org/ JavaScript Object Notation]) is a highly portable, +human-readable and "[http://en.wikipedia.org/wiki/JSON fat-free]" text format +to represent complex and hierarchical data. It is as powerful as +[http://en.wikipedia.org/wiki/XML XML], but less verbose. JSON format is widely +used for data-exchange in applications, and is essential for the wild success +of [http://en.wikipedia.org/wiki/Ajax_(programming) Ajax] and +[http://en.wikipedia.org/wiki/Web_2.0 Web2.0]. + +UBJSON (Universal Binary JSON) is a binary JSON format, specifically +optimized for compact file size and better performance while keeping +the semantics as simple as the text-based JSON format. Using the UBJSON +format allows to wrap complex binary data in a flexible and extensible +structure, making it possible to process complex and large dataset +without accuracy loss due to text conversions. + +We envision that both JSON and its binary version will serve as part of +the mainstream data-exchange formats for scientific research in the future. +It will provide the flexibility and generality achieved by other popular +general-purpose file specifications, such as +[http://www.hdfgroup.org/HDF5/whatishdf5.html HDF5], with significantly +reduced complexity and enhanced performance. + +JSONLab is a free and open-source implementation of a JSON/UBJSON encoder +and a decoder in the native MATLAB language. It can be used to convert a MATLAB +data structure (array, struct, cell, struct array and cell array) into +JSON/UBJSON formatted strings, or to decode a JSON/UBJSON file into MATLAB +data structure. JSONLab supports both MATLAB and +[http://www.gnu.org/software/octave/ GNU Octave] (a free MATLAB clone). + +------------------------------------------------------------------------------- + +II. Installation + +The installation of JSONLab is no different than any other simple +MATLAB toolbox. You only need to download/unzip the JSONLab package +to a folder, and add the folder's path to MATLAB/Octave's path list +by using the following command: + + addpath('/path/to/jsonlab'); + +If you want to add this path permanently, you need to type "pathtool", +browse to the jsonlab root folder and add to the list, then click "Save". +Then, run "rehash" in MATLAB, and type "which loadjson", if you see an +output, that means JSONLab is installed for MATLAB/Octave. + +------------------------------------------------------------------------------- + +III.Using JSONLab + +JSONLab provides two functions, loadjson.m -- a MATLAB->JSON decoder, +and savejson.m -- a MATLAB->JSON encoder, for the text-based JSON, and +two equivallent functions -- loadubjson and saveubjson for the binary +JSON. The detailed help info for the four functions can be found below: + +=== loadjson.m === +
+  data=loadjson(fname,opt)
+     or
+  data=loadjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09, including previous works from 
+ 
+          Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713
+             created on 2009/11/02
+          François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393
+             created on  2009/03/22
+          Joel Feenstra:
+          http://www.mathworks.com/matlabcentral/fileexchange/20565
+             created on 2008/07/03
+ 
+  $Id: loadjson.m 452 2014-11-22 16:43:33Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a JSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.FastArrayParser [1|0 or integer]: if set to 1, use a
+                          speed-optimized array parser when loading an 
+                          array object. The fast array parser may 
+                          collapse block arrays into a single large
+                          array similar to rules defined in cell2mat; 0 to 
+                          use a legacy parser; if set to a larger-than-1
+                          value, this option will specify the minimum
+                          dimension to enable the fast array parser. For
+                          example, if the input is a 3D array, setting
+                          FastArrayParser to 1 will return a 3D array;
+                          setting to 2 will return a cell array of 2D
+                          arrays; setting to 3 will return to a 2D cell
+                          array of 1D vectors; setting to 4 will return a
+                          3D cell array.
+            opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}')
+       dat=loadjson(['examples' filesep 'example1.json'])
+       dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1)
+
+ +=== savejson.m === + +
+  json=savejson(rootname,obj,filename)
+     or
+  json=savejson(rootname,obj,opt)
+  json=savejson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a JSON (JavaScript
+  Object Notation) string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09
+ 
+  $Id: savejson.m 458 2014-12-19 22:17:17Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array).
+       filename: a string for the file name to save the output JSON data.
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.FloatFormat ['%.10g'|string]: format to show each numeric element
+                          of a 1D/2D array;
+         opt.ArrayIndent [1|0]: if 1, output explicit data array with
+                          precedent indentation; if 0, no indentation
+         opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [0|1]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern
+                          to represent +/-Inf. The matched pattern is '([-+]*)Inf'
+                          and $1 represents the sign. For those who want to use
+                          1e999 to represent Inf, they can set opt.Inf to '$11e999'
+         opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern
+                          to represent NaN
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSONP='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+         opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode.
+         opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs)
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a string in the JSON format (see http://json.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       savejson('jmesh',jsonmesh)
+       savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g')
+ 
+ +=== loadubjson.m === + +
+  data=loadubjson(fname,opt)
+     or
+  data=loadubjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/01
+ 
+  $Id: loadubjson.m 436 2014-08-05 20:51:40Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a UBJSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.IntEndian [B|L]: specify the endianness of the integer fields
+                          in the UBJSON input data. B - Big-Endian format for 
+                          integers (as required in the UBJSON specification); 
+                          L - input integer fields are in Little-Endian order.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       obj=struct('string','value','array',[1 2 3]);
+       ubjdata=saveubjson('obj',obj);
+       dat=loadubjson(ubjdata)
+       dat=loadubjson(['examples' filesep 'example1.ubj'])
+       dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1)
+
+ +=== saveubjson.m === + +
+  json=saveubjson(rootname,obj,filename)
+     or
+  json=saveubjson(rootname,obj,opt)
+  json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a Universal 
+  Binary JSON (UBJSON) binary string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/17
+ 
+  $Id: saveubjson.m 440 2014-09-17 19:59:45Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array)
+       filename: a string for the file name to save the output UBJSON data
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [1|0]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSON='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a binary string in the UBJSON format (see http://ubjson.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       saveubjson('jsonmesh',jsonmesh)
+       saveubjson('jsonmesh',jsonmesh,'meshdata.ubj')
+
+ + +=== examples === + +Under the "examples" folder, you can find several scripts to demonstrate the +basic utilities of JSONLab. Running the "demo_jsonlab_basic.m" script, you +will see the conversions from MATLAB data structure to JSON text and backward. +In "jsonlab_selftest.m", we load complex JSON files downloaded from the Internet +and validate the loadjson/savejson functions for regression testing purposes. +Similarly, a "demo_ubjson_basic.m" script is provided to test the saveubjson +and loadubjson pairs for various matlab data structures. + +Please run these examples and understand how JSONLab works before you use +it to process your data. + +------------------------------------------------------------------------------- + +IV. Known Issues and TODOs + +JSONLab has several known limitations. We are striving to make it more general +and robust. Hopefully in a few future releases, the limitations become less. + +Here are the known issues: + +# 3D or higher dimensional cell/struct-arrays will be converted to 2D arrays; +# When processing names containing multi-byte characters, Octave and MATLAB \ +can give different field-names; you can use feature('DefaultCharacterSet','latin1') \ +in MATLAB to get consistant results +# savejson can not handle class and dataset. +# saveubjson converts a logical array into a uint8 ([U]) array +# an unofficial N-D array count syntax is implemented in saveubjson. We are \ +actively communicating with the UBJSON spec maintainer to investigate the \ +possibility of making it upstream +# loadubjson can not parse all UBJSON Specification (Draft 9) compliant \ +files, however, it can parse all UBJSON files produced by saveubjson. + +------------------------------------------------------------------------------- + +V. Contribution and feedback + +JSONLab is an open-source project. This means you can not only use it and modify +it as you wish, but also you can contribute your changes back to JSONLab so +that everyone else can enjoy the improvement. For anyone who want to contribute, +please download JSONLab source code from it's subversion repository by using the +following command: + + svn checkout svn://svn.code.sf.net/p/iso2mesh/code/trunk/jsonlab jsonlab + +You can make changes to the files as needed. Once you are satisfied with your +changes, and ready to share it with others, please cd the root directory of +JSONLab, and type + + svn diff > yourname_featurename.patch + +You then email the .patch file to JSONLab's maintainer, Qianqian Fang, at +the email address shown in the beginning of this file. Qianqian will review +the changes and commit it to the subversion if they are satisfactory. + +We appreciate any suggestions and feedbacks from you. Please use iso2mesh's +mailing list to report any questions you may have with JSONLab: + +http://groups.google.com/group/iso2mesh-users?hl=en&pli=1 + +(Subscription to the mailing list is needed in order to post messages). diff --git a/machine-learning-ex3/ex3/lib/jsonlab/jsonopt.m b/machine-learning-ex3/ex3/lib/jsonlab/jsonopt.m new file mode 100644 index 0000000..0bebd8d --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/jsonopt.m @@ -0,0 +1,32 @@ +function val=jsonopt(key,default,varargin) +% +% val=jsonopt(key,default,optstruct) +% +% setting options based on a struct. The struct can be produced +% by varargin2struct from a list of 'param','value' pairs +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% +% $Id: loadjson.m 371 2012-06-20 12:43:06Z fangq $ +% +% input: +% key: a string with which one look up a value from a struct +% default: if the key does not exist, return default +% optstruct: a struct where each sub-field is a key +% +% output: +% val: if key exists, val=optstruct.key; otherwise val=default +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +val=default; +if(nargin<=2) return; end +opt=varargin{1}; +if(isstruct(opt) && isfield(opt,key)) + val=getfield(opt,key); +end + diff --git a/machine-learning-ex3/ex3/lib/jsonlab/loadjson.m b/machine-learning-ex3/ex3/lib/jsonlab/loadjson.m new file mode 100644 index 0000000..42798c0 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/loadjson.m @@ -0,0 +1,566 @@ +function data = loadjson(fname,varargin) +% +% data=loadjson(fname,opt) +% or +% data=loadjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09, including previous works from +% +% Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 +% created on 2009/11/02 +% François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 +% created on 2009/03/22 +% Joel Feenstra: +% http://www.mathworks.com/matlabcentral/fileexchange/20565 +% created on 2008/07/03 +% +% $Id: loadjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a JSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.FastArrayParser [1|0 or integer]: if set to 1, use a +% speed-optimized array parser when loading an +% array object. The fast array parser may +% collapse block arrays into a single large +% array similar to rules defined in cell2mat; 0 to +% use a legacy parser; if set to a larger-than-1 +% value, this option will specify the minimum +% dimension to enable the fast array parser. For +% example, if the input is a 3D array, setting +% FastArrayParser to 1 will return a 3D array; +% setting to 2 will return a cell array of 2D +% arrays; setting to 3 will return to a 2D cell +% array of 1D vectors; setting to 4 will return a +% 3D cell array. +% opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}') +% dat=loadjson(['examples' filesep 'example1.json']) +% dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); + +if(jsonopt('ShowProgress',0,opt)==1) + opt.progressbar_=waitbar(0,'loading ...'); +end +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end +if(isfield(opt,'progressbar_')) + close(opt.progressbar_); +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=data(j).x0x5F_ArraySize_; + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + if next_char ~= '}' + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + parse_char(':'); + val = parse_value(varargin{:}); + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' + break; + end + parse_char(','); + end + end + parse_char('}'); + +%%------------------------------------------------------------------------- + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim2=[]; + arraydepth=jsonopt('JSONLAB_ArrayDepth_',1,varargin{:}); + pbar=jsonopt('progressbar_',-1,varargin{:}); + + if next_char ~= ']' + if(jsonopt('FastArrayParser',1,varargin{:})>=1 && arraydepth>=jsonopt('FastArrayParser',1,varargin{:})) + [endpos, e1l, e1r, maxlevel]=matching_bracket(inStr,pos); + arraystr=['[' inStr(pos:endpos)]; + arraystr=regexprep(arraystr,'"_NaN_"','NaN'); + arraystr=regexprep(arraystr,'"([-+]*)_Inf_"','$1Inf'); + arraystr(arraystr==sprintf('\n'))=[]; + arraystr(arraystr==sprintf('\r'))=[]; + %arraystr=regexprep(arraystr,'\s*,',','); % this is slow,sometimes needed + if(~isempty(e1l) && ~isempty(e1r)) % the array is in 2D or higher D + astr=inStr((e1l+1):(e1r-1)); + astr=regexprep(astr,'"_NaN_"','NaN'); + astr=regexprep(astr,'"([-+]*)_Inf_"','$1Inf'); + astr(astr==sprintf('\n'))=[]; + astr(astr==sprintf('\r'))=[]; + astr(astr==' ')=''; + if(isempty(find(astr=='[', 1))) % array is 2D + dim2=length(sscanf(astr,'%f,',[1 inf])); + end + else % array is 1D + astr=arraystr(2:end-1); + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',[1,inf]); + if(nextidx>=length(astr)-1) + object=obj; + pos=endpos; + parse_char(']'); + return; + end + end + if(~isempty(dim2)) + astr=arraystr; + astr(astr=='[')=''; + astr(astr==']')=''; + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',inf); + if(nextidx>=length(astr)-1) + object=reshape(obj,dim2,numel(obj)/dim2)'; + pos=endpos; + parse_char(']'); + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end + return; + end + end + arraystr=regexprep(arraystr,'\]\s*,','];'); + else + arraystr='['; + end + try + if(isoct && regexp(arraystr,'"','once')) + error('Octave eval can produce empty cells for JSON-like input'); + end + object=eval(arraystr); + pos=endpos; + catch + while 1 + newopt=varargin2struct(varargin{:},'JSONLAB_ArrayDepth_',arraydepth+1); + val = parse_value(newopt); + object{end+1} = val; + if next_char == ']' + break; + end + parse_char(','); + end + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + parse_char(']'); + + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr len esc index_esc len_esc + % len, ns = length(inStr), keyboard + if inStr(pos) ~= '"' + error_pos('String starting with " expected at position %d'); + else + pos = pos + 1; + end + str = ''; + while pos <= len + while index_esc <= len_esc && esc(index_esc) < pos + index_esc = index_esc + 1; + end + if index_esc > len_esc + str = [str inStr(pos:len)]; + pos = len + 1; + break; + else + str = [str inStr(pos:esc(index_esc)-1)]; + pos = esc(index_esc); + end + nstr = length(str); switch inStr(pos) + case '"' + pos = pos + 1; + if(~isempty(str)) + if(strcmp(str,'_Inf_')) + str=Inf; + elseif(strcmp(str,'-_Inf_')) + str=-Inf; + elseif(strcmp(str,'_NaN_')) + str=NaN; + end + end + return; + case '\' + if pos+1 > len + error_pos('End of file reached right after escape character'); + end + pos = pos + 1; + switch inStr(pos) + case {'"' '\' '/'} + str(nstr+1) = inStr(pos); + pos = pos + 1; + case {'b' 'f' 'n' 'r' 't'} + str(nstr+1) = sprintf(['\' inStr(pos)]); + pos = pos + 1; + case 'u' + if pos+4 > len + error_pos('End of file reached in escaped unicode character'); + end + str(nstr+(1:6)) = inStr(pos-1:pos+4); + pos = pos + 5; + end + otherwise % should never happen + str(nstr+1) = inStr(pos), keyboard + pos = pos + 1; + end + end + error_pos('End of file while expecting end of inStr'); + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct + currstr=inStr(pos:end); + numstr=0; + if(isoct~=0) + numstr=regexp(currstr,'^\s*-?(?:0|[1-9]\d*)(?:\.\d+)?(?:[eE][+\-]?\d+)?','end'); + [num, one] = sscanf(currstr, '%f', 1); + delta=numstr+1; + else + [num, one, err, delta] = sscanf(currstr, '%f', 1); + if ~isempty(err) + error_pos('Error reading number at position %d'); + end + end + pos = pos + delta-1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + pbar=jsonopt('progressbar_',-1,varargin{:}); + if(pbar>0) + waitbar(pos/len,pbar,'loading ...'); + end + + switch(inStr(pos)) + case '"' + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'-','0','1','2','3','4','5','6','7','8','9'} + val = parse_number(varargin{:}); + return; + case 't' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'true') + val = true; + pos = pos + 4; + return; + end + case 'f' + if pos+4 <= len && strcmpi(inStr(pos:pos+4), 'false') + val = false; + pos = pos + 5; + return; + end + case 'n' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'null') + val = []; + pos = pos + 4; + return; + end + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos, e1l, e1r, maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex3/ex3/lib/jsonlab/loadubjson.m b/machine-learning-ex3/ex3/lib/jsonlab/loadubjson.m new file mode 100644 index 0000000..0155115 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/loadubjson.m @@ -0,0 +1,528 @@ +function data = loadubjson(fname,varargin) +% +% data=loadubjson(fname,opt) +% or +% data=loadubjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/01 +% +% $Id: loadubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a UBJSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.IntEndian [B|L]: specify the endianness of the integer fields +% in the UBJSON input data. B - Big-Endian format for +% integers (as required in the UBJSON specification); +% L - input integer fields are in Little-Endian order. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% obj=struct('string','value','array',[1 2 3]); +% ubjdata=saveubjson('obj',obj); +% dat=loadubjson(ubjdata) +% dat=loadubjson(['examples' filesep 'example1.ubj']) +% dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken fileendian systemendian + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); +fileendian=upper(jsonopt('IntEndian','B',opt)); +[os,maxelem,systemendian]=computer; + +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end + + +%% +function newdata=parse_collection(id,data,obj) + +if(jsoncount>0 && exist('data','var')) + if(~iscell(data)) + newdata=cell(1); + newdata{1}=data; + data=newdata; + end +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=double(data(j).x0x5F_ArraySize_); + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); % TODO + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + count=double(parse_number()); + end + if next_char ~= '}' + num=0; + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + %parse_char(':'); + val = parse_value(varargin{:}); + num=num+1; + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' || (count>=0 && num>=count) + break; + end + %parse_char(','); + end + end + if(count==-1) + parse_char('}'); + end + +%%------------------------------------------------------------------------- +function [cid,len]=elem_info(type) +id=strfind('iUIlLdD',type); +dataclass={'int8','uint8','int16','int32','int64','single','double'}; +bytelen=[1,1,2,4,8,4,8]; +if(id>0) + cid=dataclass{id}; + len=bytelen(id); +else + error_pos('unsupported type at position %d'); +end +%%------------------------------------------------------------------------- + + +function [data adv]=parse_block(type,count,varargin) +global pos inStr isoct fileendian systemendian +[cid,len]=elem_info(type); +datastr=inStr(pos:pos+len*count-1); +if(isoct) + newdata=int8(datastr); +else + newdata=uint8(datastr); +end +id=strfind('iUIlLdD',type); +if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,cid)); +end +data=typecast(newdata,cid); +adv=double(len*count); + +%%------------------------------------------------------------------------- + + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim=[]; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + if(next_char=='[') + dim=parse_array(varargin{:}); + count=prod(double(dim)); + else + count=double(parse_number()); + end + end + if(~isempty(type)) + if(count>=0) + [object adv]=parse_block(type,count,varargin{:}); + if(~isempty(dim)) + object=reshape(object,dim); + end + pos=pos+adv; + return; + else + endpos=matching_bracket(inStr,pos); + [cid,len]=elem_info(type); + count=(endpos-pos)/len; + [object adv]=parse_block(type,count,varargin{:}); + pos=pos+adv; + parse_char(']'); + return; + end + end + if next_char ~= ']' + while 1 + val = parse_value(varargin{:}); + object{end+1} = val; + if next_char == ']' + break; + end + %parse_char(','); + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + if(count==-1) + parse_char(']'); + end + +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr esc index_esc len_esc + % len, ns = length(inStr), keyboard + type=inStr(pos); + if type ~= 'S' && type ~= 'C' && type ~= 'H' + error_pos('String starting with S expected at position %d'); + else + pos = pos + 1; + end + if(type == 'C') + str=inStr(pos); + pos=pos+1; + return; + end + bytelen=double(parse_number()); + if(length(inStr)>=pos+bytelen-1) + str=inStr(pos:pos+bytelen-1); + pos=pos+bytelen; + else + error_pos('End of file while expecting end of inStr'); + end + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct fileendian systemendian + id=strfind('iUIlLdD',inStr(pos)); + if(isempty(id)) + error_pos('expecting a number at position %d'); + end + type={'int8','uint8','int16','int32','int64','single','double'}; + bytelen=[1,1,2,4,8,4,8]; + datastr=inStr(pos+1:pos+bytelen(id)); + if(isoct) + newdata=int8(datastr); + else + newdata=uint8(datastr); + end + if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,type{id})); + end + num=typecast(newdata,type{id}); + pos = pos + bytelen(id)+1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + switch(inStr(pos)) + case {'S','C','H'} + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'i','U','I','l','L','d','D'} + val = parse_number(varargin{:}); + return; + case 'T' + val = true; + pos = pos + 1; + return; + case 'F' + val = false; + pos = pos + 1; + return; + case {'Z','N'} + val = []; + pos = pos + 1; + return; + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos e1l e1r maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex3/ex3/lib/jsonlab/mergestruct.m b/machine-learning-ex3/ex3/lib/jsonlab/mergestruct.m new file mode 100644 index 0000000..6de6100 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/mergestruct.m @@ -0,0 +1,33 @@ +function s=mergestruct(s1,s2) +% +% s=mergestruct(s1,s2) +% +% merge two struct objects into one +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% s1,s2: a struct object, s1 and s2 can not be arrays +% +% output: +% s: the merged struct object. fields in s1 and s2 will be combined in s. +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(~isstruct(s1) || ~isstruct(s2)) + error('input parameters contain non-struct'); +end +if(length(s1)>1 || length(s2)>1) + error('can not merge struct arrays'); +end +fn=fieldnames(s2); +s=s1; +for i=1:length(fn) + s=setfield(s,fn{i},getfield(s2,fn{i})); +end + diff --git a/machine-learning-ex3/ex3/lib/jsonlab/savejson.m b/machine-learning-ex3/ex3/lib/jsonlab/savejson.m new file mode 100644 index 0000000..7e84076 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/savejson.m @@ -0,0 +1,475 @@ +function json=savejson(rootname,obj,varargin) +% +% json=savejson(rootname,obj,filename) +% or +% json=savejson(rootname,obj,opt) +% json=savejson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a JSON (JavaScript +% Object Notation) string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09 +% +% $Id: savejson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array). +% filename: a string for the file name to save the output JSON data. +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.FloatFormat ['%.10g'|string]: format to show each numeric element +% of a 1D/2D array; +% opt.ArrayIndent [1|0]: if 1, output explicit data array with +% precedent indentation; if 0, no indentation +% opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [0|1]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern +% to represent +/-Inf. The matched pattern is '([-+]*)Inf' +% and $1 represents the sign. For those who want to use +% 1e999 to represent Inf, they can set opt.Inf to '$11e999' +% opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern +% to represent NaN +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSONP='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode. +% opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs) +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a string in the JSON format (see http://json.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% savejson('jmesh',jsonmesh) +% savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end + +whitespaces=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +if(jsonopt('Compact',0,opt)==1) + whitespaces=struct('tab','','newline','','sep',','); +end +if(~isfield(opt,'whitespaces_')) + opt.whitespaces_=whitespaces; +end + +nl=whitespaces.newline; + +json=obj2json(rootname,obj,rootlevel,opt); +if(rootisarray) + json=sprintf('%s%s',json,nl); +else + json=sprintf('{%s%s%s}\n',nl,json,nl); +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=sprintf('%s(%s);%s',jsonp,json,nl); +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + if(jsonopt('SaveBinary',0,opt)==1) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + else + fid = fopen(opt.FileName, 'wt'); + fwrite(fid,json,'char'); + end + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2json(name,item,level,varargin) + +if(iscell(item)) + txt=cell2json(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2json(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2json(name,item,level,varargin{:}); +else + txt=mat2json(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2json(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=jsonopt('whitespaces_',struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')),varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +nl=ws.newline; +if(len>1) + if(~isempty(name)) + txt=sprintf('%s"%s": [%s',padding0, checkname(name,varargin{:}),nl); name=''; + else + txt=sprintf('%s[%s',padding0,nl); + end +elseif(len==0) + if(~isempty(name)) + txt=sprintf('%s"%s": []',padding0, checkname(name,varargin{:})); name=''; + else + txt=sprintf('%s[]',padding0); + end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + txt=sprintf('%s%s',txt,obj2json(name,item{i,j},level+(dim(1)>1)+1,varargin{:})); + if(i1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=struct2json(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +padding1=repmat(ws.tab,1,level+(dim(1)>1)+(len>1)); +nl=ws.newline; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding0,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding0,nl); end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=sprintf('%s%s"%s": {%s',txt,padding1, checkname(name,varargin{:}),nl); + else + txt=sprintf('%s%s{%s',txt,padding1,nl); + end + if(~isempty(names)) + for e=1:length(names) + txt=sprintf('%s%s',txt,obj2json(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})); + if(e1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=str2json(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding1,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding1,nl); end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + if(isoct) + val=regexprep(item(e,:),'\\','\\'); + val=regexprep(val,'"','\"'); + val=regexprep(val,'^"','\"'); + else + val=regexprep(item(e,:),'\\','\\\\'); + val=regexprep(val,'"','\\"'); + val=regexprep(val,'^"','\\"'); + end + val=escapejsonstring(val); + if(len==1) + obj=['"' checkname(name,varargin{:}) '": ' '"',val,'"']; + if(isempty(name)) obj=['"',val,'"']; end + txt=sprintf('%s%s%s%s',txt,padding1,obj); + else + txt=sprintf('%s%s%s%s',txt,padding0,['"',val,'"']); + end + if(e==len) sep=''; end + txt=sprintf('%s%s',txt,sep); +end +if(len>1) txt=sprintf('%s%s%s%s',txt,nl,padding1,']'); end + +%%------------------------------------------------------------------------- +function txt=mat2json(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) ||jsonopt('ArrayToStruct',0,varargin{:})) + if(isempty(name)) + txt=sprintf('%s{%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + else + txt=sprintf('%s"%s": {%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,checkname(name,varargin{:}),nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + end +else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1 && level>0) + numtxt=regexprep(regexprep(matdata2json(item,level+1,varargin{:}),'^\[',''),']',''); + else + numtxt=matdata2json(item,level+1,varargin{:}); + end + if(isempty(name)) + txt=sprintf('%s%s',padding1,numtxt); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + else + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + end + end + return; +end +dataformat='%s%s%s%s%s'; + +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsSparse_": ','1', sep); + if(size(item,1)==1) + % Row vector, store only column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([iy(:),data'],level+2,varargin{:}), nl); + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,data],level+2,varargin{:}), nl); + else + % General case, store row and column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,iy,data],level+2,varargin{:}), nl); + end +else + if(isreal(item)) + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json(item(:)',level+2,varargin{:}), nl); + else + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([real(item(:)) imag(item(:))],level+2,varargin{:}), nl); + end +end +txt=sprintf('%s%s%s',txt,padding1,'}'); + +%%------------------------------------------------------------------------- +function txt=matdata2json(mat,level,varargin) + +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +tab=ws.tab; +nl=ws.newline; + +if(size(mat,1)==1) + pre=''; + post=''; + level=level-1; +else + pre=sprintf('[%s',nl); + post=sprintf('%s%s]',nl,repmat(tab,1,level-1)); +end + +if(isempty(mat)) + txt='null'; + return; +end +floatformat=jsonopt('FloatFormat','%.10g',varargin{:}); +%if(numel(mat)>1) + formatstr=['[' repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf('],%s',nl)]]; +%else +% formatstr=[repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf(',\n')]]; +%end + +if(nargin>=2 && size(mat,1)>1 && jsonopt('ArrayIndent',1,varargin{:})==1) + formatstr=[repmat(tab,1,level) formatstr]; +end + +txt=sprintf(formatstr,mat'); +txt(end-length(nl):end)=[]; +if(islogical(mat) && jsonopt('ParseLogical',0,varargin{:})==1) + txt=regexprep(txt,'1','true'); + txt=regexprep(txt,'0','false'); +end +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],\n[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +txt=[pre txt post]; +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end + +%%------------------------------------------------------------------------- +function newstr=escapejsonstring(str) +newstr=str; +isoct=exist('OCTAVE_VERSION','builtin'); +if(isoct) + vv=sscanf(OCTAVE_VERSION,'%f'); + if(vv(1)>=3.8) isoct=0; end +end +if(isoct) + escapechars={'\a','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},escapechars{i}); + end +else + escapechars={'\a','\b','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},regexprep(escapechars{i},'\\','\\\\')); + end +end diff --git a/machine-learning-ex3/ex3/lib/jsonlab/saveubjson.m b/machine-learning-ex3/ex3/lib/jsonlab/saveubjson.m new file mode 100644 index 0000000..eaec433 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/saveubjson.m @@ -0,0 +1,504 @@ +function json=saveubjson(rootname,obj,varargin) +% +% json=saveubjson(rootname,obj,filename) +% or +% json=saveubjson(rootname,obj,opt) +% json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a Universal +% Binary JSON (UBJSON) binary string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/17 +% +% $Id: saveubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array) +% filename: a string for the file name to save the output UBJSON data +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [1|0]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSON='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a binary string in the UBJSON format (see http://ubjson.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% saveubjson('jsonmesh',jsonmesh) +% saveubjson('jsonmesh',jsonmesh,'meshdata.ubj') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end +json=obj2ubjson(rootname,obj,rootlevel,opt); +if(~rootisarray) + json=['{' json '}']; +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=[jsonp '(' json ')']; +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2ubjson(name,item,level,varargin) + +if(iscell(item)) + txt=cell2ubjson(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2ubjson(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2ubjson(name,item,level,varargin{:}); +else + txt=mat2ubjson(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2ubjson(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); % let's handle 1D cell first +if(len>1) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) '[']; name=''; + else + txt='['; + end +elseif(len==0) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) 'Z']; name=''; + else + txt='Z'; + end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + txt=[txt obj2ubjson(name,item{i,j},level+(len>1),varargin{:})]; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=struct2ubjson(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=[txt S_(checkname(name,varargin{:})) '{']; + else + txt=[txt '{']; + end + if(~isempty(names)) + for e=1:length(names) + txt=[txt obj2ubjson(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})]; + end + end + txt=[txt '}']; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=str2ubjson(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + val=item(e,:); + if(len==1) + obj=['' S_(checkname(name,varargin{:})) '' '',S_(val),'']; + if(isempty(name)) obj=['',S_(val),'']; end + txt=[txt,'',obj]; + else + txt=[txt,'',['',S_(val),'']]; + end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=mat2ubjson(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) || jsonopt('ArrayToStruct',0,varargin{:})) + cid=I_(uint32(max(size(item)))); + if(isempty(name)) + txt=['{' S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1)) ]; + else + if(isempty(item)) + txt=[S_(checkname(name,varargin{:})),'Z']; + return; + else + txt=[S_(checkname(name,varargin{:})),'{',S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1))]; + end + end +else + if(isempty(name)) + txt=matdata2ubjson(item,level+1,varargin{:}); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + numtxt=regexprep(regexprep(matdata2ubjson(item,level+1,varargin{:}),'^\[',''),']',''); + txt=[S_(checkname(name,varargin{:})) numtxt]; + else + txt=[S_(checkname(name,varargin{:})),matdata2ubjson(item,level+1,varargin{:})]; + end + end + return; +end +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=[txt,S_('_ArrayIsComplex_'),'T']; + end + txt=[txt,S_('_ArrayIsSparse_'),'T']; + if(size(item,1)==1) + % Row vector, store only column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([iy(:),data'],level+2,varargin{:})]; + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,data],level+2,varargin{:})]; + else + % General case, store row and column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,iy,data],level+2,varargin{:})]; + end +else + if(isreal(item)) + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson(item(:)',level+2,varargin{:})]; + else + txt=[txt,S_('_ArrayIsComplex_'),'T']; + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([real(item(:)) imag(item(:))],level+2,varargin{:})]; + end +end +txt=[txt,'}']; + +%%------------------------------------------------------------------------- +function txt=matdata2ubjson(mat,level,varargin) +if(isempty(mat)) + txt='Z'; + return; +end +if(size(mat,1)==1) + level=level-1; +end +type=''; +hasnegtive=(mat<0); +if(isa(mat,'integer') || isinteger(mat) || (isfloat(mat) && all(mod(mat(:),1) == 0))) + if(isempty(hasnegtive)) + if(max(mat(:))<=2^8) + type='U'; + end + end + if(isempty(type)) + % todo - need to consider negative ones separately + id= histc(abs(max(mat(:))),[0 2^7 2^15 2^31 2^63]); + if(isempty(find(id))) + error('high-precision data is not yet supported'); + end + key='iIlL'; + type=key(find(id)); + end + txt=[I_a(mat(:),type,size(mat))]; +elseif(islogical(mat)) + logicalval='FT'; + if(numel(mat)==1) + txt=logicalval(mat+1); + else + txt=['[$U#' I_a(size(mat),'l') typecast(swapbytes(uint8(mat(:)')),'uint8')]; + end +else + if(numel(mat)==1) + txt=['[' D_(mat) ']']; + else + txt=D_a(mat(:),'D',size(mat)); + end +end + +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end +%%------------------------------------------------------------------------- +function val=S_(str) +if(length(str)==1) + val=['C' str]; +else + val=['S' I_(int32(length(str))) str]; +end +%%------------------------------------------------------------------------- +function val=I_(num) +if(~isinteger(num)) + error('input is not an integer'); +end +if(num>=0 && num<255) + val=['U' data2byte(swapbytes(cast(num,'uint8')),'uint8')]; + return; +end +key='iIlL'; +cid={'int8','int16','int32','int64'}; +for i=1:4 + if((num>0 && num<2^(i*8-1)) || (num<0 && num>=-2^(i*8-1))) + val=[key(i) data2byte(swapbytes(cast(num,cid{i})),'uint8')]; + return; + end +end +error('unsupported integer'); + +%%------------------------------------------------------------------------- +function val=D_(num) +if(~isfloat(num)) + error('input is not a float'); +end + +if(isa(num,'single')) + val=['d' data2byte(num,'uint8')]; +else + val=['D' data2byte(num,'uint8')]; +end +%%------------------------------------------------------------------------- +function data=I_a(num,type,dim,format) +id=find(ismember('iUIlL',type)); + +if(id==0) + error('unsupported integer array'); +end + +% based on UBJSON specs, all integer types are stored in big endian format + +if(id==1) + data=data2byte(swapbytes(int8(num)),'uint8'); + blen=1; +elseif(id==2) + data=data2byte(swapbytes(uint8(num)),'uint8'); + blen=1; +elseif(id==3) + data=data2byte(swapbytes(int16(num)),'uint8'); + blen=2; +elseif(id==4) + data=data2byte(swapbytes(int32(num)),'uint8'); + blen=4; +elseif(id==5) + data=data2byte(swapbytes(int64(num)),'uint8'); + blen=8; +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/blen)) data(:)']; + end + data=['[' data(:)']; +else + data=reshape(data,blen,numel(data)/blen); + data(2:blen+1,:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function data=D_a(num,type,dim,format) +id=find(ismember('dD',type)); + +if(id==0) + error('unsupported float array'); +end + +if(id==1) + data=data2byte(single(num),'uint8'); +elseif(id==2) + data=data2byte(double(num),'uint8'); +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/(id*4))) data(:)']; + end + data=['[' data]; +else + data=reshape(data,(id*4),length(data)/(id*4)); + data(2:(id*4+1),:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function bytes=data2byte(varargin) +bytes=typecast(varargin{:}); +bytes=bytes(:)'; diff --git a/machine-learning-ex3/ex3/lib/jsonlab/varargin2struct.m b/machine-learning-ex3/ex3/lib/jsonlab/varargin2struct.m new file mode 100644 index 0000000..9a5c2b6 --- /dev/null +++ b/machine-learning-ex3/ex3/lib/jsonlab/varargin2struct.m @@ -0,0 +1,40 @@ +function opt=varargin2struct(varargin) +% +% opt=varargin2struct('param1',value1,'param2',value2,...) +% or +% opt=varargin2struct(...,optstruct,...) +% +% convert a series of input parameters into a structure +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% 'param', value: the input parameters should be pairs of a string and a value +% optstruct: if a parameter is a struct, the fields will be merged to the output struct +% +% output: +% opt: a struct where opt.param1=value1, opt.param2=value2 ... +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +len=length(varargin); +opt=struct; +if(len==0) return; end +i=1; +while(i<=len) + if(isstruct(varargin{i})) + opt=mergestruct(opt,varargin{i}); + elseif(ischar(varargin{i}) && i 0 && resp(1) == '{'; + isHtml = findstr(lower(resp), ']+>', ' '); + strippedResponse = regexprep(strippedResponse, '[\t ]+', ' '); + fprintf(strippedResponse); +end + + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +% +% Service configuration +% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +function submissionUrl = submissionUrl() + submissionUrl = 'https://www-origin.coursera.org/api/onDemandProgrammingImmediateFormSubmissions.v1'; +end diff --git a/machine-learning-ex3/ex3/lrCostFunction.m b/machine-learning-ex3/ex3/lrCostFunction.m new file mode 100644 index 0000000..dd5ac71 --- /dev/null +++ b/machine-learning-ex3/ex3/lrCostFunction.m @@ -0,0 +1,58 @@ +function [J, grad] = lrCostFunction(theta, X, y, lambda) +%LRCOSTFUNCTION Compute cost and gradient for logistic regression with +%regularization +% J = LRCOSTFUNCTION(theta, X, y, lambda) computes the cost of using +% theta as the parameter for regularized logistic regression and the +% gradient of the cost w.r.t. to the parameters. + +% Initialize some useful values +m = length(y); % number of training examples +n = length(theta); + +% You need to return the following variables correctly +J = 0; +grad = zeros(size(theta)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost of a particular choice of theta. +% You should set J to the cost. +% Compute the partial derivatives and set grad to the partial +% derivatives of the cost w.r.t. each parameter in theta +% +% Hint: The computation of the cost function and gradients can be +% efficiently vectorized. For example, consider the computation +% +% sigmoid(X * theta) +% +% Each row of the resulting matrix will contain the value of the +% prediction for that example. You can make use of this to vectorize +% the cost function and gradient computations. +% +% Hint: When computing the gradient of the regularized cost function, +% there're many possible vectorized solutions, but one solution +% looks like: +% grad = (unregularized gradient for logistic regression) +% temp = theta; +% temp(1) = 0; % because we don't add anything for j = 0 +% grad = grad + YOUR_CODE_HERE (using the temp variable) +% + +h = sigmoid(X*theta); +J = (1/m)*(-y'*log(h)-(1-y)'*log(1-h)); +grad = (1/m)*X'*(sigmoid(X*theta)-y); +J = J + (lambda/(2*m))*sum(theta(2:end).^2); +grad(2:end) = grad(2:end) + (lambda/m)*theta(2:end); + + + + + + + + + +% ============================================================= + +grad = grad(:); + +end diff --git a/machine-learning-ex3/ex3/oneVsAll.m b/machine-learning-ex3/ex3/oneVsAll.m new file mode 100644 index 0000000..292d9ff --- /dev/null +++ b/machine-learning-ex3/ex3/oneVsAll.m @@ -0,0 +1,73 @@ +function [all_theta] = oneVsAll(X, y, num_labels, lambda) +%ONEVSALL trains multiple logistic regression classifiers and returns all +%the classifiers in a matrix all_theta, where the i-th row of all_theta +%corresponds to the classifier for label i +% [all_theta] = ONEVSALL(X, y, num_labels, lambda) trains num_labels +% logistic regression classifiers and returns each of these classifiers +% in a matrix all_theta, where the i-th row of all_theta corresponds +% to the classifier for label i + +% Some useful variables +m = size(X, 1); +n = size(X, 2); + +% You need to return the following variables correctly +all_theta = zeros(num_labels, n + 1); + +% Add ones to the X data matrix +X = [ones(m, 1) X]; + +% ====================== YOUR CODE HERE ====================== +% Instructions: You should complete the following code to train num_labels +% logistic regression classifiers with regularization +% parameter lambda. +% +% Hint: theta(:) will return a column vector. +% +% Hint: You can use y == c to obtain a vector of 1's and 0's that tell you +% whether the ground truth is true/false for this class. +% +% Note: For this assignment, we recommend using fmincg to optimize the cost +% function. It is okay to use a for-loop (for c = 1:num_labels) to +% loop over the different classes. +% +% fmincg works similarly to fminunc, but is more efficient when we +% are dealing with large number of parameters. +% +% Example Code for fmincg: +% +% % Set Initial theta +% initial_theta = zeros(n + 1, 1); +% +% % Set options for fminunc +% options = optimset('GradObj', 'on', 'MaxIter', 50); +% +% % Run fmincg to obtain the optimal theta +% % This function will return theta and the cost +% [theta] = ... +% fmincg (@(t)(lrCostFunction(t, X, (y == c), lambda)), ... +% initial_theta, options); +% + +for c=1:num_labels + initial_theta = zeros(n+1,1); + options = optimset('GradObj', 'on', 'MaxIter', 50); + [theta] = ... + fmincg (@(t)(lrCostFunction(t, X, (y == c), lambda)), ... + initial_theta, options); + all_theta(c,:) = theta; +endfor + + + + + + + + + + +% ========================================================================= + + +end diff --git a/machine-learning-ex3/ex3/predict.m b/machine-learning-ex3/ex3/predict.m new file mode 100644 index 0000000..a936316 --- /dev/null +++ b/machine-learning-ex3/ex3/predict.m @@ -0,0 +1,43 @@ +function p = predict(Theta1, Theta2, X) +%PREDICT Predict the label of an input given a trained neural network +% p = PREDICT(Theta1, Theta2, X) outputs the predicted label of X given the +% trained weights of a neural network (Theta1, Theta2) + +% Useful values +m = size(X, 1); +num_labels = size(Theta2, 1); + +% You need to return the following variables correctly +p = zeros(size(X, 1), 1); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Complete the following code to make predictions using +% your learned neural network. You should set p to a +% vector containing labels between 1 to num_labels. +% +% Hint: The max function might come in useful. In particular, the max +% function can also return the index of the max element, for more +% information see 'help max'. If your examples are in rows, then, you +% can use max(A, [], 2) to obtain the max for each row. +% +X = [ones(rows(X), 1) X]; +z2 = (Theta1*X')'; +a2 = sigmoid(z2); +a2 = [ones(rows(a2), 1) a2]; +z3 = Theta2*a2'; +a3 = sigmoid(z3); +a3 = a3'; +[max, imax] = max(a3, [], 2); +p = imax; + + + + + + + + +% ========================================================================= + + +end diff --git a/machine-learning-ex3/ex3/predictOneVsAll.m b/machine-learning-ex3/ex3/predictOneVsAll.m new file mode 100644 index 0000000..9d52bca --- /dev/null +++ b/machine-learning-ex3/ex3/predictOneVsAll.m @@ -0,0 +1,45 @@ +function p = predictOneVsAll(all_theta, X) +%PREDICT Predict the label for a trained one-vs-all classifier. The labels +%are in the range 1..K, where K = size(all_theta, 1). +% p = PREDICTONEVSALL(all_theta, X) will return a vector of predictions +% for each example in the matrix X. Note that X contains the examples in +% rows. all_theta is a matrix where the i-th row is a trained logistic +% regression theta vector for the i-th class. You should set p to a vector +% of values from 1..K (e.g., p = [1; 3; 1; 2] predicts classes 1, 3, 1, 2 +% for 4 examples) + +m = size(X, 1); +num_labels = size(all_theta, 1); + +% You need to return the following variables correctly +p = zeros(size(X, 1), 1); + +% Add ones to the X data matrix +X = [ones(m, 1) X]; + +% ====================== YOUR CODE HERE ====================== +% Instructions: Complete the following code to make predictions using +% your learned logistic regression parameters (one-vs-all). +% You should set p to a vector of predictions (from 1 to +% num_labels). +% +% Hint: This code can be done all vectorized using the max function. +% In particular, the max function can also return the index of the +% max element, for more information see 'help max'. If your examples +% are in rows, then, you can use max(A, [], 2) to obtain the max +% for each row. +% +temp = sigmoid(X*all_theta'); +for i = 1:size(X,1) + [tempMax, iTempMax] = max(temp(i,:)); + p(i) = iTempMax; +endfor + + + + + +% ========================================================================= + + +end diff --git a/machine-learning-ex3/ex3/sigmoid.m b/machine-learning-ex3/ex3/sigmoid.m new file mode 100644 index 0000000..6deca13 --- /dev/null +++ b/machine-learning-ex3/ex3/sigmoid.m @@ -0,0 +1,6 @@ +function g = sigmoid(z) +%SIGMOID Compute sigmoid functoon +% J = SIGMOID(z) computes the sigmoid of z. + +g = 1.0 ./ (1.0 + exp(-z)); +end diff --git a/machine-learning-ex3/ex3/submit.m b/machine-learning-ex3/ex3/submit.m new file mode 100644 index 0000000..11822f4 --- /dev/null +++ b/machine-learning-ex3/ex3/submit.m @@ -0,0 +1,56 @@ +function submit() + addpath('./lib'); + + conf.assignmentSlug = 'multi-class-classification-and-neural-networks'; + conf.itemName = 'Multi-class Classification and Neural Networks'; + conf.partArrays = { ... + { ... + '1', ... + { 'lrCostFunction.m' }, ... + 'Regularized Logistic Regression', ... + }, ... + { ... + '2', ... + { 'oneVsAll.m' }, ... + 'One-vs-All Classifier Training', ... + }, ... + { ... + '3', ... + { 'predictOneVsAll.m' }, ... + 'One-vs-All Classifier Prediction', ... + }, ... + { ... + '4', ... + { 'predict.m' }, ... + 'Neural Network Prediction Function' ... + }, ... + }; + conf.output = @output; + + submitWithConfiguration(conf); +end + +function out = output(partId, auxdata) + % Random Test Cases + X = [ones(20,1) (exp(1) * sin(1:1:20))' (exp(0.5) * cos(1:1:20))']; + y = sin(X(:,1) + X(:,2)) > 0; + Xm = [ -1 -1 ; -1 -2 ; -2 -1 ; -2 -2 ; ... + 1 1 ; 1 2 ; 2 1 ; 2 2 ; ... + -1 1 ; -1 2 ; -2 1 ; -2 2 ; ... + 1 -1 ; 1 -2 ; -2 -1 ; -2 -2 ]; + ym = [ 1 1 1 1 2 2 2 2 3 3 3 3 4 4 4 4 ]'; + t1 = sin(reshape(1:2:24, 4, 3)); + t2 = cos(reshape(1:2:40, 4, 5)); + + if partId == '1' + [J, grad] = lrCostFunction([0.25 0.5 -0.5]', X, y, 0.1); + out = sprintf('%0.5f ', J); + out = [out sprintf('%0.5f ', grad)]; + elseif partId == '2' + out = sprintf('%0.5f ', oneVsAll(Xm, ym, 4, 0.1)); + elseif partId == '3' + out = sprintf('%0.5f ', predictOneVsAll(t1, Xm)); + elseif partId == '4' + out = sprintf('%0.5f ', predict(t1, t2, Xm)); + end +end diff --git a/machine-learning-ex3/ex3/token.mat b/machine-learning-ex3/ex3/token.mat new file mode 100644 index 0000000..1c53b80 --- /dev/null +++ b/machine-learning-ex3/ex3/token.mat @@ -0,0 +1,15 @@ +# Created by Octave 4.4.1, Sun Aug 18 21:05:54 2019 GMT +# name: email +# type: sq_string +# elements: 1 +# length: 17 +tsb1995@gmail.com + + +# name: token +# type: sq_string +# elements: 1 +# length: 16 +hVVScLtdMyJhvFGP + + diff --git a/machine-learning-ex4/ex4.pdf b/machine-learning-ex4/ex4.pdf new file mode 100644 index 0000000..fe92019 Binary files /dev/null and b/machine-learning-ex4/ex4.pdf differ diff --git a/machine-learning-ex4/ex4/checkNNGradients.m b/machine-learning-ex4/ex4/checkNNGradients.m new file mode 100644 index 0000000..f9930aa --- /dev/null +++ b/machine-learning-ex4/ex4/checkNNGradients.m @@ -0,0 +1,52 @@ +function checkNNGradients(lambda) +%CHECKNNGRADIENTS Creates a small neural network to check the +%backpropagation gradients +% CHECKNNGRADIENTS(lambda) Creates a small neural network to check the +% backpropagation gradients, it will output the analytical gradients +% produced by your backprop code and the numerical gradients (computed +% using computeNumericalGradient). These two gradient computations should +% result in very similar values. +% + +if ~exist('lambda', 'var') || isempty(lambda) + lambda = 0; +end + +input_layer_size = 3; +hidden_layer_size = 5; +num_labels = 3; +m = 5; + +% We generate some 'random' test data +Theta1 = debugInitializeWeights(hidden_layer_size, input_layer_size); +Theta2 = debugInitializeWeights(num_labels, hidden_layer_size); +% Reusing debugInitializeWeights to generate X +X = debugInitializeWeights(m, input_layer_size - 1); +y = 1 + mod(1:m, num_labels)'; + +% Unroll parameters +nn_params = [Theta1(:) ; Theta2(:)]; + +% Short hand for cost function +costFunc = @(p) nnCostFunction(p, input_layer_size, hidden_layer_size, ... + num_labels, X, y, lambda); + +[cost, grad] = costFunc(nn_params); +numgrad = computeNumericalGradient(costFunc, nn_params); + +% Visually examine the two gradient computations. The two columns +% you get should be very similar. +disp([numgrad grad]); +fprintf(['The above two columns you get should be very similar.\n' ... + '(Left-Your Numerical Gradient, Right-Analytical Gradient)\n\n']); + +% Evaluate the norm of the difference between two solutions. +% If you have a correct implementation, and assuming you used EPSILON = 0.0001 +% in computeNumericalGradient.m, then diff below should be less than 1e-9 +diff = norm(numgrad-grad)/norm(numgrad+grad); + +fprintf(['If your backpropagation implementation is correct, then \n' ... + 'the relative difference will be small (less than 1e-9). \n' ... + '\nRelative Difference: %g\n'], diff); + +end diff --git a/machine-learning-ex4/ex4/computeNumericalGradient.m b/machine-learning-ex4/ex4/computeNumericalGradient.m new file mode 100644 index 0000000..c3abeac --- /dev/null +++ b/machine-learning-ex4/ex4/computeNumericalGradient.m @@ -0,0 +1,29 @@ +function numgrad = computeNumericalGradient(J, theta) +%COMPUTENUMERICALGRADIENT Computes the gradient using "finite differences" +%and gives us a numerical estimate of the gradient. +% numgrad = COMPUTENUMERICALGRADIENT(J, theta) computes the numerical +% gradient of the function J around theta. Calling y = J(theta) should +% return the function value at theta. + +% Notes: The following code implements numerical gradient checking, and +% returns the numerical gradient.It sets numgrad(i) to (a numerical +% approximation of) the partial derivative of J with respect to the +% i-th input argument, evaluated at theta. (i.e., numgrad(i) should +% be the (approximately) the partial derivative of J with respect +% to theta(i).) +% + +numgrad = zeros(size(theta)); +perturb = zeros(size(theta)); +e = 1e-4; +for p = 1:numel(theta) + % Set perturbation vector + perturb(p) = e; + loss1 = J(theta - perturb); + loss2 = J(theta + perturb); + % Compute Numerical Gradient + numgrad(p) = (loss2 - loss1) / (2*e); + perturb(p) = 0; +end + +end diff --git a/machine-learning-ex4/ex4/debugInitializeWeights.m b/machine-learning-ex4/ex4/debugInitializeWeights.m new file mode 100644 index 0000000..a71b5ab --- /dev/null +++ b/machine-learning-ex4/ex4/debugInitializeWeights.m @@ -0,0 +1,22 @@ +function W = debugInitializeWeights(fan_out, fan_in) +%DEBUGINITIALIZEWEIGHTS Initialize the weights of a layer with fan_in +%incoming connections and fan_out outgoing connections using a fixed +%strategy, this will help you later in debugging +% W = DEBUGINITIALIZEWEIGHTS(fan_in, fan_out) initializes the weights +% of a layer with fan_in incoming connections and fan_out outgoing +% connections using a fix set of values +% +% Note that W should be set to a matrix of size(1 + fan_in, fan_out) as +% the first row of W handles the "bias" terms +% + +% Set W to zeros +W = zeros(fan_out, 1 + fan_in); + +% Initialize W using "sin", this ensures that W is always of the same +% values and will be useful for debugging +W = reshape(sin(1:numel(W)), size(W)) / 10; + +% ========================================================================= + +end diff --git a/machine-learning-ex4/ex4/displayData.m b/machine-learning-ex4/ex4/displayData.m new file mode 100644 index 0000000..160697e --- /dev/null +++ b/machine-learning-ex4/ex4/displayData.m @@ -0,0 +1,59 @@ +function [h, display_array] = displayData(X, example_width) +%DISPLAYDATA Display 2D data in a nice grid +% [h, display_array] = DISPLAYDATA(X, example_width) displays 2D data +% stored in X in a nice grid. It returns the figure handle h and the +% displayed array if requested. + +% Set example_width automatically if not passed in +if ~exist('example_width', 'var') || isempty(example_width) + example_width = round(sqrt(size(X, 2))); +end + +% Gray Image +colormap(gray); + +% Compute rows, cols +[m n] = size(X); +example_height = (n / example_width); + +% Compute number of items to display +display_rows = floor(sqrt(m)); +display_cols = ceil(m / display_rows); + +% Between images padding +pad = 1; + +% Setup blank display +display_array = - ones(pad + display_rows * (example_height + pad), ... + pad + display_cols * (example_width + pad)); + +% Copy each example into a patch on the display array +curr_ex = 1; +for j = 1:display_rows + for i = 1:display_cols + if curr_ex > m, + break; + end + % Copy the patch + + % Get the max value of the patch + max_val = max(abs(X(curr_ex, :))); + display_array(pad + (j - 1) * (example_height + pad) + (1:example_height), ... + pad + (i - 1) * (example_width + pad) + (1:example_width)) = ... + reshape(X(curr_ex, :), example_height, example_width) / max_val; + curr_ex = curr_ex + 1; + end + if curr_ex > m, + break; + end +end + +% Display Image +h = imagesc(display_array, [-1 1]); + +% Do not show axis +axis image off + +drawnow; + +end diff --git a/machine-learning-ex4/ex4/ex4.m b/machine-learning-ex4/ex4/ex4.m new file mode 100644 index 0000000..7a86d86 --- /dev/null +++ b/machine-learning-ex4/ex4/ex4.m @@ -0,0 +1,234 @@ +%% Machine Learning Online Class - Exercise 4 Neural Network Learning + +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% linear exercise. You will need to complete the following functions +% in this exericse: +% +% sigmoidGradient.m +% randInitializeWeights.m +% nnCostFunction.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% Setup the parameters you will use for this exercise +input_layer_size = 400; % 20x20 Input Images of Digits +hidden_layer_size = 25; % 25 hidden units +num_labels = 10; % 10 labels, from 1 to 10 + % (note that we have mapped "0" to label 10) + +%% =========== Part 1: Loading and Visualizing Data ============= +% We start the exercise by first loading and visualizing the dataset. +% You will be working with a dataset that contains handwritten digits. +% + +% Load Training Data +fprintf('Loading and Visualizing Data ...\n') + +load('ex4data1.mat'); +m = size(X, 1); + +% Randomly select 100 data points to display +sel = randperm(size(X, 1)); +sel = sel(1:100); + +displayData(X(sel, :)); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ================ Part 2: Loading Parameters ================ +% In this part of the exercise, we load some pre-initialized +% neural network parameters. + +fprintf('\nLoading Saved Neural Network Parameters ...\n') + +% Load the weights into variables Theta1 and Theta2 +load('ex4weights.mat'); + +% Unroll parameters +nn_params = [Theta1(:) ; Theta2(:)]; + +%% ================ Part 3: Compute Cost (Feedforward) ================ +% To the neural network, you should first start by implementing the +% feedforward part of the neural network that returns the cost only. You +% should complete the code in nnCostFunction.m to return cost. After +% implementing the feedforward to compute the cost, you can verify that +% your implementation is correct by verifying that you get the same cost +% as us for the fixed debugging parameters. +% +% We suggest implementing the feedforward cost *without* regularization +% first so that it will be easier for you to debug. Later, in part 4, you +% will get to implement the regularized cost. +% +fprintf('\nFeedforward Using Neural Network ...\n') + +% Weight regularization parameter (we set this to 0 here). +lambda = 0; + +J = nnCostFunction(nn_params, input_layer_size, hidden_layer_size, ... + num_labels, X, y, lambda); + +fprintf(['Cost at parameters (loaded from ex4weights): %f '... + '\n(this value should be about 0.287629)\n'], J); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + +%% =============== Part 4: Implement Regularization =============== +% Once your cost function implementation is correct, you should now +% continue to implement the regularization with the cost. +% + +fprintf('\nChecking Cost Function (w/ Regularization) ... \n') + +% Weight regularization parameter (we set this to 1 here). +lambda = 1; + +J = nnCostFunction(nn_params, input_layer_size, hidden_layer_size, ... + num_labels, X, y, lambda); + +fprintf(['Cost at parameters (loaded from ex4weights): %f '... + '\n(this value should be about 0.383770)\n'], J); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ================ Part 5: Sigmoid Gradient ================ +% Before you start implementing the neural network, you will first +% implement the gradient for the sigmoid function. You should complete the +% code in the sigmoidGradient.m file. +% + +fprintf('\nEvaluating sigmoid gradient...\n') + +g = sigmoidGradient([-1 -0.5 0 0.5 1]); +fprintf('Sigmoid gradient evaluated at [-1 -0.5 0 0.5 1]:\n '); +fprintf('%f ', g); +fprintf('\n\n'); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ================ Part 6: Initializing Pameters ================ +% In this part of the exercise, you will be starting to implment a two +% layer neural network that classifies digits. You will start by +% implementing a function to initialize the weights of the neural network +% (randInitializeWeights.m) + +fprintf('\nInitializing Neural Network Parameters ...\n') + +initial_Theta1 = randInitializeWeights(input_layer_size, hidden_layer_size); +initial_Theta2 = randInitializeWeights(hidden_layer_size, num_labels); + +% Unroll parameters +initial_nn_params = [initial_Theta1(:) ; initial_Theta2(:)]; + + +%% =============== Part 7: Implement Backpropagation =============== +% Once your cost matches up with ours, you should proceed to implement the +% backpropagation algorithm for the neural network. You should add to the +% code you've written in nnCostFunction.m to return the partial +% derivatives of the parameters. +% +fprintf('\nChecking Backpropagation... \n'); + +% Check gradients by running checkNNGradients +checkNNGradients; + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + + +%% =============== Part 8: Implement Regularization =============== +% Once your backpropagation implementation is correct, you should now +% continue to implement the regularization with the cost and gradient. +% + +fprintf('\nChecking Backpropagation (w/ Regularization) ... \n') + +% Check gradients by running checkNNGradients +lambda = 3; +checkNNGradients(lambda); + +% Also output the costFunction debugging values +debug_J = nnCostFunction(nn_params, input_layer_size, ... + hidden_layer_size, num_labels, X, y, lambda); + +fprintf(['\n\nCost at (fixed) debugging parameters (w/ lambda = %f): %f ' ... + '\n(for lambda = 3, this value should be about 0.576051)\n\n'], lambda, debug_J); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% =================== Part 8: Training NN =================== +% You have now implemented all the code necessary to train a neural +% network. To train your neural network, we will now use "fmincg", which +% is a function which works similarly to "fminunc". Recall that these +% advanced optimizers are able to train our cost functions efficiently as +% long as we provide them with the gradient computations. +% +fprintf('\nTraining Neural Network... \n') + +% After you have completed the assignment, change the MaxIter to a larger +% value to see how more training helps. +options = optimset('MaxIter', 50); + +% You should also try different values of lambda +lambda = 1; + +% Create "short hand" for the cost function to be minimized +costFunction = @(p) nnCostFunction(p, ... + input_layer_size, ... + hidden_layer_size, ... + num_labels, X, y, lambda); + +% Now, costFunction is a function that takes in only one argument (the +% neural network parameters) +[nn_params, cost] = fmincg(costFunction, initial_nn_params, options); + +% Obtain Theta1 and Theta2 back from nn_params +Theta1 = reshape(nn_params(1:hidden_layer_size * (input_layer_size + 1)), ... + hidden_layer_size, (input_layer_size + 1)); + +Theta2 = reshape(nn_params((1 + (hidden_layer_size * (input_layer_size + 1))):end), ... + num_labels, (hidden_layer_size + 1)); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% ================= Part 9: Visualize Weights ================= +% You can now "visualize" what the neural network is learning by +% displaying the hidden units to see what features they are capturing in +% the data. + +fprintf('\nVisualizing Neural Network... \n') + +displayData(Theta1(:, 2:end)); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + +%% ================= Part 10: Implement Predict ================= +% After training the neural network, we would like to use it to predict +% the labels. You will now implement the "predict" function to use the +% neural network to predict the labels of the training set. This lets +% you compute the training set accuracy. + +pred = predict(Theta1, Theta2, X); + +fprintf('\nTraining Set Accuracy: %f\n', mean(double(pred == y)) * 100); + + diff --git a/machine-learning-ex4/ex4/ex4data1.mat b/machine-learning-ex4/ex4/ex4data1.mat new file mode 100644 index 0000000..371bd0c Binary files /dev/null and b/machine-learning-ex4/ex4/ex4data1.mat differ diff --git a/machine-learning-ex4/ex4/ex4weights.mat b/machine-learning-ex4/ex4/ex4weights.mat new file mode 100644 index 0000000..ace2a09 Binary files /dev/null and b/machine-learning-ex4/ex4/ex4weights.mat differ diff --git a/machine-learning-ex4/ex4/fmincg.m b/machine-learning-ex4/ex4/fmincg.m new file mode 100644 index 0000000..47a8816 --- /dev/null +++ b/machine-learning-ex4/ex4/fmincg.m @@ -0,0 +1,175 @@ +function [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% Minimize a continuous differentialble multivariate function. Starting point +% is given by "X" (D by 1), and the function named in the string "f", must +% return a function value and a vector of partial derivatives. The Polack- +% Ribiere flavour of conjugate gradients is used to compute search directions, +% and a line search using quadratic and cubic polynomial approximations and the +% Wolfe-Powell stopping criteria is used together with the slope ratio method +% for guessing initial step sizes. Additionally a bunch of checks are made to +% make sure that exploration is taking place and that extrapolation will not +% be unboundedly large. The "length" gives the length of the run: if it is +% positive, it gives the maximum number of line searches, if negative its +% absolute gives the maximum allowed number of function evaluations. You can +% (optionally) give "length" a second component, which will indicate the +% reduction in function value to be expected in the first line-search (defaults +% to 1.0). The function returns when either its length is up, or if no further +% progress can be made (ie, we are at a minimum, or so close that due to +% numerical problems, we cannot get any closer). If the function terminates +% within a few iterations, it could be an indication that the function value +% and derivatives are not consistent (ie, there may be a bug in the +% implementation of your "f" function). The function returns the found +% solution "X", a vector of function values "fX" indicating the progress made +% and "i" the number of iterations (line searches or function evaluations, +% depending on the sign of "length") used. +% +% Usage: [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% +% See also: checkgrad +% +% Copyright (C) 2001 and 2002 by Carl Edward Rasmussen. Date 2002-02-13 +% +% +% (C) Copyright 1999, 2000 & 2001, Carl Edward Rasmussen +% +% Permission is granted for anyone to copy, use, or modify these +% programs and accompanying documents for purposes of research or +% education, provided this copyright notice is retained, and note is +% made of any changes that have been made. +% +% These programs and documents are distributed without any warranty, +% express or implied. As the programs were written for research +% purposes only, they have not been tested to the degree that would be +% advisable in any important application. All use of these programs is +% entirely at the user's own risk. +% +% [ml-class] Changes Made: +% 1) Function name and argument specifications +% 2) Output display +% + +% Read options +if exist('options', 'var') && ~isempty(options) && isfield(options, 'MaxIter') + length = options.MaxIter; +else + length = 100; +end + + +RHO = 0.01; % a bunch of constants for line searches +SIG = 0.5; % RHO and SIG are the constants in the Wolfe-Powell conditions +INT = 0.1; % don't reevaluate within 0.1 of the limit of the current bracket +EXT = 3.0; % extrapolate maximum 3 times the current bracket +MAX = 20; % max 20 function evaluations per line search +RATIO = 100; % maximum allowed slope ratio + +argstr = ['feval(f, X']; % compose string used to call function +for i = 1:(nargin - 3) + argstr = [argstr, ',P', int2str(i)]; +end +argstr = [argstr, ')']; + +if max(size(length)) == 2, red=length(2); length=length(1); else red=1; end +S=['Iteration ']; + +i = 0; % zero the run length counter +ls_failed = 0; % no previous line search has failed +fX = []; +[f1 df1] = eval(argstr); % get function value and gradient +i = i + (length<0); % count epochs?! +s = -df1; % search direction is steepest +d1 = -s'*s; % this is the slope +z1 = red/(1-d1); % initial step is red/(|s|+1) + +while i < abs(length) % while not finished + i = i + (length>0); % count iterations?! + + X0 = X; f0 = f1; df0 = df1; % make a copy of current values + X = X + z1*s; % begin line search + [f2 df2] = eval(argstr); + i = i + (length<0); % count epochs?! + d2 = df2'*s; + f3 = f1; d3 = d1; z3 = -z1; % initialize point 3 equal to point 1 + if length>0, M = MAX; else M = min(MAX, -length-i); end + success = 0; limit = -1; % initialize quanteties + while 1 + while ((f2 > f1+z1*RHO*d1) || (d2 > -SIG*d1)) && (M > 0) + limit = z1; % tighten the bracket + if f2 > f1 + z2 = z3 - (0.5*d3*z3*z3)/(d3*z3+f2-f3); % quadratic fit + else + A = 6*(f2-f3)/z3+3*(d2+d3); % cubic fit + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = (sqrt(B*B-A*d2*z3*z3)-B)/A; % numerical error possible - ok! + end + if isnan(z2) || isinf(z2) + z2 = z3/2; % if we had a numerical problem then bisect + end + z2 = max(min(z2, INT*z3),(1-INT)*z3); % don't accept too close to limits + z1 = z1 + z2; % update the step + X = X + z2*s; + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + z3 = z3-z2; % z3 is now relative to the location of z2 + end + if f2 > f1+z1*RHO*d1 || d2 > -SIG*d1 + break; % this is a failure + elseif d2 > SIG*d1 + success = 1; break; % success + elseif M == 0 + break; % failure + end + A = 6*(f2-f3)/z3+3*(d2+d3); % make cubic extrapolation + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = -d2*z3*z3/(B+sqrt(B*B-A*d2*z3*z3)); % num. error possible - ok! + if ~isreal(z2) || isnan(z2) || isinf(z2) || z2 < 0 % num prob or wrong sign? + if limit < -0.5 % if we have no upper limit + z2 = z1 * (EXT-1); % the extrapolate the maximum amount + else + z2 = (limit-z1)/2; % otherwise bisect + end + elseif (limit > -0.5) && (z2+z1 > limit) % extraplation beyond max? + z2 = (limit-z1)/2; % bisect + elseif (limit < -0.5) && (z2+z1 > z1*EXT) % extrapolation beyond limit + z2 = z1*(EXT-1.0); % set to extrapolation limit + elseif z2 < -z3*INT + z2 = -z3*INT; + elseif (limit > -0.5) && (z2 < (limit-z1)*(1.0-INT)) % too close to limit? + z2 = (limit-z1)*(1.0-INT); + end + f3 = f2; d3 = d2; z3 = -z2; % set point 3 equal to point 2 + z1 = z1 + z2; X = X + z2*s; % update current estimates + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + end % end of line search + + if success % if line search succeeded + f1 = f2; fX = [fX' f1]'; + fprintf('%s %4i | Cost: %4.6e\r', S, i, f1); + s = (df2'*df2-df1'*df2)/(df1'*df1)*s - df2; % Polack-Ribiere direction + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + d2 = df1'*s; + if d2 > 0 % new slope must be negative + s = -df1; % otherwise use steepest direction + d2 = -s'*s; + end + z1 = z1 * min(RATIO, d1/(d2-realmin)); % slope ratio but max RATIO + d1 = d2; + ls_failed = 0; % this line search did not fail + else + X = X0; f1 = f0; df1 = df0; % restore point from before failed line search + if ls_failed || i > abs(length) % line search failed twice in a row + break; % or we ran out of time, so we give up + end + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + s = -df1; % try steepest + d1 = -s'*s; + z1 = 1/(1-d1); + ls_failed = 1; % this line search failed + end + if exist('OCTAVE_VERSION') + fflush(stdout); + end +end +fprintf('\n'); diff --git a/machine-learning-ex4/ex4/lib/jsonlab/AUTHORS.txt b/machine-learning-ex4/ex4/lib/jsonlab/AUTHORS.txt new file mode 100644 index 0000000..9dd3fc7 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/AUTHORS.txt @@ -0,0 +1,41 @@ +The author of "jsonlab" toolbox is Qianqian Fang. Qianqian +is currently an Assistant Professor at Massachusetts General Hospital, +Harvard Medical School. + +Address: Martinos Center for Biomedical Imaging, + Massachusetts General Hospital, + Harvard Medical School + Bldg 149, 13th St, Charlestown, MA 02129, USA +URL: http://nmr.mgh.harvard.edu/~fangq/ +Email: or + + +The script loadjson.m was built upon previous works by + +- Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 + date: 2009/11/02 +- François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 + date: 2009/03/22 +- Joel Feenstra: http://www.mathworks.com/matlabcentral/fileexchange/20565 + date: 2008/07/03 + + +This toolbox contains patches submitted by the following contributors: + +- Blake Johnson + part of revision 341 + +- Niclas Borlin + various fixes in revision 394, including + - loadjson crashes for all-zero sparse matrix. + - loadjson crashes for empty sparse matrix. + - Non-zero size of 0-by-N and N-by-0 empty matrices is lost after savejson/loadjson. + - loadjson crashes for sparse real column vector. + - loadjson crashes for sparse complex column vector. + - Data is corrupted by savejson for sparse real row vector. + - savejson crashes for sparse complex row vector. + +- Yul Kang + patches for svn revision 415. + - savejson saves an empty cell array as [] instead of null + - loadjson differentiates an empty struct from an empty array diff --git a/machine-learning-ex4/ex4/lib/jsonlab/ChangeLog.txt b/machine-learning-ex4/ex4/lib/jsonlab/ChangeLog.txt new file mode 100644 index 0000000..07824f5 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/ChangeLog.txt @@ -0,0 +1,74 @@ +============================================================================ + + JSONlab - a toolbox to encode/decode JSON/UBJSON files in MATLAB/Octave + +---------------------------------------------------------------------------- + +JSONlab ChangeLog (key features marked by *): + +== JSONlab 1.0 (codename: Optimus - Final), FangQ == + + 2015/01/02 polish help info for all major functions, update examples, finalize 1.0 + 2014/12/19 fix a bug to strictly respect NoRowBracket in savejson + +== JSONlab 1.0.0-RC2 (codename: Optimus - RC2), FangQ == + + 2014/11/22 show progress bar in loadjson ('ShowProgress') + 2014/11/17 add Compact option in savejson to output compact JSON format ('Compact') + 2014/11/17 add FastArrayParser in loadjson to specify fast parser applicable levels + 2014/09/18 start official github mirror: https://github.com/fangq/jsonlab + +== JSONlab 1.0.0-RC1 (codename: Optimus - RC1), FangQ == + + 2014/09/17 fix several compatibility issues when running on octave versions 3.2-3.8 + 2014/09/17 support 2D cell and struct arrays in both savejson and saveubjson + 2014/08/04 escape special characters in a JSON string + 2014/02/16 fix a bug when saving ubjson files + +== JSONlab 0.9.9 (codename: Optimus - beta), FangQ == + + 2014/01/22 use binary read and write in saveubjson and loadubjson + +== JSONlab 0.9.8-1 (codename: Optimus - alpha update 1), FangQ == + + 2013/10/07 better round-trip conservation for empty arrays and structs (patch submitted by Yul Kang) + +== JSONlab 0.9.8 (codename: Optimus - alpha), FangQ == + 2013/08/23 *universal Binary JSON (UBJSON) support, including both saveubjson and loadubjson + +== JSONlab 0.9.1 (codename: Rodimus, update 1), FangQ == + 2012/12/18 *handling of various empty and sparse matrices (fixes submitted by Niclas Borlin) + +== JSONlab 0.9.0 (codename: Rodimus), FangQ == + + 2012/06/17 *new format for an invalid leading char, unpacking hex code in savejson + 2012/06/01 support JSONP in savejson + 2012/05/25 fix the empty cell bug (reported by Cyril Davin) + 2012/04/05 savejson can save to a file (suggested by Patrick Rapin) + +== JSONlab 0.8.1 (codename: Sentiel, Update 1), FangQ == + + 2012/02/28 loadjson quotation mark escape bug, see http://bit.ly/yyk1nS + 2012/01/25 patch to handle root-less objects, contributed by Blake Johnson + +== JSONlab 0.8.0 (codename: Sentiel), FangQ == + + 2012/01/13 *speed up loadjson by 20 fold when parsing large data arrays in matlab + 2012/01/11 remove row bracket if an array has 1 element, suggested by Mykel Kochenderfer + 2011/12/22 *accept sequence of 'param',value input in savejson and loadjson + 2011/11/18 fix struct array bug reported by Mykel Kochenderfer + +== JSONlab 0.5.1 (codename: Nexus Update 1), FangQ == + + 2011/10/21 fix a bug in loadjson, previous code does not use any of the acceleration + 2011/10/20 loadjson supports JSON collections - concatenated JSON objects + +== JSONlab 0.5.0 (codename: Nexus), FangQ == + + 2011/10/16 package and release jsonlab 0.5.0 + 2011/10/15 *add json demo and regression test, support cpx numbers, fix double quote bug + 2011/10/11 *speed up readjson dramatically, interpret _Array* tags, show data in root level + 2011/10/10 create jsonlab project, start jsonlab website, add online documentation + 2011/10/07 *speed up savejson by 25x using sprintf instead of mat2str, add options support + 2011/10/06 *savejson works for structs, cells and arrays + 2011/09/09 derive loadjson from JSON parser from MATLAB Central, draft savejson.m diff --git a/machine-learning-ex4/ex4/lib/jsonlab/LICENSE_BSD.txt b/machine-learning-ex4/ex4/lib/jsonlab/LICENSE_BSD.txt new file mode 100644 index 0000000..32d66cb --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/LICENSE_BSD.txt @@ -0,0 +1,25 @@ +Copyright 2011-2015 Qianqian Fang . All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are +permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, this list of + conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright notice, this list + of conditions and the following disclaimer in the documentation and/or other materials + provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ''AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS +OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR +CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF +ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +The views and conclusions contained in the software and documentation are those of the +authors and should not be interpreted as representing official policies, either expressed +or implied, of the copyright holders. diff --git a/machine-learning-ex4/ex4/lib/jsonlab/README.txt b/machine-learning-ex4/ex4/lib/jsonlab/README.txt new file mode 100644 index 0000000..7b4f732 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/README.txt @@ -0,0 +1,394 @@ +=============================================================================== += JSONLab = += An open-source MATLAB/Octave JSON encoder and decoder = +=============================================================================== + +*Copyright (C) 2011-2015 Qianqian Fang +*License: BSD License, see License_BSD.txt for details +*Version: 1.0 (Optimus - Final) + +------------------------------------------------------------------------------- + +Table of Content: + +I. Introduction +II. Installation +III.Using JSONLab +IV. Known Issues and TODOs +V. Contribution and feedback + +------------------------------------------------------------------------------- + +I. Introduction + +JSON ([http://www.json.org/ JavaScript Object Notation]) is a highly portable, +human-readable and "[http://en.wikipedia.org/wiki/JSON fat-free]" text format +to represent complex and hierarchical data. It is as powerful as +[http://en.wikipedia.org/wiki/XML XML], but less verbose. JSON format is widely +used for data-exchange in applications, and is essential for the wild success +of [http://en.wikipedia.org/wiki/Ajax_(programming) Ajax] and +[http://en.wikipedia.org/wiki/Web_2.0 Web2.0]. + +UBJSON (Universal Binary JSON) is a binary JSON format, specifically +optimized for compact file size and better performance while keeping +the semantics as simple as the text-based JSON format. Using the UBJSON +format allows to wrap complex binary data in a flexible and extensible +structure, making it possible to process complex and large dataset +without accuracy loss due to text conversions. + +We envision that both JSON and its binary version will serve as part of +the mainstream data-exchange formats for scientific research in the future. +It will provide the flexibility and generality achieved by other popular +general-purpose file specifications, such as +[http://www.hdfgroup.org/HDF5/whatishdf5.html HDF5], with significantly +reduced complexity and enhanced performance. + +JSONLab is a free and open-source implementation of a JSON/UBJSON encoder +and a decoder in the native MATLAB language. It can be used to convert a MATLAB +data structure (array, struct, cell, struct array and cell array) into +JSON/UBJSON formatted strings, or to decode a JSON/UBJSON file into MATLAB +data structure. JSONLab supports both MATLAB and +[http://www.gnu.org/software/octave/ GNU Octave] (a free MATLAB clone). + +------------------------------------------------------------------------------- + +II. Installation + +The installation of JSONLab is no different than any other simple +MATLAB toolbox. You only need to download/unzip the JSONLab package +to a folder, and add the folder's path to MATLAB/Octave's path list +by using the following command: + + addpath('/path/to/jsonlab'); + +If you want to add this path permanently, you need to type "pathtool", +browse to the jsonlab root folder and add to the list, then click "Save". +Then, run "rehash" in MATLAB, and type "which loadjson", if you see an +output, that means JSONLab is installed for MATLAB/Octave. + +------------------------------------------------------------------------------- + +III.Using JSONLab + +JSONLab provides two functions, loadjson.m -- a MATLAB->JSON decoder, +and savejson.m -- a MATLAB->JSON encoder, for the text-based JSON, and +two equivallent functions -- loadubjson and saveubjson for the binary +JSON. The detailed help info for the four functions can be found below: + +=== loadjson.m === +
+  data=loadjson(fname,opt)
+     or
+  data=loadjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09, including previous works from 
+ 
+          Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713
+             created on 2009/11/02
+          François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393
+             created on  2009/03/22
+          Joel Feenstra:
+          http://www.mathworks.com/matlabcentral/fileexchange/20565
+             created on 2008/07/03
+ 
+  $Id: loadjson.m 452 2014-11-22 16:43:33Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a JSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.FastArrayParser [1|0 or integer]: if set to 1, use a
+                          speed-optimized array parser when loading an 
+                          array object. The fast array parser may 
+                          collapse block arrays into a single large
+                          array similar to rules defined in cell2mat; 0 to 
+                          use a legacy parser; if set to a larger-than-1
+                          value, this option will specify the minimum
+                          dimension to enable the fast array parser. For
+                          example, if the input is a 3D array, setting
+                          FastArrayParser to 1 will return a 3D array;
+                          setting to 2 will return a cell array of 2D
+                          arrays; setting to 3 will return to a 2D cell
+                          array of 1D vectors; setting to 4 will return a
+                          3D cell array.
+            opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}')
+       dat=loadjson(['examples' filesep 'example1.json'])
+       dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1)
+
+ +=== savejson.m === + +
+  json=savejson(rootname,obj,filename)
+     or
+  json=savejson(rootname,obj,opt)
+  json=savejson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a JSON (JavaScript
+  Object Notation) string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09
+ 
+  $Id: savejson.m 458 2014-12-19 22:17:17Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array).
+       filename: a string for the file name to save the output JSON data.
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.FloatFormat ['%.10g'|string]: format to show each numeric element
+                          of a 1D/2D array;
+         opt.ArrayIndent [1|0]: if 1, output explicit data array with
+                          precedent indentation; if 0, no indentation
+         opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [0|1]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern
+                          to represent +/-Inf. The matched pattern is '([-+]*)Inf'
+                          and $1 represents the sign. For those who want to use
+                          1e999 to represent Inf, they can set opt.Inf to '$11e999'
+         opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern
+                          to represent NaN
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSONP='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+         opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode.
+         opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs)
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a string in the JSON format (see http://json.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       savejson('jmesh',jsonmesh)
+       savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g')
+ 
+ +=== loadubjson.m === + +
+  data=loadubjson(fname,opt)
+     or
+  data=loadubjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/01
+ 
+  $Id: loadubjson.m 436 2014-08-05 20:51:40Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a UBJSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.IntEndian [B|L]: specify the endianness of the integer fields
+                          in the UBJSON input data. B - Big-Endian format for 
+                          integers (as required in the UBJSON specification); 
+                          L - input integer fields are in Little-Endian order.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       obj=struct('string','value','array',[1 2 3]);
+       ubjdata=saveubjson('obj',obj);
+       dat=loadubjson(ubjdata)
+       dat=loadubjson(['examples' filesep 'example1.ubj'])
+       dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1)
+
+ +=== saveubjson.m === + +
+  json=saveubjson(rootname,obj,filename)
+     or
+  json=saveubjson(rootname,obj,opt)
+  json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a Universal 
+  Binary JSON (UBJSON) binary string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/17
+ 
+  $Id: saveubjson.m 440 2014-09-17 19:59:45Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array)
+       filename: a string for the file name to save the output UBJSON data
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [1|0]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSON='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a binary string in the UBJSON format (see http://ubjson.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       saveubjson('jsonmesh',jsonmesh)
+       saveubjson('jsonmesh',jsonmesh,'meshdata.ubj')
+
+ + +=== examples === + +Under the "examples" folder, you can find several scripts to demonstrate the +basic utilities of JSONLab. Running the "demo_jsonlab_basic.m" script, you +will see the conversions from MATLAB data structure to JSON text and backward. +In "jsonlab_selftest.m", we load complex JSON files downloaded from the Internet +and validate the loadjson/savejson functions for regression testing purposes. +Similarly, a "demo_ubjson_basic.m" script is provided to test the saveubjson +and loadubjson pairs for various matlab data structures. + +Please run these examples and understand how JSONLab works before you use +it to process your data. + +------------------------------------------------------------------------------- + +IV. Known Issues and TODOs + +JSONLab has several known limitations. We are striving to make it more general +and robust. Hopefully in a few future releases, the limitations become less. + +Here are the known issues: + +# 3D or higher dimensional cell/struct-arrays will be converted to 2D arrays; +# When processing names containing multi-byte characters, Octave and MATLAB \ +can give different field-names; you can use feature('DefaultCharacterSet','latin1') \ +in MATLAB to get consistant results +# savejson can not handle class and dataset. +# saveubjson converts a logical array into a uint8 ([U]) array +# an unofficial N-D array count syntax is implemented in saveubjson. We are \ +actively communicating with the UBJSON spec maintainer to investigate the \ +possibility of making it upstream +# loadubjson can not parse all UBJSON Specification (Draft 9) compliant \ +files, however, it can parse all UBJSON files produced by saveubjson. + +------------------------------------------------------------------------------- + +V. Contribution and feedback + +JSONLab is an open-source project. This means you can not only use it and modify +it as you wish, but also you can contribute your changes back to JSONLab so +that everyone else can enjoy the improvement. For anyone who want to contribute, +please download JSONLab source code from it's subversion repository by using the +following command: + + svn checkout svn://svn.code.sf.net/p/iso2mesh/code/trunk/jsonlab jsonlab + +You can make changes to the files as needed. Once you are satisfied with your +changes, and ready to share it with others, please cd the root directory of +JSONLab, and type + + svn diff > yourname_featurename.patch + +You then email the .patch file to JSONLab's maintainer, Qianqian Fang, at +the email address shown in the beginning of this file. Qianqian will review +the changes and commit it to the subversion if they are satisfactory. + +We appreciate any suggestions and feedbacks from you. Please use iso2mesh's +mailing list to report any questions you may have with JSONLab: + +http://groups.google.com/group/iso2mesh-users?hl=en&pli=1 + +(Subscription to the mailing list is needed in order to post messages). diff --git a/machine-learning-ex4/ex4/lib/jsonlab/jsonopt.m b/machine-learning-ex4/ex4/lib/jsonlab/jsonopt.m new file mode 100644 index 0000000..0bebd8d --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/jsonopt.m @@ -0,0 +1,32 @@ +function val=jsonopt(key,default,varargin) +% +% val=jsonopt(key,default,optstruct) +% +% setting options based on a struct. The struct can be produced +% by varargin2struct from a list of 'param','value' pairs +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% +% $Id: loadjson.m 371 2012-06-20 12:43:06Z fangq $ +% +% input: +% key: a string with which one look up a value from a struct +% default: if the key does not exist, return default +% optstruct: a struct where each sub-field is a key +% +% output: +% val: if key exists, val=optstruct.key; otherwise val=default +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +val=default; +if(nargin<=2) return; end +opt=varargin{1}; +if(isstruct(opt) && isfield(opt,key)) + val=getfield(opt,key); +end + diff --git a/machine-learning-ex4/ex4/lib/jsonlab/loadjson.m b/machine-learning-ex4/ex4/lib/jsonlab/loadjson.m new file mode 100644 index 0000000..42798c0 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/loadjson.m @@ -0,0 +1,566 @@ +function data = loadjson(fname,varargin) +% +% data=loadjson(fname,opt) +% or +% data=loadjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09, including previous works from +% +% Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 +% created on 2009/11/02 +% François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 +% created on 2009/03/22 +% Joel Feenstra: +% http://www.mathworks.com/matlabcentral/fileexchange/20565 +% created on 2008/07/03 +% +% $Id: loadjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a JSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.FastArrayParser [1|0 or integer]: if set to 1, use a +% speed-optimized array parser when loading an +% array object. The fast array parser may +% collapse block arrays into a single large +% array similar to rules defined in cell2mat; 0 to +% use a legacy parser; if set to a larger-than-1 +% value, this option will specify the minimum +% dimension to enable the fast array parser. For +% example, if the input is a 3D array, setting +% FastArrayParser to 1 will return a 3D array; +% setting to 2 will return a cell array of 2D +% arrays; setting to 3 will return to a 2D cell +% array of 1D vectors; setting to 4 will return a +% 3D cell array. +% opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}') +% dat=loadjson(['examples' filesep 'example1.json']) +% dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); + +if(jsonopt('ShowProgress',0,opt)==1) + opt.progressbar_=waitbar(0,'loading ...'); +end +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end +if(isfield(opt,'progressbar_')) + close(opt.progressbar_); +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=data(j).x0x5F_ArraySize_; + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + if next_char ~= '}' + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + parse_char(':'); + val = parse_value(varargin{:}); + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' + break; + end + parse_char(','); + end + end + parse_char('}'); + +%%------------------------------------------------------------------------- + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim2=[]; + arraydepth=jsonopt('JSONLAB_ArrayDepth_',1,varargin{:}); + pbar=jsonopt('progressbar_',-1,varargin{:}); + + if next_char ~= ']' + if(jsonopt('FastArrayParser',1,varargin{:})>=1 && arraydepth>=jsonopt('FastArrayParser',1,varargin{:})) + [endpos, e1l, e1r, maxlevel]=matching_bracket(inStr,pos); + arraystr=['[' inStr(pos:endpos)]; + arraystr=regexprep(arraystr,'"_NaN_"','NaN'); + arraystr=regexprep(arraystr,'"([-+]*)_Inf_"','$1Inf'); + arraystr(arraystr==sprintf('\n'))=[]; + arraystr(arraystr==sprintf('\r'))=[]; + %arraystr=regexprep(arraystr,'\s*,',','); % this is slow,sometimes needed + if(~isempty(e1l) && ~isempty(e1r)) % the array is in 2D or higher D + astr=inStr((e1l+1):(e1r-1)); + astr=regexprep(astr,'"_NaN_"','NaN'); + astr=regexprep(astr,'"([-+]*)_Inf_"','$1Inf'); + astr(astr==sprintf('\n'))=[]; + astr(astr==sprintf('\r'))=[]; + astr(astr==' ')=''; + if(isempty(find(astr=='[', 1))) % array is 2D + dim2=length(sscanf(astr,'%f,',[1 inf])); + end + else % array is 1D + astr=arraystr(2:end-1); + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',[1,inf]); + if(nextidx>=length(astr)-1) + object=obj; + pos=endpos; + parse_char(']'); + return; + end + end + if(~isempty(dim2)) + astr=arraystr; + astr(astr=='[')=''; + astr(astr==']')=''; + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',inf); + if(nextidx>=length(astr)-1) + object=reshape(obj,dim2,numel(obj)/dim2)'; + pos=endpos; + parse_char(']'); + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end + return; + end + end + arraystr=regexprep(arraystr,'\]\s*,','];'); + else + arraystr='['; + end + try + if(isoct && regexp(arraystr,'"','once')) + error('Octave eval can produce empty cells for JSON-like input'); + end + object=eval(arraystr); + pos=endpos; + catch + while 1 + newopt=varargin2struct(varargin{:},'JSONLAB_ArrayDepth_',arraydepth+1); + val = parse_value(newopt); + object{end+1} = val; + if next_char == ']' + break; + end + parse_char(','); + end + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + parse_char(']'); + + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr len esc index_esc len_esc + % len, ns = length(inStr), keyboard + if inStr(pos) ~= '"' + error_pos('String starting with " expected at position %d'); + else + pos = pos + 1; + end + str = ''; + while pos <= len + while index_esc <= len_esc && esc(index_esc) < pos + index_esc = index_esc + 1; + end + if index_esc > len_esc + str = [str inStr(pos:len)]; + pos = len + 1; + break; + else + str = [str inStr(pos:esc(index_esc)-1)]; + pos = esc(index_esc); + end + nstr = length(str); switch inStr(pos) + case '"' + pos = pos + 1; + if(~isempty(str)) + if(strcmp(str,'_Inf_')) + str=Inf; + elseif(strcmp(str,'-_Inf_')) + str=-Inf; + elseif(strcmp(str,'_NaN_')) + str=NaN; + end + end + return; + case '\' + if pos+1 > len + error_pos('End of file reached right after escape character'); + end + pos = pos + 1; + switch inStr(pos) + case {'"' '\' '/'} + str(nstr+1) = inStr(pos); + pos = pos + 1; + case {'b' 'f' 'n' 'r' 't'} + str(nstr+1) = sprintf(['\' inStr(pos)]); + pos = pos + 1; + case 'u' + if pos+4 > len + error_pos('End of file reached in escaped unicode character'); + end + str(nstr+(1:6)) = inStr(pos-1:pos+4); + pos = pos + 5; + end + otherwise % should never happen + str(nstr+1) = inStr(pos), keyboard + pos = pos + 1; + end + end + error_pos('End of file while expecting end of inStr'); + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct + currstr=inStr(pos:end); + numstr=0; + if(isoct~=0) + numstr=regexp(currstr,'^\s*-?(?:0|[1-9]\d*)(?:\.\d+)?(?:[eE][+\-]?\d+)?','end'); + [num, one] = sscanf(currstr, '%f', 1); + delta=numstr+1; + else + [num, one, err, delta] = sscanf(currstr, '%f', 1); + if ~isempty(err) + error_pos('Error reading number at position %d'); + end + end + pos = pos + delta-1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + pbar=jsonopt('progressbar_',-1,varargin{:}); + if(pbar>0) + waitbar(pos/len,pbar,'loading ...'); + end + + switch(inStr(pos)) + case '"' + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'-','0','1','2','3','4','5','6','7','8','9'} + val = parse_number(varargin{:}); + return; + case 't' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'true') + val = true; + pos = pos + 4; + return; + end + case 'f' + if pos+4 <= len && strcmpi(inStr(pos:pos+4), 'false') + val = false; + pos = pos + 5; + return; + end + case 'n' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'null') + val = []; + pos = pos + 4; + return; + end + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos, e1l, e1r, maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex4/ex4/lib/jsonlab/loadubjson.m b/machine-learning-ex4/ex4/lib/jsonlab/loadubjson.m new file mode 100644 index 0000000..0155115 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/loadubjson.m @@ -0,0 +1,528 @@ +function data = loadubjson(fname,varargin) +% +% data=loadubjson(fname,opt) +% or +% data=loadubjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/01 +% +% $Id: loadubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a UBJSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.IntEndian [B|L]: specify the endianness of the integer fields +% in the UBJSON input data. B - Big-Endian format for +% integers (as required in the UBJSON specification); +% L - input integer fields are in Little-Endian order. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% obj=struct('string','value','array',[1 2 3]); +% ubjdata=saveubjson('obj',obj); +% dat=loadubjson(ubjdata) +% dat=loadubjson(['examples' filesep 'example1.ubj']) +% dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken fileendian systemendian + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); +fileendian=upper(jsonopt('IntEndian','B',opt)); +[os,maxelem,systemendian]=computer; + +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end + + +%% +function newdata=parse_collection(id,data,obj) + +if(jsoncount>0 && exist('data','var')) + if(~iscell(data)) + newdata=cell(1); + newdata{1}=data; + data=newdata; + end +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=double(data(j).x0x5F_ArraySize_); + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); % TODO + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + count=double(parse_number()); + end + if next_char ~= '}' + num=0; + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + %parse_char(':'); + val = parse_value(varargin{:}); + num=num+1; + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' || (count>=0 && num>=count) + break; + end + %parse_char(','); + end + end + if(count==-1) + parse_char('}'); + end + +%%------------------------------------------------------------------------- +function [cid,len]=elem_info(type) +id=strfind('iUIlLdD',type); +dataclass={'int8','uint8','int16','int32','int64','single','double'}; +bytelen=[1,1,2,4,8,4,8]; +if(id>0) + cid=dataclass{id}; + len=bytelen(id); +else + error_pos('unsupported type at position %d'); +end +%%------------------------------------------------------------------------- + + +function [data adv]=parse_block(type,count,varargin) +global pos inStr isoct fileendian systemendian +[cid,len]=elem_info(type); +datastr=inStr(pos:pos+len*count-1); +if(isoct) + newdata=int8(datastr); +else + newdata=uint8(datastr); +end +id=strfind('iUIlLdD',type); +if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,cid)); +end +data=typecast(newdata,cid); +adv=double(len*count); + +%%------------------------------------------------------------------------- + + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim=[]; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + if(next_char=='[') + dim=parse_array(varargin{:}); + count=prod(double(dim)); + else + count=double(parse_number()); + end + end + if(~isempty(type)) + if(count>=0) + [object adv]=parse_block(type,count,varargin{:}); + if(~isempty(dim)) + object=reshape(object,dim); + end + pos=pos+adv; + return; + else + endpos=matching_bracket(inStr,pos); + [cid,len]=elem_info(type); + count=(endpos-pos)/len; + [object adv]=parse_block(type,count,varargin{:}); + pos=pos+adv; + parse_char(']'); + return; + end + end + if next_char ~= ']' + while 1 + val = parse_value(varargin{:}); + object{end+1} = val; + if next_char == ']' + break; + end + %parse_char(','); + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + if(count==-1) + parse_char(']'); + end + +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr esc index_esc len_esc + % len, ns = length(inStr), keyboard + type=inStr(pos); + if type ~= 'S' && type ~= 'C' && type ~= 'H' + error_pos('String starting with S expected at position %d'); + else + pos = pos + 1; + end + if(type == 'C') + str=inStr(pos); + pos=pos+1; + return; + end + bytelen=double(parse_number()); + if(length(inStr)>=pos+bytelen-1) + str=inStr(pos:pos+bytelen-1); + pos=pos+bytelen; + else + error_pos('End of file while expecting end of inStr'); + end + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct fileendian systemendian + id=strfind('iUIlLdD',inStr(pos)); + if(isempty(id)) + error_pos('expecting a number at position %d'); + end + type={'int8','uint8','int16','int32','int64','single','double'}; + bytelen=[1,1,2,4,8,4,8]; + datastr=inStr(pos+1:pos+bytelen(id)); + if(isoct) + newdata=int8(datastr); + else + newdata=uint8(datastr); + end + if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,type{id})); + end + num=typecast(newdata,type{id}); + pos = pos + bytelen(id)+1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + switch(inStr(pos)) + case {'S','C','H'} + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'i','U','I','l','L','d','D'} + val = parse_number(varargin{:}); + return; + case 'T' + val = true; + pos = pos + 1; + return; + case 'F' + val = false; + pos = pos + 1; + return; + case {'Z','N'} + val = []; + pos = pos + 1; + return; + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos e1l e1r maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex4/ex4/lib/jsonlab/mergestruct.m b/machine-learning-ex4/ex4/lib/jsonlab/mergestruct.m new file mode 100644 index 0000000..6de6100 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/mergestruct.m @@ -0,0 +1,33 @@ +function s=mergestruct(s1,s2) +% +% s=mergestruct(s1,s2) +% +% merge two struct objects into one +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% s1,s2: a struct object, s1 and s2 can not be arrays +% +% output: +% s: the merged struct object. fields in s1 and s2 will be combined in s. +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(~isstruct(s1) || ~isstruct(s2)) + error('input parameters contain non-struct'); +end +if(length(s1)>1 || length(s2)>1) + error('can not merge struct arrays'); +end +fn=fieldnames(s2); +s=s1; +for i=1:length(fn) + s=setfield(s,fn{i},getfield(s2,fn{i})); +end + diff --git a/machine-learning-ex4/ex4/lib/jsonlab/savejson.m b/machine-learning-ex4/ex4/lib/jsonlab/savejson.m new file mode 100644 index 0000000..7e84076 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/savejson.m @@ -0,0 +1,475 @@ +function json=savejson(rootname,obj,varargin) +% +% json=savejson(rootname,obj,filename) +% or +% json=savejson(rootname,obj,opt) +% json=savejson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a JSON (JavaScript +% Object Notation) string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09 +% +% $Id: savejson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array). +% filename: a string for the file name to save the output JSON data. +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.FloatFormat ['%.10g'|string]: format to show each numeric element +% of a 1D/2D array; +% opt.ArrayIndent [1|0]: if 1, output explicit data array with +% precedent indentation; if 0, no indentation +% opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [0|1]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern +% to represent +/-Inf. The matched pattern is '([-+]*)Inf' +% and $1 represents the sign. For those who want to use +% 1e999 to represent Inf, they can set opt.Inf to '$11e999' +% opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern +% to represent NaN +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSONP='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode. +% opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs) +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a string in the JSON format (see http://json.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% savejson('jmesh',jsonmesh) +% savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end + +whitespaces=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +if(jsonopt('Compact',0,opt)==1) + whitespaces=struct('tab','','newline','','sep',','); +end +if(~isfield(opt,'whitespaces_')) + opt.whitespaces_=whitespaces; +end + +nl=whitespaces.newline; + +json=obj2json(rootname,obj,rootlevel,opt); +if(rootisarray) + json=sprintf('%s%s',json,nl); +else + json=sprintf('{%s%s%s}\n',nl,json,nl); +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=sprintf('%s(%s);%s',jsonp,json,nl); +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + if(jsonopt('SaveBinary',0,opt)==1) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + else + fid = fopen(opt.FileName, 'wt'); + fwrite(fid,json,'char'); + end + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2json(name,item,level,varargin) + +if(iscell(item)) + txt=cell2json(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2json(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2json(name,item,level,varargin{:}); +else + txt=mat2json(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2json(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=jsonopt('whitespaces_',struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')),varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +nl=ws.newline; +if(len>1) + if(~isempty(name)) + txt=sprintf('%s"%s": [%s',padding0, checkname(name,varargin{:}),nl); name=''; + else + txt=sprintf('%s[%s',padding0,nl); + end +elseif(len==0) + if(~isempty(name)) + txt=sprintf('%s"%s": []',padding0, checkname(name,varargin{:})); name=''; + else + txt=sprintf('%s[]',padding0); + end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + txt=sprintf('%s%s',txt,obj2json(name,item{i,j},level+(dim(1)>1)+1,varargin{:})); + if(i1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=struct2json(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +padding1=repmat(ws.tab,1,level+(dim(1)>1)+(len>1)); +nl=ws.newline; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding0,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding0,nl); end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=sprintf('%s%s"%s": {%s',txt,padding1, checkname(name,varargin{:}),nl); + else + txt=sprintf('%s%s{%s',txt,padding1,nl); + end + if(~isempty(names)) + for e=1:length(names) + txt=sprintf('%s%s',txt,obj2json(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})); + if(e1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=str2json(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding1,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding1,nl); end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + if(isoct) + val=regexprep(item(e,:),'\\','\\'); + val=regexprep(val,'"','\"'); + val=regexprep(val,'^"','\"'); + else + val=regexprep(item(e,:),'\\','\\\\'); + val=regexprep(val,'"','\\"'); + val=regexprep(val,'^"','\\"'); + end + val=escapejsonstring(val); + if(len==1) + obj=['"' checkname(name,varargin{:}) '": ' '"',val,'"']; + if(isempty(name)) obj=['"',val,'"']; end + txt=sprintf('%s%s%s%s',txt,padding1,obj); + else + txt=sprintf('%s%s%s%s',txt,padding0,['"',val,'"']); + end + if(e==len) sep=''; end + txt=sprintf('%s%s',txt,sep); +end +if(len>1) txt=sprintf('%s%s%s%s',txt,nl,padding1,']'); end + +%%------------------------------------------------------------------------- +function txt=mat2json(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) ||jsonopt('ArrayToStruct',0,varargin{:})) + if(isempty(name)) + txt=sprintf('%s{%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + else + txt=sprintf('%s"%s": {%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,checkname(name,varargin{:}),nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + end +else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1 && level>0) + numtxt=regexprep(regexprep(matdata2json(item,level+1,varargin{:}),'^\[',''),']',''); + else + numtxt=matdata2json(item,level+1,varargin{:}); + end + if(isempty(name)) + txt=sprintf('%s%s',padding1,numtxt); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + else + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + end + end + return; +end +dataformat='%s%s%s%s%s'; + +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsSparse_": ','1', sep); + if(size(item,1)==1) + % Row vector, store only column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([iy(:),data'],level+2,varargin{:}), nl); + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,data],level+2,varargin{:}), nl); + else + % General case, store row and column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,iy,data],level+2,varargin{:}), nl); + end +else + if(isreal(item)) + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json(item(:)',level+2,varargin{:}), nl); + else + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([real(item(:)) imag(item(:))],level+2,varargin{:}), nl); + end +end +txt=sprintf('%s%s%s',txt,padding1,'}'); + +%%------------------------------------------------------------------------- +function txt=matdata2json(mat,level,varargin) + +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +tab=ws.tab; +nl=ws.newline; + +if(size(mat,1)==1) + pre=''; + post=''; + level=level-1; +else + pre=sprintf('[%s',nl); + post=sprintf('%s%s]',nl,repmat(tab,1,level-1)); +end + +if(isempty(mat)) + txt='null'; + return; +end +floatformat=jsonopt('FloatFormat','%.10g',varargin{:}); +%if(numel(mat)>1) + formatstr=['[' repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf('],%s',nl)]]; +%else +% formatstr=[repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf(',\n')]]; +%end + +if(nargin>=2 && size(mat,1)>1 && jsonopt('ArrayIndent',1,varargin{:})==1) + formatstr=[repmat(tab,1,level) formatstr]; +end + +txt=sprintf(formatstr,mat'); +txt(end-length(nl):end)=[]; +if(islogical(mat) && jsonopt('ParseLogical',0,varargin{:})==1) + txt=regexprep(txt,'1','true'); + txt=regexprep(txt,'0','false'); +end +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],\n[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +txt=[pre txt post]; +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end + +%%------------------------------------------------------------------------- +function newstr=escapejsonstring(str) +newstr=str; +isoct=exist('OCTAVE_VERSION','builtin'); +if(isoct) + vv=sscanf(OCTAVE_VERSION,'%f'); + if(vv(1)>=3.8) isoct=0; end +end +if(isoct) + escapechars={'\a','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},escapechars{i}); + end +else + escapechars={'\a','\b','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},regexprep(escapechars{i},'\\','\\\\')); + end +end diff --git a/machine-learning-ex4/ex4/lib/jsonlab/saveubjson.m b/machine-learning-ex4/ex4/lib/jsonlab/saveubjson.m new file mode 100644 index 0000000..eaec433 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/saveubjson.m @@ -0,0 +1,504 @@ +function json=saveubjson(rootname,obj,varargin) +% +% json=saveubjson(rootname,obj,filename) +% or +% json=saveubjson(rootname,obj,opt) +% json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a Universal +% Binary JSON (UBJSON) binary string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/17 +% +% $Id: saveubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array) +% filename: a string for the file name to save the output UBJSON data +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [1|0]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSON='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a binary string in the UBJSON format (see http://ubjson.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% saveubjson('jsonmesh',jsonmesh) +% saveubjson('jsonmesh',jsonmesh,'meshdata.ubj') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end +json=obj2ubjson(rootname,obj,rootlevel,opt); +if(~rootisarray) + json=['{' json '}']; +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=[jsonp '(' json ')']; +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2ubjson(name,item,level,varargin) + +if(iscell(item)) + txt=cell2ubjson(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2ubjson(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2ubjson(name,item,level,varargin{:}); +else + txt=mat2ubjson(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2ubjson(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); % let's handle 1D cell first +if(len>1) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) '[']; name=''; + else + txt='['; + end +elseif(len==0) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) 'Z']; name=''; + else + txt='Z'; + end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + txt=[txt obj2ubjson(name,item{i,j},level+(len>1),varargin{:})]; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=struct2ubjson(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=[txt S_(checkname(name,varargin{:})) '{']; + else + txt=[txt '{']; + end + if(~isempty(names)) + for e=1:length(names) + txt=[txt obj2ubjson(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})]; + end + end + txt=[txt '}']; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=str2ubjson(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + val=item(e,:); + if(len==1) + obj=['' S_(checkname(name,varargin{:})) '' '',S_(val),'']; + if(isempty(name)) obj=['',S_(val),'']; end + txt=[txt,'',obj]; + else + txt=[txt,'',['',S_(val),'']]; + end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=mat2ubjson(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) || jsonopt('ArrayToStruct',0,varargin{:})) + cid=I_(uint32(max(size(item)))); + if(isempty(name)) + txt=['{' S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1)) ]; + else + if(isempty(item)) + txt=[S_(checkname(name,varargin{:})),'Z']; + return; + else + txt=[S_(checkname(name,varargin{:})),'{',S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1))]; + end + end +else + if(isempty(name)) + txt=matdata2ubjson(item,level+1,varargin{:}); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + numtxt=regexprep(regexprep(matdata2ubjson(item,level+1,varargin{:}),'^\[',''),']',''); + txt=[S_(checkname(name,varargin{:})) numtxt]; + else + txt=[S_(checkname(name,varargin{:})),matdata2ubjson(item,level+1,varargin{:})]; + end + end + return; +end +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=[txt,S_('_ArrayIsComplex_'),'T']; + end + txt=[txt,S_('_ArrayIsSparse_'),'T']; + if(size(item,1)==1) + % Row vector, store only column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([iy(:),data'],level+2,varargin{:})]; + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,data],level+2,varargin{:})]; + else + % General case, store row and column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,iy,data],level+2,varargin{:})]; + end +else + if(isreal(item)) + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson(item(:)',level+2,varargin{:})]; + else + txt=[txt,S_('_ArrayIsComplex_'),'T']; + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([real(item(:)) imag(item(:))],level+2,varargin{:})]; + end +end +txt=[txt,'}']; + +%%------------------------------------------------------------------------- +function txt=matdata2ubjson(mat,level,varargin) +if(isempty(mat)) + txt='Z'; + return; +end +if(size(mat,1)==1) + level=level-1; +end +type=''; +hasnegtive=(mat<0); +if(isa(mat,'integer') || isinteger(mat) || (isfloat(mat) && all(mod(mat(:),1) == 0))) + if(isempty(hasnegtive)) + if(max(mat(:))<=2^8) + type='U'; + end + end + if(isempty(type)) + % todo - need to consider negative ones separately + id= histc(abs(max(mat(:))),[0 2^7 2^15 2^31 2^63]); + if(isempty(find(id))) + error('high-precision data is not yet supported'); + end + key='iIlL'; + type=key(find(id)); + end + txt=[I_a(mat(:),type,size(mat))]; +elseif(islogical(mat)) + logicalval='FT'; + if(numel(mat)==1) + txt=logicalval(mat+1); + else + txt=['[$U#' I_a(size(mat),'l') typecast(swapbytes(uint8(mat(:)')),'uint8')]; + end +else + if(numel(mat)==1) + txt=['[' D_(mat) ']']; + else + txt=D_a(mat(:),'D',size(mat)); + end +end + +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end +%%------------------------------------------------------------------------- +function val=S_(str) +if(length(str)==1) + val=['C' str]; +else + val=['S' I_(int32(length(str))) str]; +end +%%------------------------------------------------------------------------- +function val=I_(num) +if(~isinteger(num)) + error('input is not an integer'); +end +if(num>=0 && num<255) + val=['U' data2byte(swapbytes(cast(num,'uint8')),'uint8')]; + return; +end +key='iIlL'; +cid={'int8','int16','int32','int64'}; +for i=1:4 + if((num>0 && num<2^(i*8-1)) || (num<0 && num>=-2^(i*8-1))) + val=[key(i) data2byte(swapbytes(cast(num,cid{i})),'uint8')]; + return; + end +end +error('unsupported integer'); + +%%------------------------------------------------------------------------- +function val=D_(num) +if(~isfloat(num)) + error('input is not a float'); +end + +if(isa(num,'single')) + val=['d' data2byte(num,'uint8')]; +else + val=['D' data2byte(num,'uint8')]; +end +%%------------------------------------------------------------------------- +function data=I_a(num,type,dim,format) +id=find(ismember('iUIlL',type)); + +if(id==0) + error('unsupported integer array'); +end + +% based on UBJSON specs, all integer types are stored in big endian format + +if(id==1) + data=data2byte(swapbytes(int8(num)),'uint8'); + blen=1; +elseif(id==2) + data=data2byte(swapbytes(uint8(num)),'uint8'); + blen=1; +elseif(id==3) + data=data2byte(swapbytes(int16(num)),'uint8'); + blen=2; +elseif(id==4) + data=data2byte(swapbytes(int32(num)),'uint8'); + blen=4; +elseif(id==5) + data=data2byte(swapbytes(int64(num)),'uint8'); + blen=8; +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/blen)) data(:)']; + end + data=['[' data(:)']; +else + data=reshape(data,blen,numel(data)/blen); + data(2:blen+1,:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function data=D_a(num,type,dim,format) +id=find(ismember('dD',type)); + +if(id==0) + error('unsupported float array'); +end + +if(id==1) + data=data2byte(single(num),'uint8'); +elseif(id==2) + data=data2byte(double(num),'uint8'); +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/(id*4))) data(:)']; + end + data=['[' data]; +else + data=reshape(data,(id*4),length(data)/(id*4)); + data(2:(id*4+1),:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function bytes=data2byte(varargin) +bytes=typecast(varargin{:}); +bytes=bytes(:)'; diff --git a/machine-learning-ex4/ex4/lib/jsonlab/varargin2struct.m b/machine-learning-ex4/ex4/lib/jsonlab/varargin2struct.m new file mode 100644 index 0000000..9a5c2b6 --- /dev/null +++ b/machine-learning-ex4/ex4/lib/jsonlab/varargin2struct.m @@ -0,0 +1,40 @@ +function opt=varargin2struct(varargin) +% +% opt=varargin2struct('param1',value1,'param2',value2,...) +% or +% opt=varargin2struct(...,optstruct,...) +% +% convert a series of input parameters into a structure +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% 'param', value: the input parameters should be pairs of a string and a value +% optstruct: if a parameter is a struct, the fields will be merged to the output struct +% +% output: +% opt: a struct where opt.param1=value1, opt.param2=value2 ... +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +len=length(varargin); +opt=struct; +if(len==0) return; end +i=1; +while(i<=len) + if(isstruct(varargin{i})) + opt=mergestruct(opt,varargin{i}); + elseif(ischar(varargin{i}) && i 0 && resp(1) == '{'; + isHtml = findstr(lower(resp), ']+>', ' '); + strippedResponse = regexprep(strippedResponse, '[\t ]+', ' '); + fprintf(strippedResponse); +end + + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +% +% Service configuration +% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +function submissionUrl = submissionUrl() + submissionUrl = 'https://www-origin.coursera.org/api/onDemandProgrammingImmediateFormSubmissions.v1'; +end diff --git a/machine-learning-ex4/ex4/nnCostFunction.m b/machine-learning-ex4/ex4/nnCostFunction.m new file mode 100644 index 0000000..799f3f1 --- /dev/null +++ b/machine-learning-ex4/ex4/nnCostFunction.m @@ -0,0 +1,149 @@ +function [J grad] = nnCostFunction(nn_params, ... + input_layer_size, ... + hidden_layer_size, ... + num_labels, ... + X, y, lambda) +%NNCOSTFUNCTION Implements the neural network cost function for a two layer +%neural network which performs classification +% [J grad] = NNCOSTFUNCTON(nn_params, hidden_layer_size, num_labels, ... +% X, y, lambda) computes the cost and gradient of the neural network. The +% parameters for the neural network are "unrolled" into the vector +% nn_params and need to be converted back into the weight matrices. +% +% The returned parameter grad should be a "unrolled" vector of the +% partial derivatives of the neural network. +% + +% Reshape nn_params back into the parameters Theta1 and Theta2, the weight matrices +% for our 2 layer neural network +Theta1 = reshape(nn_params(1:hidden_layer_size * (input_layer_size + 1)), ... + hidden_layer_size, (input_layer_size + 1)); + +Theta2 = reshape(nn_params((1 + (hidden_layer_size * (input_layer_size + 1))):end), ... + num_labels, (hidden_layer_size + 1)); + +% Setup some useful variables +m = size(X, 1); +n = columns(X); +K = num_labels; + +% You need to return the following variables correctly +J = 0; +Theta1_grad = zeros(size(Theta1)); +Theta2_grad = zeros(size(Theta2)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: You should complete the code by working through the +% following parts. +% +% Part 1: Feedforward the neural network and return the cost in the +% variable J. After implementing Part 1, you can verify that your +% cost function computation is correct by verifying the cost +% computed in ex4.m +% +% Part 2: Implement the backpropagation algorithm to compute the gradients +% Theta1_grad and Theta2_grad. You should return the partial derivatives of +% the cost function with respect to Theta1 and Theta2 in Theta1_grad and +% Theta2_grad, respectively. After implementing Part 2, you can check +% that your implementation is correct by running checkNNGradients +% +% Note: The vector y passed into the function is a vector of labels +% containing values from 1..K. You need to map this vector into a +% binary vector of 1's and 0's to be used with the neural network +% cost function. +% +% Hint: We recommend implementing backpropagation using a for-loop +% over the training examples if you are implementing it for the +% first time. +% +% Part 3: Implement regularization with the cost function and gradients. +% +% Hint: You can implement this around the code for +% backpropagation. That is, you can compute the gradients for +% the regularization separately and then add them to Theta1_grad +% and Theta2_grad from Part 2. +% + +% Forward Propogation +y_matrix = eye(num_labels)(y,:); +a1 = [ones(rows(X), 1) X]; +z2 = (Theta1*a1')'; +a2 = sigmoid(z2); +a2 = [ones(rows(a2), 1) a2]; +z3 = Theta2*a2'; +a3 = sigmoid(z3); +a3 = a3'; +[max, imax] = max(a3, [], 2); +p = imax; + +% Unregularized Cost Function +log_h = log(a3); +prod1 = y_matrix.*log_h; +prod2 = (1-y_matrix).*log(1-a3); +for i = 1:m + for k = 1:K + J = J + prod1(i,k); + J = J + prod2(i,k); + endfor +endfor +J = (-1)*J/m; +temp = 0; + +% Regularization Term +for i = 1:rows(Theta1) + for j = 2:columns(Theta1) + temp = temp + (Theta1(i,j))^2; + endfor +endfor +temp = temp * (lambda/(2*m)); +J = J + temp; +temp = 0; +for i = 1:rows(Theta2) + for j = 2:columns(Theta2) + temp = temp + (Theta2(i,j))^2; + endfor +endfor +temp = temp * (lambda/(2*m)); +J = J + temp; + +% BackPropagation + +d3 = a3 - y_matrix; +d2 = (d3*Theta2(:,2:end)).*sigmoidGradient(z2); +Delta1 = d2'*a1; +Delta2 = d3'*a2; +Theta1_grad = Delta1/m; +Theta2_grad = Delta2/m; + +% Regularized Backprop +Theta1(:,1) = 0; +Theta2(:,1) = 0; +Theta1 = (lambda/m)*Theta1; +Theta2 = (lambda/m)*Theta2; +Theta1_grad = Theta1_grad + Theta1; +Theta2_grad = Theta2_grad + Theta2; + + + + + + + + + + + + + + + + +% ------------------------------------------------------------- + +% ========================================================================= + +% Unroll gradients +grad = [Theta1_grad(:) ; Theta2_grad(:)]; + + +end diff --git a/machine-learning-ex4/ex4/predict.m b/machine-learning-ex4/ex4/predict.m new file mode 100644 index 0000000..9ec3f6d --- /dev/null +++ b/machine-learning-ex4/ex4/predict.m @@ -0,0 +1,20 @@ +function p = predict(Theta1, Theta2, X) +%PREDICT Predict the label of an input given a trained neural network +% p = PREDICT(Theta1, Theta2, X) outputs the predicted label of X given the +% trained weights of a neural network (Theta1, Theta2) + +% Useful values +m = size(X, 1); +num_labels = size(Theta2, 1); + +% You need to return the following variables correctly +p = zeros(size(X, 1), 1); + +h1 = sigmoid([ones(m, 1) X] * Theta1'); +h2 = sigmoid([ones(m, 1) h1] * Theta2'); +[dummy, p] = max(h2, [], 2); + +% ========================================================================= + + +end diff --git a/machine-learning-ex4/ex4/randInitializeWeights.m b/machine-learning-ex4/ex4/randInitializeWeights.m new file mode 100644 index 0000000..b2e76ce --- /dev/null +++ b/machine-learning-ex4/ex4/randInitializeWeights.m @@ -0,0 +1,35 @@ +function W = randInitializeWeights(L_in, L_out) +%RANDINITIALIZEWEIGHTS Randomly initialize the weights of a layer with L_in +%incoming connections and L_out outgoing connections +% W = RANDINITIALIZEWEIGHTS(L_in, L_out) randomly initializes the weights +% of a layer with L_in incoming connections and L_out outgoing +% connections. +% +% Note that W should be set to a matrix of size(L_out, 1 + L_in) as +% the first column of W handles the "bias" terms +% + +% You need to return the following variables correctly +W = zeros(L_out, 1 + L_in); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Initialize W randomly so that we break the symmetry while +% training the neural network. +% +% Note: The first column of W corresponds to the parameters for the bias unit +% + +% Randomly initialize the weights to small values +epsilon_init = 0.12; +W = rand(L_out, 1 + L_in) * 2 * epsilon_init - epsilon_init; + + + + + + + + +% ========================================================================= + +end diff --git a/machine-learning-ex4/ex4/sigmoid.m b/machine-learning-ex4/ex4/sigmoid.m new file mode 100644 index 0000000..6deca13 --- /dev/null +++ b/machine-learning-ex4/ex4/sigmoid.m @@ -0,0 +1,6 @@ +function g = sigmoid(z) +%SIGMOID Compute sigmoid functoon +% J = SIGMOID(z) computes the sigmoid of z. + +g = 1.0 ./ (1.0 + exp(-z)); +end diff --git a/machine-learning-ex4/ex4/sigmoidGradient.m b/machine-learning-ex4/ex4/sigmoidGradient.m new file mode 100644 index 0000000..806bf11 --- /dev/null +++ b/machine-learning-ex4/ex4/sigmoidGradient.m @@ -0,0 +1,33 @@ +function g = sigmoidGradient(z) +%SIGMOIDGRADIENT returns the gradient of the sigmoid function +%evaluated at z +% g = SIGMOIDGRADIENT(z) computes the gradient of the sigmoid function +% evaluated at z. This should work regardless if z is a matrix or a +% vector. In particular, if z is a vector or matrix, you should return +% the gradient for each element. + +g = zeros(size(z)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the gradient of the sigmoid function evaluated at +% each value of z (z can be a matrix, vector or scalar). + +g = sigmoid(z).*(1-sigmoid(z)); + + + + + + + + + + + + +% ============================================================= + + + + +end diff --git a/machine-learning-ex4/ex4/submit.m b/machine-learning-ex4/ex4/submit.m new file mode 100644 index 0000000..b969324 --- /dev/null +++ b/machine-learning-ex4/ex4/submit.m @@ -0,0 +1,63 @@ +function submit() + addpath('./lib'); + + conf.assignmentSlug = 'neural-network-learning'; + conf.itemName = 'Neural Networks Learning'; + conf.partArrays = { ... + { ... + '1', ... + { 'nnCostFunction.m' }, ... + 'Feedforward and Cost Function', ... + }, ... + { ... + '2', ... + { 'nnCostFunction.m' }, ... + 'Regularized Cost Function', ... + }, ... + { ... + '3', ... + { 'sigmoidGradient.m' }, ... + 'Sigmoid Gradient', ... + }, ... + { ... + '4', ... + { 'nnCostFunction.m' }, ... + 'Neural Network Gradient (Backpropagation)', ... + }, ... + { ... + '5', ... + { 'nnCostFunction.m' }, ... + 'Regularized Gradient', ... + }, ... + }; + conf.output = @output; + + submitWithConfiguration(conf); +end + +function out = output(partId, auxstring) + % Random Test Cases + X = reshape(3 * sin(1:1:30), 3, 10); + Xm = reshape(sin(1:32), 16, 2) / 5; + ym = 1 + mod(1:16,4)'; + t1 = sin(reshape(1:2:24, 4, 3)); + t2 = cos(reshape(1:2:40, 4, 5)); + t = [t1(:) ; t2(:)]; + if partId == '1' + [J] = nnCostFunction(t, 2, 4, 4, Xm, ym, 0); + out = sprintf('%0.5f ', J); + elseif partId == '2' + [J] = nnCostFunction(t, 2, 4, 4, Xm, ym, 1.5); + out = sprintf('%0.5f ', J); + elseif partId == '3' + out = sprintf('%0.5f ', sigmoidGradient(X)); + elseif partId == '4' + [J, grad] = nnCostFunction(t, 2, 4, 4, Xm, ym, 0); + out = sprintf('%0.5f ', J); + out = [out sprintf('%0.5f ', grad)]; + elseif partId == '5' + [J, grad] = nnCostFunction(t, 2, 4, 4, Xm, ym, 1.5); + out = sprintf('%0.5f ', J); + out = [out sprintf('%0.5f ', grad)]; + end +end diff --git a/machine-learning-ex4/ex4/token.mat b/machine-learning-ex4/ex4/token.mat new file mode 100644 index 0000000..420f86f --- /dev/null +++ b/machine-learning-ex4/ex4/token.mat @@ -0,0 +1,15 @@ +# Created by Octave 4.4.1, Fri Sep 20 11:50:11 2019 GMT +# name: email +# type: sq_string +# elements: 1 +# length: 17 +tsb1995@gmail.com + + +# name: token +# type: sq_string +# elements: 1 +# length: 16 +UAj1agZSAauAdh1I + + diff --git a/machine-learning-ex5/ex5.pdf b/machine-learning-ex5/ex5.pdf new file mode 100644 index 0000000..31ad508 Binary files /dev/null and b/machine-learning-ex5/ex5.pdf differ diff --git a/machine-learning-ex5/ex5/ex5.m b/machine-learning-ex5/ex5/ex5.m new file mode 100644 index 0000000..be31c64 --- /dev/null +++ b/machine-learning-ex5/ex5/ex5.m @@ -0,0 +1,220 @@ +%% Machine Learning Online Class +% Exercise 5 | Regularized Linear Regression and Bias-Variance +% +% Instructions +% ------------ +% +% This file contains code that helps you get started on the +% exercise. You will need to complete the following functions: +% +% linearRegCostFunction.m +% learningCurve.m +% validationCurve.m +% +% For this exercise, you will not need to change any code in this file, +% or any other files other than those mentioned above. +% + +%% Initialization +clear ; close all; clc + +%% =========== Part 1: Loading and Visualizing Data ============= +% We start the exercise by first loading and visualizing the dataset. +% The following code will load the dataset into your environment and plot +% the data. +% + +% Load Training Data +fprintf('Loading and Visualizing Data ...\n') + +% Load from ex5data1: +% You will have X, y, Xval, yval, Xtest, ytest in your environment +load ('ex5data1.mat'); + +% m = Number of examples +m = size(X, 1); + +% Plot training data +plot(X, y, 'rx', 'MarkerSize', 10, 'LineWidth', 1.5); +xlabel('Change in water level (x)'); +ylabel('Water flowing out of the dam (y)'); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% =========== Part 2: Regularized Linear Regression Cost ============= +% You should now implement the cost function for regularized linear +% regression. +% + +theta = [1 ; 1]; +J = linearRegCostFunction([ones(m, 1) X], y, theta, 1); + +fprintf(['Cost at theta = [1 ; 1]: %f '... + '\n(this value should be about 303.993192)\n'], J); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% =========== Part 3: Regularized Linear Regression Gradient ============= +% You should now implement the gradient for regularized linear +% regression. +% + +theta = [1 ; 1]; +[J, grad] = linearRegCostFunction([ones(m, 1) X], y, theta, 1); + +fprintf(['Gradient at theta = [1 ; 1]: [%f; %f] '... + '\n(this value should be about [-15.303016; 598.250744])\n'], ... + grad(1), grad(2)); + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% =========== Part 4: Train Linear Regression ============= +% Once you have implemented the cost and gradient correctly, the +% trainLinearReg function will use your cost function to train +% regularized linear regression. +% +% Write Up Note: The data is non-linear, so this will not give a great +% fit. +% + +% Train linear regression with lambda = 0 +lambda = 0; +[theta] = trainLinearReg([ones(m, 1) X], y, lambda); + +% Plot fit over the data +plot(X, y, 'rx', 'MarkerSize', 10, 'LineWidth', 1.5); +xlabel('Change in water level (x)'); +ylabel('Water flowing out of the dam (y)'); +hold on; +plot(X, [ones(m, 1) X]*theta, '--', 'LineWidth', 2) +hold off; + +fprintf('Program paused. Press enter to continue.\n'); +pause; + + +%% =========== Part 5: Learning Curve for Linear Regression ============= +% Next, you should implement the learningCurve function. +% +% Write Up Note: Since the model is underfitting the data, we expect to +% see a graph with "high bias" -- Figure 3 in ex5.pdf +% + +lambda = 0; +[error_train, error_val] = ... + learningCurve([ones(m, 1) X], y, ... + [ones(size(Xval, 1), 1) Xval], yval, ... + lambda); + +plot(1:m, error_train, 1:m, error_val); +title('Learning curve for linear regression') +legend('Train', 'Cross Validation') +xlabel('Number of training examples') +ylabel('Error') +axis([0 13 0 150]) + +fprintf('# Training Examples\tTrain Error\tCross Validation Error\n'); +for i = 1:m + fprintf(' \t%d\t\t%f\t%f\n', i, error_train(i), error_val(i)); +end + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% =========== Part 6: Feature Mapping for Polynomial Regression ============= +% One solution to this is to use polynomial regression. You should now +% complete polyFeatures to map each example into its powers +% + +p = 8; + +% Map X onto Polynomial Features and Normalize +X_poly = polyFeatures(X, p); +[X_poly, mu, sigma] = featureNormalize(X_poly); % Normalize +X_poly = [ones(m, 1), X_poly]; % Add Ones + +% Map X_poly_test and normalize (using mu and sigma) +X_poly_test = polyFeatures(Xtest, p); +X_poly_test = bsxfun(@minus, X_poly_test, mu); +X_poly_test = bsxfun(@rdivide, X_poly_test, sigma); +X_poly_test = [ones(size(X_poly_test, 1), 1), X_poly_test]; % Add Ones + +% Map X_poly_val and normalize (using mu and sigma) +X_poly_val = polyFeatures(Xval, p); +X_poly_val = bsxfun(@minus, X_poly_val, mu); +X_poly_val = bsxfun(@rdivide, X_poly_val, sigma); +X_poly_val = [ones(size(X_poly_val, 1), 1), X_poly_val]; % Add Ones + +fprintf('Normalized Training Example 1:\n'); +fprintf(' %f \n', X_poly(1, :)); + +fprintf('\nProgram paused. Press enter to continue.\n'); +pause; + + + +%% =========== Part 7: Learning Curve for Polynomial Regression ============= +% Now, you will get to experiment with polynomial regression with multiple +% values of lambda. The code below runs polynomial regression with +% lambda = 0. You should try running the code with different values of +% lambda to see how the fit and learning curve change. +% + +lambda = 0; +[theta] = trainLinearReg(X_poly, y, lambda); + +% Plot training data and fit +figure(1); +plot(X, y, 'rx', 'MarkerSize', 10, 'LineWidth', 1.5); +plotFit(min(X), max(X), mu, sigma, theta, p); +xlabel('Change in water level (x)'); +ylabel('Water flowing out of the dam (y)'); +title (sprintf('Polynomial Regression Fit (lambda = %f)', lambda)); + +figure(2); +[error_train, error_val] = ... + learningCurve(X_poly, y, X_poly_val, yval, lambda); +plot(1:m, error_train, 1:m, error_val); + +title(sprintf('Polynomial Regression Learning Curve (lambda = %f)', lambda)); +xlabel('Number of training examples') +ylabel('Error') +axis([0 13 0 100]) +legend('Train', 'Cross Validation') + +fprintf('Polynomial Regression (lambda = %f)\n\n', lambda); +fprintf('# Training Examples\tTrain Error\tCross Validation Error\n'); +for i = 1:m + fprintf(' \t%d\t\t%f\t%f\n', i, error_train(i), error_val(i)); +end + +fprintf('Program paused. Press enter to continue.\n'); +pause; + +%% =========== Part 8: Validation for Selecting Lambda ============= +% You will now implement validationCurve to test various values of +% lambda on a validation set. You will then use this to select the +% "best" lambda value. +% + +[lambda_vec, error_train, error_val] = ... + validationCurve(X_poly, y, X_poly_val, yval); + +close all; +plot(lambda_vec, error_train, lambda_vec, error_val); +legend('Train', 'Cross Validation'); +xlabel('lambda'); +ylabel('Error'); + +fprintf('lambda\t\tTrain Error\tValidation Error\n'); +for i = 1:length(lambda_vec) + fprintf(' %f\t%f\t%f\n', ... + lambda_vec(i), error_train(i), error_val(i)); +end + +fprintf('Program paused. Press enter to continue.\n'); +pause; diff --git a/machine-learning-ex5/ex5/ex5data1.mat b/machine-learning-ex5/ex5/ex5data1.mat new file mode 100644 index 0000000..5a17abd Binary files /dev/null and b/machine-learning-ex5/ex5/ex5data1.mat differ diff --git a/machine-learning-ex5/ex5/featureNormalize.m b/machine-learning-ex5/ex5/featureNormalize.m new file mode 100644 index 0000000..da03bee --- /dev/null +++ b/machine-learning-ex5/ex5/featureNormalize.m @@ -0,0 +1,17 @@ +function [X_norm, mu, sigma] = featureNormalize(X) +%FEATURENORMALIZE Normalizes the features in X +% FEATURENORMALIZE(X) returns a normalized version of X where +% the mean value of each feature is 0 and the standard deviation +% is 1. This is often a good preprocessing step to do when +% working with learning algorithms. + +mu = mean(X); +X_norm = bsxfun(@minus, X, mu); + +sigma = std(X_norm); +X_norm = bsxfun(@rdivide, X_norm, sigma); + + +% ============================================================ + +end diff --git a/machine-learning-ex5/ex5/fmincg.m b/machine-learning-ex5/ex5/fmincg.m new file mode 100644 index 0000000..47a8816 --- /dev/null +++ b/machine-learning-ex5/ex5/fmincg.m @@ -0,0 +1,175 @@ +function [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% Minimize a continuous differentialble multivariate function. Starting point +% is given by "X" (D by 1), and the function named in the string "f", must +% return a function value and a vector of partial derivatives. The Polack- +% Ribiere flavour of conjugate gradients is used to compute search directions, +% and a line search using quadratic and cubic polynomial approximations and the +% Wolfe-Powell stopping criteria is used together with the slope ratio method +% for guessing initial step sizes. Additionally a bunch of checks are made to +% make sure that exploration is taking place and that extrapolation will not +% be unboundedly large. The "length" gives the length of the run: if it is +% positive, it gives the maximum number of line searches, if negative its +% absolute gives the maximum allowed number of function evaluations. You can +% (optionally) give "length" a second component, which will indicate the +% reduction in function value to be expected in the first line-search (defaults +% to 1.0). The function returns when either its length is up, or if no further +% progress can be made (ie, we are at a minimum, or so close that due to +% numerical problems, we cannot get any closer). If the function terminates +% within a few iterations, it could be an indication that the function value +% and derivatives are not consistent (ie, there may be a bug in the +% implementation of your "f" function). The function returns the found +% solution "X", a vector of function values "fX" indicating the progress made +% and "i" the number of iterations (line searches or function evaluations, +% depending on the sign of "length") used. +% +% Usage: [X, fX, i] = fmincg(f, X, options, P1, P2, P3, P4, P5) +% +% See also: checkgrad +% +% Copyright (C) 2001 and 2002 by Carl Edward Rasmussen. Date 2002-02-13 +% +% +% (C) Copyright 1999, 2000 & 2001, Carl Edward Rasmussen +% +% Permission is granted for anyone to copy, use, or modify these +% programs and accompanying documents for purposes of research or +% education, provided this copyright notice is retained, and note is +% made of any changes that have been made. +% +% These programs and documents are distributed without any warranty, +% express or implied. As the programs were written for research +% purposes only, they have not been tested to the degree that would be +% advisable in any important application. All use of these programs is +% entirely at the user's own risk. +% +% [ml-class] Changes Made: +% 1) Function name and argument specifications +% 2) Output display +% + +% Read options +if exist('options', 'var') && ~isempty(options) && isfield(options, 'MaxIter') + length = options.MaxIter; +else + length = 100; +end + + +RHO = 0.01; % a bunch of constants for line searches +SIG = 0.5; % RHO and SIG are the constants in the Wolfe-Powell conditions +INT = 0.1; % don't reevaluate within 0.1 of the limit of the current bracket +EXT = 3.0; % extrapolate maximum 3 times the current bracket +MAX = 20; % max 20 function evaluations per line search +RATIO = 100; % maximum allowed slope ratio + +argstr = ['feval(f, X']; % compose string used to call function +for i = 1:(nargin - 3) + argstr = [argstr, ',P', int2str(i)]; +end +argstr = [argstr, ')']; + +if max(size(length)) == 2, red=length(2); length=length(1); else red=1; end +S=['Iteration ']; + +i = 0; % zero the run length counter +ls_failed = 0; % no previous line search has failed +fX = []; +[f1 df1] = eval(argstr); % get function value and gradient +i = i + (length<0); % count epochs?! +s = -df1; % search direction is steepest +d1 = -s'*s; % this is the slope +z1 = red/(1-d1); % initial step is red/(|s|+1) + +while i < abs(length) % while not finished + i = i + (length>0); % count iterations?! + + X0 = X; f0 = f1; df0 = df1; % make a copy of current values + X = X + z1*s; % begin line search + [f2 df2] = eval(argstr); + i = i + (length<0); % count epochs?! + d2 = df2'*s; + f3 = f1; d3 = d1; z3 = -z1; % initialize point 3 equal to point 1 + if length>0, M = MAX; else M = min(MAX, -length-i); end + success = 0; limit = -1; % initialize quanteties + while 1 + while ((f2 > f1+z1*RHO*d1) || (d2 > -SIG*d1)) && (M > 0) + limit = z1; % tighten the bracket + if f2 > f1 + z2 = z3 - (0.5*d3*z3*z3)/(d3*z3+f2-f3); % quadratic fit + else + A = 6*(f2-f3)/z3+3*(d2+d3); % cubic fit + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = (sqrt(B*B-A*d2*z3*z3)-B)/A; % numerical error possible - ok! + end + if isnan(z2) || isinf(z2) + z2 = z3/2; % if we had a numerical problem then bisect + end + z2 = max(min(z2, INT*z3),(1-INT)*z3); % don't accept too close to limits + z1 = z1 + z2; % update the step + X = X + z2*s; + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + z3 = z3-z2; % z3 is now relative to the location of z2 + end + if f2 > f1+z1*RHO*d1 || d2 > -SIG*d1 + break; % this is a failure + elseif d2 > SIG*d1 + success = 1; break; % success + elseif M == 0 + break; % failure + end + A = 6*(f2-f3)/z3+3*(d2+d3); % make cubic extrapolation + B = 3*(f3-f2)-z3*(d3+2*d2); + z2 = -d2*z3*z3/(B+sqrt(B*B-A*d2*z3*z3)); % num. error possible - ok! + if ~isreal(z2) || isnan(z2) || isinf(z2) || z2 < 0 % num prob or wrong sign? + if limit < -0.5 % if we have no upper limit + z2 = z1 * (EXT-1); % the extrapolate the maximum amount + else + z2 = (limit-z1)/2; % otherwise bisect + end + elseif (limit > -0.5) && (z2+z1 > limit) % extraplation beyond max? + z2 = (limit-z1)/2; % bisect + elseif (limit < -0.5) && (z2+z1 > z1*EXT) % extrapolation beyond limit + z2 = z1*(EXT-1.0); % set to extrapolation limit + elseif z2 < -z3*INT + z2 = -z3*INT; + elseif (limit > -0.5) && (z2 < (limit-z1)*(1.0-INT)) % too close to limit? + z2 = (limit-z1)*(1.0-INT); + end + f3 = f2; d3 = d2; z3 = -z2; % set point 3 equal to point 2 + z1 = z1 + z2; X = X + z2*s; % update current estimates + [f2 df2] = eval(argstr); + M = M - 1; i = i + (length<0); % count epochs?! + d2 = df2'*s; + end % end of line search + + if success % if line search succeeded + f1 = f2; fX = [fX' f1]'; + fprintf('%s %4i | Cost: %4.6e\r', S, i, f1); + s = (df2'*df2-df1'*df2)/(df1'*df1)*s - df2; % Polack-Ribiere direction + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + d2 = df1'*s; + if d2 > 0 % new slope must be negative + s = -df1; % otherwise use steepest direction + d2 = -s'*s; + end + z1 = z1 * min(RATIO, d1/(d2-realmin)); % slope ratio but max RATIO + d1 = d2; + ls_failed = 0; % this line search did not fail + else + X = X0; f1 = f0; df1 = df0; % restore point from before failed line search + if ls_failed || i > abs(length) % line search failed twice in a row + break; % or we ran out of time, so we give up + end + tmp = df1; df1 = df2; df2 = tmp; % swap derivatives + s = -df1; % try steepest + d1 = -s'*s; + z1 = 1/(1-d1); + ls_failed = 1; % this line search failed + end + if exist('OCTAVE_VERSION') + fflush(stdout); + end +end +fprintf('\n'); diff --git a/machine-learning-ex5/ex5/learningCurve.m b/machine-learning-ex5/ex5/learningCurve.m new file mode 100644 index 0000000..e16b347 --- /dev/null +++ b/machine-learning-ex5/ex5/learningCurve.m @@ -0,0 +1,71 @@ +function [error_train, error_val] = ... + learningCurve(X, y, Xval, yval, lambda) +%LEARNINGCURVE Generates the train and cross validation set errors needed +%to plot a learning curve +% [error_train, error_val] = ... +% LEARNINGCURVE(X, y, Xval, yval, lambda) returns the train and +% cross validation set errors for a learning curve. In particular, +% it returns two vectors of the same length - error_train and +% error_val. Then, error_train(i) contains the training error for +% i examples (and similarly for error_val(i)). +% +% In this function, you will compute the train and test errors for +% dataset sizes from 1 up to m. In practice, when working with larger +% datasets, you might want to do this in larger intervals. +% + +% Number of training examples +m = size(X, 1); + +% You need to return these values correctly +error_train = zeros(m, 1); +error_val = zeros(m, 1); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Fill in this function to return training errors in +% error_train and the cross validation errors in error_val. +% i.e., error_train(i) and +% error_val(i) should give you the errors +% obtained after training on i examples. +% +% Note: You should evaluate the training error on the first i training +% examples (i.e., X(1:i, :) and y(1:i)). +% +% For the cross-validation error, you should instead evaluate on +% the _entire_ cross validation set (Xval and yval). +% +% Note: If you are using your cost function (linearRegCostFunction) +% to compute the training and cross validation error, you should +% call the function with the lambda argument set to 0. +% Do note that you will still need to use lambda when running +% the training to obtain the theta parameters. +% +% Hint: You can loop over the examples with the following: +% +% for i = 1:m +% % Compute train/cross validation errors using training examples +% % X(1:i, :) and y(1:i), storing the result in +% % error_train(i) and error_val(i) +% .... +% +% end +% + +% ---------------------- Sample Solution ---------------------- +for i=1:m + XTrain = X(1:i,:); + yTrain = y(1:i,:); + Theta = trainLinearReg(XTrain,yTrain,lambda); + % Cost function without regularization term (which is why lambda is set to 0 + error_train(i) = linearRegCostFunction(XTrain,yTrain,Theta,0); + error_val(i) = linearRegCostFunction(Xval,yval,Theta,0); +endfor + + + + +% ------------------------------------------------------------- + +% ========================================================================= + +end diff --git a/machine-learning-ex5/ex5/lib/jsonlab/AUTHORS.txt b/machine-learning-ex5/ex5/lib/jsonlab/AUTHORS.txt new file mode 100644 index 0000000..9dd3fc7 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/AUTHORS.txt @@ -0,0 +1,41 @@ +The author of "jsonlab" toolbox is Qianqian Fang. Qianqian +is currently an Assistant Professor at Massachusetts General Hospital, +Harvard Medical School. + +Address: Martinos Center for Biomedical Imaging, + Massachusetts General Hospital, + Harvard Medical School + Bldg 149, 13th St, Charlestown, MA 02129, USA +URL: http://nmr.mgh.harvard.edu/~fangq/ +Email: or + + +The script loadjson.m was built upon previous works by + +- Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 + date: 2009/11/02 +- François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 + date: 2009/03/22 +- Joel Feenstra: http://www.mathworks.com/matlabcentral/fileexchange/20565 + date: 2008/07/03 + + +This toolbox contains patches submitted by the following contributors: + +- Blake Johnson + part of revision 341 + +- Niclas Borlin + various fixes in revision 394, including + - loadjson crashes for all-zero sparse matrix. + - loadjson crashes for empty sparse matrix. + - Non-zero size of 0-by-N and N-by-0 empty matrices is lost after savejson/loadjson. + - loadjson crashes for sparse real column vector. + - loadjson crashes for sparse complex column vector. + - Data is corrupted by savejson for sparse real row vector. + - savejson crashes for sparse complex row vector. + +- Yul Kang + patches for svn revision 415. + - savejson saves an empty cell array as [] instead of null + - loadjson differentiates an empty struct from an empty array diff --git a/machine-learning-ex5/ex5/lib/jsonlab/ChangeLog.txt b/machine-learning-ex5/ex5/lib/jsonlab/ChangeLog.txt new file mode 100644 index 0000000..07824f5 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/ChangeLog.txt @@ -0,0 +1,74 @@ +============================================================================ + + JSONlab - a toolbox to encode/decode JSON/UBJSON files in MATLAB/Octave + +---------------------------------------------------------------------------- + +JSONlab ChangeLog (key features marked by *): + +== JSONlab 1.0 (codename: Optimus - Final), FangQ == + + 2015/01/02 polish help info for all major functions, update examples, finalize 1.0 + 2014/12/19 fix a bug to strictly respect NoRowBracket in savejson + +== JSONlab 1.0.0-RC2 (codename: Optimus - RC2), FangQ == + + 2014/11/22 show progress bar in loadjson ('ShowProgress') + 2014/11/17 add Compact option in savejson to output compact JSON format ('Compact') + 2014/11/17 add FastArrayParser in loadjson to specify fast parser applicable levels + 2014/09/18 start official github mirror: https://github.com/fangq/jsonlab + +== JSONlab 1.0.0-RC1 (codename: Optimus - RC1), FangQ == + + 2014/09/17 fix several compatibility issues when running on octave versions 3.2-3.8 + 2014/09/17 support 2D cell and struct arrays in both savejson and saveubjson + 2014/08/04 escape special characters in a JSON string + 2014/02/16 fix a bug when saving ubjson files + +== JSONlab 0.9.9 (codename: Optimus - beta), FangQ == + + 2014/01/22 use binary read and write in saveubjson and loadubjson + +== JSONlab 0.9.8-1 (codename: Optimus - alpha update 1), FangQ == + + 2013/10/07 better round-trip conservation for empty arrays and structs (patch submitted by Yul Kang) + +== JSONlab 0.9.8 (codename: Optimus - alpha), FangQ == + 2013/08/23 *universal Binary JSON (UBJSON) support, including both saveubjson and loadubjson + +== JSONlab 0.9.1 (codename: Rodimus, update 1), FangQ == + 2012/12/18 *handling of various empty and sparse matrices (fixes submitted by Niclas Borlin) + +== JSONlab 0.9.0 (codename: Rodimus), FangQ == + + 2012/06/17 *new format for an invalid leading char, unpacking hex code in savejson + 2012/06/01 support JSONP in savejson + 2012/05/25 fix the empty cell bug (reported by Cyril Davin) + 2012/04/05 savejson can save to a file (suggested by Patrick Rapin) + +== JSONlab 0.8.1 (codename: Sentiel, Update 1), FangQ == + + 2012/02/28 loadjson quotation mark escape bug, see http://bit.ly/yyk1nS + 2012/01/25 patch to handle root-less objects, contributed by Blake Johnson + +== JSONlab 0.8.0 (codename: Sentiel), FangQ == + + 2012/01/13 *speed up loadjson by 20 fold when parsing large data arrays in matlab + 2012/01/11 remove row bracket if an array has 1 element, suggested by Mykel Kochenderfer + 2011/12/22 *accept sequence of 'param',value input in savejson and loadjson + 2011/11/18 fix struct array bug reported by Mykel Kochenderfer + +== JSONlab 0.5.1 (codename: Nexus Update 1), FangQ == + + 2011/10/21 fix a bug in loadjson, previous code does not use any of the acceleration + 2011/10/20 loadjson supports JSON collections - concatenated JSON objects + +== JSONlab 0.5.0 (codename: Nexus), FangQ == + + 2011/10/16 package and release jsonlab 0.5.0 + 2011/10/15 *add json demo and regression test, support cpx numbers, fix double quote bug + 2011/10/11 *speed up readjson dramatically, interpret _Array* tags, show data in root level + 2011/10/10 create jsonlab project, start jsonlab website, add online documentation + 2011/10/07 *speed up savejson by 25x using sprintf instead of mat2str, add options support + 2011/10/06 *savejson works for structs, cells and arrays + 2011/09/09 derive loadjson from JSON parser from MATLAB Central, draft savejson.m diff --git a/machine-learning-ex5/ex5/lib/jsonlab/LICENSE_BSD.txt b/machine-learning-ex5/ex5/lib/jsonlab/LICENSE_BSD.txt new file mode 100644 index 0000000..32d66cb --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/LICENSE_BSD.txt @@ -0,0 +1,25 @@ +Copyright 2011-2015 Qianqian Fang . All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are +permitted provided that the following conditions are met: + + 1. Redistributions of source code must retain the above copyright notice, this list of + conditions and the following disclaimer. + + 2. Redistributions in binary form must reproduce the above copyright notice, this list + of conditions and the following disclaimer in the documentation and/or other materials + provided with the distribution. + +THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS ''AS IS'' AND ANY EXPRESS OR IMPLIED +WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND +FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDERS +OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR +CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR +SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON +ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING +NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF +ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. + +The views and conclusions contained in the software and documentation are those of the +authors and should not be interpreted as representing official policies, either expressed +or implied, of the copyright holders. diff --git a/machine-learning-ex5/ex5/lib/jsonlab/README.txt b/machine-learning-ex5/ex5/lib/jsonlab/README.txt new file mode 100644 index 0000000..7b4f732 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/README.txt @@ -0,0 +1,394 @@ +=============================================================================== += JSONLab = += An open-source MATLAB/Octave JSON encoder and decoder = +=============================================================================== + +*Copyright (C) 2011-2015 Qianqian Fang +*License: BSD License, see License_BSD.txt for details +*Version: 1.0 (Optimus - Final) + +------------------------------------------------------------------------------- + +Table of Content: + +I. Introduction +II. Installation +III.Using JSONLab +IV. Known Issues and TODOs +V. Contribution and feedback + +------------------------------------------------------------------------------- + +I. Introduction + +JSON ([http://www.json.org/ JavaScript Object Notation]) is a highly portable, +human-readable and "[http://en.wikipedia.org/wiki/JSON fat-free]" text format +to represent complex and hierarchical data. It is as powerful as +[http://en.wikipedia.org/wiki/XML XML], but less verbose. JSON format is widely +used for data-exchange in applications, and is essential for the wild success +of [http://en.wikipedia.org/wiki/Ajax_(programming) Ajax] and +[http://en.wikipedia.org/wiki/Web_2.0 Web2.0]. + +UBJSON (Universal Binary JSON) is a binary JSON format, specifically +optimized for compact file size and better performance while keeping +the semantics as simple as the text-based JSON format. Using the UBJSON +format allows to wrap complex binary data in a flexible and extensible +structure, making it possible to process complex and large dataset +without accuracy loss due to text conversions. + +We envision that both JSON and its binary version will serve as part of +the mainstream data-exchange formats for scientific research in the future. +It will provide the flexibility and generality achieved by other popular +general-purpose file specifications, such as +[http://www.hdfgroup.org/HDF5/whatishdf5.html HDF5], with significantly +reduced complexity and enhanced performance. + +JSONLab is a free and open-source implementation of a JSON/UBJSON encoder +and a decoder in the native MATLAB language. It can be used to convert a MATLAB +data structure (array, struct, cell, struct array and cell array) into +JSON/UBJSON formatted strings, or to decode a JSON/UBJSON file into MATLAB +data structure. JSONLab supports both MATLAB and +[http://www.gnu.org/software/octave/ GNU Octave] (a free MATLAB clone). + +------------------------------------------------------------------------------- + +II. Installation + +The installation of JSONLab is no different than any other simple +MATLAB toolbox. You only need to download/unzip the JSONLab package +to a folder, and add the folder's path to MATLAB/Octave's path list +by using the following command: + + addpath('/path/to/jsonlab'); + +If you want to add this path permanently, you need to type "pathtool", +browse to the jsonlab root folder and add to the list, then click "Save". +Then, run "rehash" in MATLAB, and type "which loadjson", if you see an +output, that means JSONLab is installed for MATLAB/Octave. + +------------------------------------------------------------------------------- + +III.Using JSONLab + +JSONLab provides two functions, loadjson.m -- a MATLAB->JSON decoder, +and savejson.m -- a MATLAB->JSON encoder, for the text-based JSON, and +two equivallent functions -- loadubjson and saveubjson for the binary +JSON. The detailed help info for the four functions can be found below: + +=== loadjson.m === +
+  data=loadjson(fname,opt)
+     or
+  data=loadjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09, including previous works from 
+ 
+          Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713
+             created on 2009/11/02
+          François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393
+             created on  2009/03/22
+          Joel Feenstra:
+          http://www.mathworks.com/matlabcentral/fileexchange/20565
+             created on 2008/07/03
+ 
+  $Id: loadjson.m 452 2014-11-22 16:43:33Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a JSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.FastArrayParser [1|0 or integer]: if set to 1, use a
+                          speed-optimized array parser when loading an 
+                          array object. The fast array parser may 
+                          collapse block arrays into a single large
+                          array similar to rules defined in cell2mat; 0 to 
+                          use a legacy parser; if set to a larger-than-1
+                          value, this option will specify the minimum
+                          dimension to enable the fast array parser. For
+                          example, if the input is a 3D array, setting
+                          FastArrayParser to 1 will return a 3D array;
+                          setting to 2 will return a cell array of 2D
+                          arrays; setting to 3 will return to a 2D cell
+                          array of 1D vectors; setting to 4 will return a
+                          3D cell array.
+            opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}')
+       dat=loadjson(['examples' filesep 'example1.json'])
+       dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1)
+
+ +=== savejson.m === + +
+  json=savejson(rootname,obj,filename)
+     or
+  json=savejson(rootname,obj,opt)
+  json=savejson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a JSON (JavaScript
+  Object Notation) string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2011/09/09
+ 
+  $Id: savejson.m 458 2014-12-19 22:17:17Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array).
+       filename: a string for the file name to save the output JSON data.
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.FloatFormat ['%.10g'|string]: format to show each numeric element
+                          of a 1D/2D array;
+         opt.ArrayIndent [1|0]: if 1, output explicit data array with
+                          precedent indentation; if 0, no indentation
+         opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [0|1]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern
+                          to represent +/-Inf. The matched pattern is '([-+]*)Inf'
+                          and $1 represents the sign. For those who want to use
+                          1e999 to represent Inf, they can set opt.Inf to '$11e999'
+         opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern
+                          to represent NaN
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSONP='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+         opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode.
+         opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs)
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a string in the JSON format (see http://json.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       savejson('jmesh',jsonmesh)
+       savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g')
+ 
+ +=== loadubjson.m === + +
+  data=loadubjson(fname,opt)
+     or
+  data=loadubjson(fname,'param1',value1,'param2',value2,...)
+ 
+  parse a JSON (JavaScript Object Notation) file or string
+ 
+  authors:Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/01
+ 
+  $Id: loadubjson.m 436 2014-08-05 20:51:40Z fangq $
+ 
+  input:
+       fname: input file name, if fname contains "{}" or "[]", fname
+              will be interpreted as a UBJSON string
+       opt: a struct to store parsing options, opt can be replaced by 
+            a list of ('param',value) pairs - the param string is equivallent
+            to a field in opt. opt can have the following 
+            fields (first in [.|.] is the default)
+ 
+            opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat
+                          for each element of the JSON data, and group 
+                          arrays based on the cell2mat rules.
+            opt.IntEndian [B|L]: specify the endianness of the integer fields
+                          in the UBJSON input data. B - Big-Endian format for 
+                          integers (as required in the UBJSON specification); 
+                          L - input integer fields are in Little-Endian order.
+ 
+  output:
+       dat: a cell array, where {...} blocks are converted into cell arrays,
+            and [...] are converted to arrays
+ 
+  examples:
+       obj=struct('string','value','array',[1 2 3]);
+       ubjdata=saveubjson('obj',obj);
+       dat=loadubjson(ubjdata)
+       dat=loadubjson(['examples' filesep 'example1.ubj'])
+       dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1)
+
+ +=== saveubjson.m === + +
+  json=saveubjson(rootname,obj,filename)
+     or
+  json=saveubjson(rootname,obj,opt)
+  json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...)
+ 
+  convert a MATLAB object (cell, struct or array) into a Universal 
+  Binary JSON (UBJSON) binary string
+ 
+  author: Qianqian Fang (fangq nmr.mgh.harvard.edu)
+  created on 2013/08/17
+ 
+  $Id: saveubjson.m 440 2014-09-17 19:59:45Z fangq $
+ 
+  input:
+       rootname: the name of the root-object, when set to '', the root name
+         is ignored, however, when opt.ForceRootName is set to 1 (see below),
+         the MATLAB variable name will be used as the root name.
+       obj: a MATLAB object (array, cell, cell array, struct, struct array)
+       filename: a string for the file name to save the output UBJSON data
+       opt: a struct for additional options, ignore to use default values.
+         opt can have the following fields (first in [.|.] is the default)
+ 
+         opt.FileName [''|string]: a file name to save the output JSON data
+         opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D
+                          array in JSON array format; if sets to 1, an
+                          array will be shown as a struct with fields
+                          "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for
+                          sparse arrays, the non-zero elements will be
+                          saved to _ArrayData_ field in triplet-format i.e.
+                          (ix,iy,val) and "_ArrayIsSparse_" will be added
+                          with a value of 1; for a complex array, the 
+                          _ArrayData_ array will include two columns 
+                          (4 for sparse) to record the real and imaginary 
+                          parts, and also "_ArrayIsComplex_":1 is added. 
+         opt.ParseLogical [1|0]: if this is set to 1, logical array elem
+                          will use true/false rather than 1/0.
+         opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single
+                          numerical element will be shown without a square
+                          bracket, unless it is the root object; if 0, square
+                          brackets are forced for any numerical arrays.
+         opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson
+                          will use the name of the passed obj variable as the 
+                          root object name; if obj is an expression and 
+                          does not have a name, 'root' will be used; if this 
+                          is set to 0 and rootname is empty, the root level 
+                          will be merged down to the lower level.
+         opt.JSONP [''|string]: to generate a JSONP output (JSON with padding),
+                          for example, if opt.JSON='foo', the JSON data is
+                          wrapped inside a function call as 'foo(...);'
+         opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson 
+                          back to the string form
+ 
+         opt can be replaced by a list of ('param',value) pairs. The param 
+         string is equivallent to a field in opt and is case sensitive.
+  output:
+       json: a binary string in the UBJSON format (see http://ubjson.org)
+ 
+  examples:
+       jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... 
+                'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],...
+                'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;...
+                           2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],...
+                'MeshCreator','FangQ','MeshTitle','T6 Cube',...
+                'SpecialData',[nan, inf, -inf]);
+       saveubjson('jsonmesh',jsonmesh)
+       saveubjson('jsonmesh',jsonmesh,'meshdata.ubj')
+
+ + +=== examples === + +Under the "examples" folder, you can find several scripts to demonstrate the +basic utilities of JSONLab. Running the "demo_jsonlab_basic.m" script, you +will see the conversions from MATLAB data structure to JSON text and backward. +In "jsonlab_selftest.m", we load complex JSON files downloaded from the Internet +and validate the loadjson/savejson functions for regression testing purposes. +Similarly, a "demo_ubjson_basic.m" script is provided to test the saveubjson +and loadubjson pairs for various matlab data structures. + +Please run these examples and understand how JSONLab works before you use +it to process your data. + +------------------------------------------------------------------------------- + +IV. Known Issues and TODOs + +JSONLab has several known limitations. We are striving to make it more general +and robust. Hopefully in a few future releases, the limitations become less. + +Here are the known issues: + +# 3D or higher dimensional cell/struct-arrays will be converted to 2D arrays; +# When processing names containing multi-byte characters, Octave and MATLAB \ +can give different field-names; you can use feature('DefaultCharacterSet','latin1') \ +in MATLAB to get consistant results +# savejson can not handle class and dataset. +# saveubjson converts a logical array into a uint8 ([U]) array +# an unofficial N-D array count syntax is implemented in saveubjson. We are \ +actively communicating with the UBJSON spec maintainer to investigate the \ +possibility of making it upstream +# loadubjson can not parse all UBJSON Specification (Draft 9) compliant \ +files, however, it can parse all UBJSON files produced by saveubjson. + +------------------------------------------------------------------------------- + +V. Contribution and feedback + +JSONLab is an open-source project. This means you can not only use it and modify +it as you wish, but also you can contribute your changes back to JSONLab so +that everyone else can enjoy the improvement. For anyone who want to contribute, +please download JSONLab source code from it's subversion repository by using the +following command: + + svn checkout svn://svn.code.sf.net/p/iso2mesh/code/trunk/jsonlab jsonlab + +You can make changes to the files as needed. Once you are satisfied with your +changes, and ready to share it with others, please cd the root directory of +JSONLab, and type + + svn diff > yourname_featurename.patch + +You then email the .patch file to JSONLab's maintainer, Qianqian Fang, at +the email address shown in the beginning of this file. Qianqian will review +the changes and commit it to the subversion if they are satisfactory. + +We appreciate any suggestions and feedbacks from you. Please use iso2mesh's +mailing list to report any questions you may have with JSONLab: + +http://groups.google.com/group/iso2mesh-users?hl=en&pli=1 + +(Subscription to the mailing list is needed in order to post messages). diff --git a/machine-learning-ex5/ex5/lib/jsonlab/jsonopt.m b/machine-learning-ex5/ex5/lib/jsonlab/jsonopt.m new file mode 100644 index 0000000..0bebd8d --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/jsonopt.m @@ -0,0 +1,32 @@ +function val=jsonopt(key,default,varargin) +% +% val=jsonopt(key,default,optstruct) +% +% setting options based on a struct. The struct can be produced +% by varargin2struct from a list of 'param','value' pairs +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% +% $Id: loadjson.m 371 2012-06-20 12:43:06Z fangq $ +% +% input: +% key: a string with which one look up a value from a struct +% default: if the key does not exist, return default +% optstruct: a struct where each sub-field is a key +% +% output: +% val: if key exists, val=optstruct.key; otherwise val=default +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +val=default; +if(nargin<=2) return; end +opt=varargin{1}; +if(isstruct(opt) && isfield(opt,key)) + val=getfield(opt,key); +end + diff --git a/machine-learning-ex5/ex5/lib/jsonlab/loadjson.m b/machine-learning-ex5/ex5/lib/jsonlab/loadjson.m new file mode 100644 index 0000000..42798c0 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/loadjson.m @@ -0,0 +1,566 @@ +function data = loadjson(fname,varargin) +% +% data=loadjson(fname,opt) +% or +% data=loadjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09, including previous works from +% +% Nedialko Krouchev: http://www.mathworks.com/matlabcentral/fileexchange/25713 +% created on 2009/11/02 +% François Glineur: http://www.mathworks.com/matlabcentral/fileexchange/23393 +% created on 2009/03/22 +% Joel Feenstra: +% http://www.mathworks.com/matlabcentral/fileexchange/20565 +% created on 2008/07/03 +% +% $Id: loadjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a JSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.FastArrayParser [1|0 or integer]: if set to 1, use a +% speed-optimized array parser when loading an +% array object. The fast array parser may +% collapse block arrays into a single large +% array similar to rules defined in cell2mat; 0 to +% use a legacy parser; if set to a larger-than-1 +% value, this option will specify the minimum +% dimension to enable the fast array parser. For +% example, if the input is a 3D array, setting +% FastArrayParser to 1 will return a 3D array; +% setting to 2 will return a cell array of 2D +% arrays; setting to 3 will return to a 2D cell +% array of 1D vectors; setting to 4 will return a +% 3D cell array. +% opt.ShowProgress [0|1]: if set to 1, loadjson displays a progress bar. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% dat=loadjson('{"obj":{"string":"value","array":[1,2,3]}}') +% dat=loadjson(['examples' filesep 'example1.json']) +% dat=loadjson(['examples' filesep 'example1.json'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); + +if(jsonopt('ShowProgress',0,opt)==1) + opt.progressbar_=waitbar(0,'loading ...'); +end +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end +if(isfield(opt,'progressbar_')) + close(opt.progressbar_); +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=data(j).x0x5F_ArraySize_; + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + if next_char ~= '}' + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + parse_char(':'); + val = parse_value(varargin{:}); + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' + break; + end + parse_char(','); + end + end + parse_char('}'); + +%%------------------------------------------------------------------------- + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim2=[]; + arraydepth=jsonopt('JSONLAB_ArrayDepth_',1,varargin{:}); + pbar=jsonopt('progressbar_',-1,varargin{:}); + + if next_char ~= ']' + if(jsonopt('FastArrayParser',1,varargin{:})>=1 && arraydepth>=jsonopt('FastArrayParser',1,varargin{:})) + [endpos, e1l, e1r, maxlevel]=matching_bracket(inStr,pos); + arraystr=['[' inStr(pos:endpos)]; + arraystr=regexprep(arraystr,'"_NaN_"','NaN'); + arraystr=regexprep(arraystr,'"([-+]*)_Inf_"','$1Inf'); + arraystr(arraystr==sprintf('\n'))=[]; + arraystr(arraystr==sprintf('\r'))=[]; + %arraystr=regexprep(arraystr,'\s*,',','); % this is slow,sometimes needed + if(~isempty(e1l) && ~isempty(e1r)) % the array is in 2D or higher D + astr=inStr((e1l+1):(e1r-1)); + astr=regexprep(astr,'"_NaN_"','NaN'); + astr=regexprep(astr,'"([-+]*)_Inf_"','$1Inf'); + astr(astr==sprintf('\n'))=[]; + astr(astr==sprintf('\r'))=[]; + astr(astr==' ')=''; + if(isempty(find(astr=='[', 1))) % array is 2D + dim2=length(sscanf(astr,'%f,',[1 inf])); + end + else % array is 1D + astr=arraystr(2:end-1); + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',[1,inf]); + if(nextidx>=length(astr)-1) + object=obj; + pos=endpos; + parse_char(']'); + return; + end + end + if(~isempty(dim2)) + astr=arraystr; + astr(astr=='[')=''; + astr(astr==']')=''; + astr(astr==' ')=''; + [obj, count, errmsg, nextidx]=sscanf(astr,'%f,',inf); + if(nextidx>=length(astr)-1) + object=reshape(obj,dim2,numel(obj)/dim2)'; + pos=endpos; + parse_char(']'); + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end + return; + end + end + arraystr=regexprep(arraystr,'\]\s*,','];'); + else + arraystr='['; + end + try + if(isoct && regexp(arraystr,'"','once')) + error('Octave eval can produce empty cells for JSON-like input'); + end + object=eval(arraystr); + pos=endpos; + catch + while 1 + newopt=varargin2struct(varargin{:},'JSONLAB_ArrayDepth_',arraydepth+1); + val = parse_value(newopt); + object{end+1} = val; + if next_char == ']' + break; + end + parse_char(','); + end + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + parse_char(']'); + + if(pbar>0) + waitbar(pos/length(inStr),pbar,'loading ...'); + end +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr len esc index_esc len_esc + % len, ns = length(inStr), keyboard + if inStr(pos) ~= '"' + error_pos('String starting with " expected at position %d'); + else + pos = pos + 1; + end + str = ''; + while pos <= len + while index_esc <= len_esc && esc(index_esc) < pos + index_esc = index_esc + 1; + end + if index_esc > len_esc + str = [str inStr(pos:len)]; + pos = len + 1; + break; + else + str = [str inStr(pos:esc(index_esc)-1)]; + pos = esc(index_esc); + end + nstr = length(str); switch inStr(pos) + case '"' + pos = pos + 1; + if(~isempty(str)) + if(strcmp(str,'_Inf_')) + str=Inf; + elseif(strcmp(str,'-_Inf_')) + str=-Inf; + elseif(strcmp(str,'_NaN_')) + str=NaN; + end + end + return; + case '\' + if pos+1 > len + error_pos('End of file reached right after escape character'); + end + pos = pos + 1; + switch inStr(pos) + case {'"' '\' '/'} + str(nstr+1) = inStr(pos); + pos = pos + 1; + case {'b' 'f' 'n' 'r' 't'} + str(nstr+1) = sprintf(['\' inStr(pos)]); + pos = pos + 1; + case 'u' + if pos+4 > len + error_pos('End of file reached in escaped unicode character'); + end + str(nstr+(1:6)) = inStr(pos-1:pos+4); + pos = pos + 5; + end + otherwise % should never happen + str(nstr+1) = inStr(pos), keyboard + pos = pos + 1; + end + end + error_pos('End of file while expecting end of inStr'); + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct + currstr=inStr(pos:end); + numstr=0; + if(isoct~=0) + numstr=regexp(currstr,'^\s*-?(?:0|[1-9]\d*)(?:\.\d+)?(?:[eE][+\-]?\d+)?','end'); + [num, one] = sscanf(currstr, '%f', 1); + delta=numstr+1; + else + [num, one, err, delta] = sscanf(currstr, '%f', 1); + if ~isempty(err) + error_pos('Error reading number at position %d'); + end + end + pos = pos + delta-1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + pbar=jsonopt('progressbar_',-1,varargin{:}); + if(pbar>0) + waitbar(pos/len,pbar,'loading ...'); + end + + switch(inStr(pos)) + case '"' + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'-','0','1','2','3','4','5','6','7','8','9'} + val = parse_number(varargin{:}); + return; + case 't' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'true') + val = true; + pos = pos + 4; + return; + end + case 'f' + if pos+4 <= len && strcmpi(inStr(pos:pos+4), 'false') + val = false; + pos = pos + 5; + return; + end + case 'n' + if pos+3 <= len && strcmpi(inStr(pos:pos+3), 'null') + val = []; + pos = pos + 4; + return; + end + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos, e1l, e1r, maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex5/ex5/lib/jsonlab/loadubjson.m b/machine-learning-ex5/ex5/lib/jsonlab/loadubjson.m new file mode 100644 index 0000000..0155115 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/loadubjson.m @@ -0,0 +1,528 @@ +function data = loadubjson(fname,varargin) +% +% data=loadubjson(fname,opt) +% or +% data=loadubjson(fname,'param1',value1,'param2',value2,...) +% +% parse a JSON (JavaScript Object Notation) file or string +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/01 +% +% $Id: loadubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% fname: input file name, if fname contains "{}" or "[]", fname +% will be interpreted as a UBJSON string +% opt: a struct to store parsing options, opt can be replaced by +% a list of ('param',value) pairs - the param string is equivallent +% to a field in opt. opt can have the following +% fields (first in [.|.] is the default) +% +% opt.SimplifyCell [0|1]: if set to 1, loadubjson will call cell2mat +% for each element of the JSON data, and group +% arrays based on the cell2mat rules. +% opt.IntEndian [B|L]: specify the endianness of the integer fields +% in the UBJSON input data. B - Big-Endian format for +% integers (as required in the UBJSON specification); +% L - input integer fields are in Little-Endian order. +% +% output: +% dat: a cell array, where {...} blocks are converted into cell arrays, +% and [...] are converted to arrays +% +% examples: +% obj=struct('string','value','array',[1 2 3]); +% ubjdata=saveubjson('obj',obj); +% dat=loadubjson(ubjdata) +% dat=loadubjson(['examples' filesep 'example1.ubj']) +% dat=loadubjson(['examples' filesep 'example1.ubj'],'SimplifyCell',1) +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +global pos inStr len esc index_esc len_esc isoct arraytoken fileendian systemendian + +if(regexp(fname,'[\{\}\]\[]','once')) + string=fname; +elseif(exist(fname,'file')) + fid = fopen(fname,'rb'); + string = fread(fid,inf,'uint8=>char')'; + fclose(fid); +else + error('input file does not exist'); +end + +pos = 1; len = length(string); inStr = string; +isoct=exist('OCTAVE_VERSION','builtin'); +arraytoken=find(inStr=='[' | inStr==']' | inStr=='"'); +jstr=regexprep(inStr,'\\\\',' '); +escquote=regexp(jstr,'\\"'); +arraytoken=sort([arraytoken escquote]); + +% String delimiters and escape chars identified to improve speed: +esc = find(inStr=='"' | inStr=='\' ); % comparable to: regexp(inStr, '["\\]'); +index_esc = 1; len_esc = length(esc); + +opt=varargin2struct(varargin{:}); +fileendian=upper(jsonopt('IntEndian','B',opt)); +[os,maxelem,systemendian]=computer; + +jsoncount=1; +while pos <= len + switch(next_char) + case '{' + data{jsoncount} = parse_object(opt); + case '[' + data{jsoncount} = parse_array(opt); + otherwise + error_pos('Outer level structure must be an object or an array'); + end + jsoncount=jsoncount+1; +end % while + +jsoncount=length(data); +if(jsoncount==1 && iscell(data)) + data=data{1}; +end + +if(~isempty(data)) + if(isstruct(data)) % data can be a struct array + data=jstruct2array(data); + elseif(iscell(data)) + data=jcell2array(data); + end +end + + +%% +function newdata=parse_collection(id,data,obj) + +if(jsoncount>0 && exist('data','var')) + if(~iscell(data)) + newdata=cell(1); + newdata{1}=data; + data=newdata; + end +end + +%% +function newdata=jcell2array(data) +len=length(data); +newdata=data; +for i=1:len + if(isstruct(data{i})) + newdata{i}=jstruct2array(data{i}); + elseif(iscell(data{i})) + newdata{i}=jcell2array(data{i}); + end +end + +%%------------------------------------------------------------------------- +function newdata=jstruct2array(data) +fn=fieldnames(data); +newdata=data; +len=length(data); +for i=1:length(fn) % depth-first + for j=1:len + if(isstruct(getfield(data(j),fn{i}))) + newdata(j)=setfield(newdata(j),fn{i},jstruct2array(getfield(data(j),fn{i}))); + end + end +end +if(~isempty(strmatch('x0x5F_ArrayType_',fn)) && ~isempty(strmatch('x0x5F_ArrayData_',fn))) + newdata=cell(len,1); + for j=1:len + ndata=cast(data(j).x0x5F_ArrayData_,data(j).x0x5F_ArrayType_); + iscpx=0; + if(~isempty(strmatch('x0x5F_ArrayIsComplex_',fn))) + if(data(j).x0x5F_ArrayIsComplex_) + iscpx=1; + end + end + if(~isempty(strmatch('x0x5F_ArrayIsSparse_',fn))) + if(data(j).x0x5F_ArrayIsSparse_) + if(~isempty(strmatch('x0x5F_ArraySize_',fn))) + dim=double(data(j).x0x5F_ArraySize_); + if(iscpx && size(ndata,2)==4-any(dim==1)) + ndata(:,end-1)=complex(ndata(:,end-1),ndata(:,end)); + end + if isempty(ndata) + % All-zeros sparse + ndata=sparse(dim(1),prod(dim(2:end))); + elseif dim(1)==1 + % Sparse row vector + ndata=sparse(1,ndata(:,1),ndata(:,2),dim(1),prod(dim(2:end))); + elseif dim(2)==1 + % Sparse column vector + ndata=sparse(ndata(:,1),1,ndata(:,2),dim(1),prod(dim(2:end))); + else + % Generic sparse array. + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3),dim(1),prod(dim(2:end))); + end + else + if(iscpx && size(ndata,2)==4) + ndata(:,3)=complex(ndata(:,3),ndata(:,4)); + end + ndata=sparse(ndata(:,1),ndata(:,2),ndata(:,3)); + end + end + elseif(~isempty(strmatch('x0x5F_ArraySize_',fn))) + if(iscpx && size(ndata,2)==2) + ndata=complex(ndata(:,1),ndata(:,2)); + end + ndata=reshape(ndata(:),data(j).x0x5F_ArraySize_); + end + newdata{j}=ndata; + end + if(len==1) + newdata=newdata{1}; + end +end + +%%------------------------------------------------------------------------- +function object = parse_object(varargin) + parse_char('{'); + object = []; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); % TODO + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + count=double(parse_number()); + end + if next_char ~= '}' + num=0; + while 1 + str = parseStr(varargin{:}); + if isempty(str) + error_pos('Name of value at position %d cannot be empty'); + end + %parse_char(':'); + val = parse_value(varargin{:}); + num=num+1; + eval( sprintf( 'object.%s = val;', valid_field(str) ) ); + if next_char == '}' || (count>=0 && num>=count) + break; + end + %parse_char(','); + end + end + if(count==-1) + parse_char('}'); + end + +%%------------------------------------------------------------------------- +function [cid,len]=elem_info(type) +id=strfind('iUIlLdD',type); +dataclass={'int8','uint8','int16','int32','int64','single','double'}; +bytelen=[1,1,2,4,8,4,8]; +if(id>0) + cid=dataclass{id}; + len=bytelen(id); +else + error_pos('unsupported type at position %d'); +end +%%------------------------------------------------------------------------- + + +function [data adv]=parse_block(type,count,varargin) +global pos inStr isoct fileendian systemendian +[cid,len]=elem_info(type); +datastr=inStr(pos:pos+len*count-1); +if(isoct) + newdata=int8(datastr); +else + newdata=uint8(datastr); +end +id=strfind('iUIlLdD',type); +if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,cid)); +end +data=typecast(newdata,cid); +adv=double(len*count); + +%%------------------------------------------------------------------------- + + +function object = parse_array(varargin) % JSON array is written in row-major order +global pos inStr isoct + parse_char('['); + object = cell(0, 1); + dim=[]; + type=''; + count=-1; + if(next_char == '$') + type=inStr(pos+1); + pos=pos+2; + end + if(next_char == '#') + pos=pos+1; + if(next_char=='[') + dim=parse_array(varargin{:}); + count=prod(double(dim)); + else + count=double(parse_number()); + end + end + if(~isempty(type)) + if(count>=0) + [object adv]=parse_block(type,count,varargin{:}); + if(~isempty(dim)) + object=reshape(object,dim); + end + pos=pos+adv; + return; + else + endpos=matching_bracket(inStr,pos); + [cid,len]=elem_info(type); + count=(endpos-pos)/len; + [object adv]=parse_block(type,count,varargin{:}); + pos=pos+adv; + parse_char(']'); + return; + end + end + if next_char ~= ']' + while 1 + val = parse_value(varargin{:}); + object{end+1} = val; + if next_char == ']' + break; + end + %parse_char(','); + end + end + if(jsonopt('SimplifyCell',0,varargin{:})==1) + try + oldobj=object; + object=cell2mat(object')'; + if(iscell(oldobj) && isstruct(object) && numel(object)>1 && jsonopt('SimplifyCellArray',1,varargin{:})==0) + object=oldobj; + elseif(size(object,1)>1 && ndims(object)==2) + object=object'; + end + catch + end + end + if(count==-1) + parse_char(']'); + end + +%%------------------------------------------------------------------------- + +function parse_char(c) + global pos inStr len + skip_whitespace; + if pos > len || inStr(pos) ~= c + error_pos(sprintf('Expected %c at position %%d', c)); + else + pos = pos + 1; + skip_whitespace; + end + +%%------------------------------------------------------------------------- + +function c = next_char + global pos inStr len + skip_whitespace; + if pos > len + c = []; + else + c = inStr(pos); + end + +%%------------------------------------------------------------------------- + +function skip_whitespace + global pos inStr len + while pos <= len && isspace(inStr(pos)) + pos = pos + 1; + end + +%%------------------------------------------------------------------------- +function str = parseStr(varargin) + global pos inStr esc index_esc len_esc + % len, ns = length(inStr), keyboard + type=inStr(pos); + if type ~= 'S' && type ~= 'C' && type ~= 'H' + error_pos('String starting with S expected at position %d'); + else + pos = pos + 1; + end + if(type == 'C') + str=inStr(pos); + pos=pos+1; + return; + end + bytelen=double(parse_number()); + if(length(inStr)>=pos+bytelen-1) + str=inStr(pos:pos+bytelen-1); + pos=pos+bytelen; + else + error_pos('End of file while expecting end of inStr'); + end + +%%------------------------------------------------------------------------- + +function num = parse_number(varargin) + global pos inStr len isoct fileendian systemendian + id=strfind('iUIlLdD',inStr(pos)); + if(isempty(id)) + error_pos('expecting a number at position %d'); + end + type={'int8','uint8','int16','int32','int64','single','double'}; + bytelen=[1,1,2,4,8,4,8]; + datastr=inStr(pos+1:pos+bytelen(id)); + if(isoct) + newdata=int8(datastr); + else + newdata=uint8(datastr); + end + if(id<=5 && fileendian~=systemendian) + newdata=swapbytes(typecast(newdata,type{id})); + end + num=typecast(newdata,type{id}); + pos = pos + bytelen(id)+1; + +%%------------------------------------------------------------------------- + +function val = parse_value(varargin) + global pos inStr len + true = 1; false = 0; + + switch(inStr(pos)) + case {'S','C','H'} + val = parseStr(varargin{:}); + return; + case '[' + val = parse_array(varargin{:}); + return; + case '{' + val = parse_object(varargin{:}); + if isstruct(val) + if(~isempty(strmatch('x0x5F_ArrayType_',fieldnames(val), 'exact'))) + val=jstruct2array(val); + end + elseif isempty(val) + val = struct; + end + return; + case {'i','U','I','l','L','d','D'} + val = parse_number(varargin{:}); + return; + case 'T' + val = true; + pos = pos + 1; + return; + case 'F' + val = false; + pos = pos + 1; + return; + case {'Z','N'} + val = []; + pos = pos + 1; + return; + end + error_pos('Value expected at position %d'); +%%------------------------------------------------------------------------- + +function error_pos(msg) + global pos inStr len + poShow = max(min([pos-15 pos-1 pos pos+20],len),1); + if poShow(3) == poShow(2) + poShow(3:4) = poShow(2)+[0 -1]; % display nothing after + end + msg = [sprintf(msg, pos) ': ' ... + inStr(poShow(1):poShow(2)) '' inStr(poShow(3):poShow(4)) ]; + error( ['JSONparser:invalidFormat: ' msg] ); + +%%------------------------------------------------------------------------- + +function str = valid_field(str) +global isoct +% From MATLAB doc: field names must begin with a letter, which may be +% followed by any combination of letters, digits, and underscores. +% Invalid characters will be converted to underscores, and the prefix +% "x0x[Hex code]_" will be added if the first character is not a letter. + pos=regexp(str,'^[^A-Za-z]','once'); + if(~isempty(pos)) + if(~isoct) + str=regexprep(str,'^([^A-Za-z])','x0x${sprintf(''%X'',unicode2native($1))}_','once'); + else + str=sprintf('x0x%X_%s',char(str(1)),str(2:end)); + end + end + if(isempty(regexp(str,'[^0-9A-Za-z_]', 'once' ))) return; end + if(~isoct) + str=regexprep(str,'([^0-9A-Za-z_])','_0x${sprintf(''%X'',unicode2native($1))}_'); + else + pos=regexp(str,'[^0-9A-Za-z_]'); + if(isempty(pos)) return; end + str0=str; + pos0=[0 pos(:)' length(str)]; + str=''; + for i=1:length(pos) + str=[str str0(pos0(i)+1:pos(i)-1) sprintf('_0x%X_',str0(pos(i)))]; + end + if(pos(end)~=length(str)) + str=[str str0(pos0(end-1)+1:pos0(end))]; + end + end + %str(~isletter(str) & ~('0' <= str & str <= '9')) = '_'; + +%%------------------------------------------------------------------------- +function endpos = matching_quote(str,pos) +len=length(str); +while(pos1 && str(pos-1)=='\')) + endpos=pos; + return; + end + end + pos=pos+1; +end +error('unmatched quotation mark'); +%%------------------------------------------------------------------------- +function [endpos e1l e1r maxlevel] = matching_bracket(str,pos) +global arraytoken +level=1; +maxlevel=level; +endpos=0; +bpos=arraytoken(arraytoken>=pos); +tokens=str(bpos); +len=length(tokens); +pos=1; +e1l=[]; +e1r=[]; +while(pos<=len) + c=tokens(pos); + if(c==']') + level=level-1; + if(isempty(e1r)) e1r=bpos(pos); end + if(level==0) + endpos=bpos(pos); + return + end + end + if(c=='[') + if(isempty(e1l)) e1l=bpos(pos); end + level=level+1; + maxlevel=max(maxlevel,level); + end + if(c=='"') + pos=matching_quote(tokens,pos+1); + end + pos=pos+1; +end +if(endpos==0) + error('unmatched "]"'); +end + diff --git a/machine-learning-ex5/ex5/lib/jsonlab/mergestruct.m b/machine-learning-ex5/ex5/lib/jsonlab/mergestruct.m new file mode 100644 index 0000000..6de6100 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/mergestruct.m @@ -0,0 +1,33 @@ +function s=mergestruct(s1,s2) +% +% s=mergestruct(s1,s2) +% +% merge two struct objects into one +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% s1,s2: a struct object, s1 and s2 can not be arrays +% +% output: +% s: the merged struct object. fields in s1 and s2 will be combined in s. +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(~isstruct(s1) || ~isstruct(s2)) + error('input parameters contain non-struct'); +end +if(length(s1)>1 || length(s2)>1) + error('can not merge struct arrays'); +end +fn=fieldnames(s2); +s=s1; +for i=1:length(fn) + s=setfield(s,fn{i},getfield(s2,fn{i})); +end + diff --git a/machine-learning-ex5/ex5/lib/jsonlab/savejson.m b/machine-learning-ex5/ex5/lib/jsonlab/savejson.m new file mode 100644 index 0000000..7e84076 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/savejson.m @@ -0,0 +1,475 @@ +function json=savejson(rootname,obj,varargin) +% +% json=savejson(rootname,obj,filename) +% or +% json=savejson(rootname,obj,opt) +% json=savejson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a JSON (JavaScript +% Object Notation) string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2011/09/09 +% +% $Id: savejson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array). +% filename: a string for the file name to save the output JSON data. +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.FloatFormat ['%.10g'|string]: format to show each numeric element +% of a 1D/2D array; +% opt.ArrayIndent [1|0]: if 1, output explicit data array with +% precedent indentation; if 0, no indentation +% opt.ArrayToStruct[0|1]: when set to 0, savejson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [0|1]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, savejson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.Inf ['"$1_Inf_"'|string]: a customized regular expression pattern +% to represent +/-Inf. The matched pattern is '([-+]*)Inf' +% and $1 represents the sign. For those who want to use +% 1e999 to represent Inf, they can set opt.Inf to '$11e999' +% opt.NaN ['"_NaN_"'|string]: a customized regular expression pattern +% to represent NaN +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSONP='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% opt.SaveBinary [0|1]: 1 - save the JSON file in binary mode; 0 - text mode. +% opt.Compact [0|1]: 1- out compact JSON format (remove all newlines and tabs) +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a string in the JSON format (see http://json.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% savejson('jmesh',jsonmesh) +% savejson('',jsonmesh,'ArrayIndent',0,'FloatFormat','\t%.5g') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end + +whitespaces=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +if(jsonopt('Compact',0,opt)==1) + whitespaces=struct('tab','','newline','','sep',','); +end +if(~isfield(opt,'whitespaces_')) + opt.whitespaces_=whitespaces; +end + +nl=whitespaces.newline; + +json=obj2json(rootname,obj,rootlevel,opt); +if(rootisarray) + json=sprintf('%s%s',json,nl); +else + json=sprintf('{%s%s%s}\n',nl,json,nl); +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=sprintf('%s(%s);%s',jsonp,json,nl); +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + if(jsonopt('SaveBinary',0,opt)==1) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + else + fid = fopen(opt.FileName, 'wt'); + fwrite(fid,json,'char'); + end + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2json(name,item,level,varargin) + +if(iscell(item)) + txt=cell2json(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2json(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2json(name,item,level,varargin{:}); +else + txt=mat2json(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2json(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=jsonopt('whitespaces_',struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')),varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +nl=ws.newline; +if(len>1) + if(~isempty(name)) + txt=sprintf('%s"%s": [%s',padding0, checkname(name,varargin{:}),nl); name=''; + else + txt=sprintf('%s[%s',padding0,nl); + end +elseif(len==0) + if(~isempty(name)) + txt=sprintf('%s"%s": []',padding0, checkname(name,varargin{:})); name=''; + else + txt=sprintf('%s[]',padding0); + end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + txt=sprintf('%s%s',txt,obj2json(name,item{i,j},level+(dim(1)>1)+1,varargin{:})); + if(i1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=struct2json(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding0=repmat(ws.tab,1,level); +padding2=repmat(ws.tab,1,level+1); +padding1=repmat(ws.tab,1,level+(dim(1)>1)+(len>1)); +nl=ws.newline; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding0,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding0,nl); end +end +for j=1:dim(2) + if(dim(1)>1) txt=sprintf('%s%s[%s',txt,padding2,nl); end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=sprintf('%s%s"%s": {%s',txt,padding1, checkname(name,varargin{:}),nl); + else + txt=sprintf('%s%s{%s',txt,padding1,nl); + end + if(~isempty(names)) + for e=1:length(names) + txt=sprintf('%s%s',txt,obj2json(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})); + if(e1) txt=sprintf('%s%s%s]',txt,nl,padding2); end + if(j1) txt=sprintf('%s%s%s]',txt,nl,padding0); end + +%%------------------------------------------------------------------------- +function txt=str2json(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(~isempty(name)) + if(len>1) txt=sprintf('%s"%s": [%s',padding1,checkname(name,varargin{:}),nl); end +else + if(len>1) txt=sprintf('%s[%s',padding1,nl); end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + if(isoct) + val=regexprep(item(e,:),'\\','\\'); + val=regexprep(val,'"','\"'); + val=regexprep(val,'^"','\"'); + else + val=regexprep(item(e,:),'\\','\\\\'); + val=regexprep(val,'"','\\"'); + val=regexprep(val,'^"','\\"'); + end + val=escapejsonstring(val); + if(len==1) + obj=['"' checkname(name,varargin{:}) '": ' '"',val,'"']; + if(isempty(name)) obj=['"',val,'"']; end + txt=sprintf('%s%s%s%s',txt,padding1,obj); + else + txt=sprintf('%s%s%s%s',txt,padding0,['"',val,'"']); + end + if(e==len) sep=''; end + txt=sprintf('%s%s',txt,sep); +end +if(len>1) txt=sprintf('%s%s%s%s',txt,nl,padding1,']'); end + +%%------------------------------------------------------------------------- +function txt=mat2json(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +padding1=repmat(ws.tab,1,level); +padding0=repmat(ws.tab,1,level+1); +nl=ws.newline; +sep=ws.sep; + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) ||jsonopt('ArrayToStruct',0,varargin{:})) + if(isempty(name)) + txt=sprintf('%s{%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + else + txt=sprintf('%s"%s": {%s%s"_ArrayType_": "%s",%s%s"_ArraySize_": %s,%s',... + padding1,checkname(name,varargin{:}),nl,padding0,class(item),nl,padding0,regexprep(mat2str(size(item)),'\s+',','),nl); + end +else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1 && level>0) + numtxt=regexprep(regexprep(matdata2json(item,level+1,varargin{:}),'^\[',''),']',''); + else + numtxt=matdata2json(item,level+1,varargin{:}); + end + if(isempty(name)) + txt=sprintf('%s%s',padding1,numtxt); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + else + txt=sprintf('%s"%s": %s',padding1,checkname(name,varargin{:}),numtxt); + end + end + return; +end +dataformat='%s%s%s%s%s'; + +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + end + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsSparse_": ','1', sep); + if(size(item,1)==1) + % Row vector, store only column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([iy(:),data'],level+2,varargin{:}), nl); + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,data],level+2,varargin{:}), nl); + else + % General case, store row and column indices. + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([ix,iy,data],level+2,varargin{:}), nl); + end +else + if(isreal(item)) + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json(item(:)',level+2,varargin{:}), nl); + else + txt=sprintf(dataformat,txt,padding0,'"_ArrayIsComplex_": ','1', sep); + txt=sprintf(dataformat,txt,padding0,'"_ArrayData_": ',... + matdata2json([real(item(:)) imag(item(:))],level+2,varargin{:}), nl); + end +end +txt=sprintf('%s%s%s',txt,padding1,'}'); + +%%------------------------------------------------------------------------- +function txt=matdata2json(mat,level,varargin) + +ws=struct('tab',sprintf('\t'),'newline',sprintf('\n'),'sep',sprintf(',\n')); +ws=jsonopt('whitespaces_',ws,varargin{:}); +tab=ws.tab; +nl=ws.newline; + +if(size(mat,1)==1) + pre=''; + post=''; + level=level-1; +else + pre=sprintf('[%s',nl); + post=sprintf('%s%s]',nl,repmat(tab,1,level-1)); +end + +if(isempty(mat)) + txt='null'; + return; +end +floatformat=jsonopt('FloatFormat','%.10g',varargin{:}); +%if(numel(mat)>1) + formatstr=['[' repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf('],%s',nl)]]; +%else +% formatstr=[repmat([floatformat ','],1,size(mat,2)-1) [floatformat sprintf(',\n')]]; +%end + +if(nargin>=2 && size(mat,1)>1 && jsonopt('ArrayIndent',1,varargin{:})==1) + formatstr=[repmat(tab,1,level) formatstr]; +end + +txt=sprintf(formatstr,mat'); +txt(end-length(nl):end)=[]; +if(islogical(mat) && jsonopt('ParseLogical',0,varargin{:})==1) + txt=regexprep(txt,'1','true'); + txt=regexprep(txt,'0','false'); +end +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],\n[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +txt=[pre txt post]; +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end + +%%------------------------------------------------------------------------- +function newstr=escapejsonstring(str) +newstr=str; +isoct=exist('OCTAVE_VERSION','builtin'); +if(isoct) + vv=sscanf(OCTAVE_VERSION,'%f'); + if(vv(1)>=3.8) isoct=0; end +end +if(isoct) + escapechars={'\a','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},escapechars{i}); + end +else + escapechars={'\a','\b','\f','\n','\r','\t','\v'}; + for i=1:length(escapechars); + newstr=regexprep(newstr,escapechars{i},regexprep(escapechars{i},'\\','\\\\')); + end +end diff --git a/machine-learning-ex5/ex5/lib/jsonlab/saveubjson.m b/machine-learning-ex5/ex5/lib/jsonlab/saveubjson.m new file mode 100644 index 0000000..eaec433 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/saveubjson.m @@ -0,0 +1,504 @@ +function json=saveubjson(rootname,obj,varargin) +% +% json=saveubjson(rootname,obj,filename) +% or +% json=saveubjson(rootname,obj,opt) +% json=saveubjson(rootname,obj,'param1',value1,'param2',value2,...) +% +% convert a MATLAB object (cell, struct or array) into a Universal +% Binary JSON (UBJSON) binary string +% +% author: Qianqian Fang (fangq nmr.mgh.harvard.edu) +% created on 2013/08/17 +% +% $Id: saveubjson.m 460 2015-01-03 00:30:45Z fangq $ +% +% input: +% rootname: the name of the root-object, when set to '', the root name +% is ignored, however, when opt.ForceRootName is set to 1 (see below), +% the MATLAB variable name will be used as the root name. +% obj: a MATLAB object (array, cell, cell array, struct, struct array) +% filename: a string for the file name to save the output UBJSON data +% opt: a struct for additional options, ignore to use default values. +% opt can have the following fields (first in [.|.] is the default) +% +% opt.FileName [''|string]: a file name to save the output JSON data +% opt.ArrayToStruct[0|1]: when set to 0, saveubjson outputs 1D/2D +% array in JSON array format; if sets to 1, an +% array will be shown as a struct with fields +% "_ArrayType_", "_ArraySize_" and "_ArrayData_"; for +% sparse arrays, the non-zero elements will be +% saved to _ArrayData_ field in triplet-format i.e. +% (ix,iy,val) and "_ArrayIsSparse_" will be added +% with a value of 1; for a complex array, the +% _ArrayData_ array will include two columns +% (4 for sparse) to record the real and imaginary +% parts, and also "_ArrayIsComplex_":1 is added. +% opt.ParseLogical [1|0]: if this is set to 1, logical array elem +% will use true/false rather than 1/0. +% opt.NoRowBracket [1|0]: if this is set to 1, arrays with a single +% numerical element will be shown without a square +% bracket, unless it is the root object; if 0, square +% brackets are forced for any numerical arrays. +% opt.ForceRootName [0|1]: when set to 1 and rootname is empty, saveubjson +% will use the name of the passed obj variable as the +% root object name; if obj is an expression and +% does not have a name, 'root' will be used; if this +% is set to 0 and rootname is empty, the root level +% will be merged down to the lower level. +% opt.JSONP [''|string]: to generate a JSONP output (JSON with padding), +% for example, if opt.JSON='foo', the JSON data is +% wrapped inside a function call as 'foo(...);' +% opt.UnpackHex [1|0]: conver the 0x[hex code] output by loadjson +% back to the string form +% +% opt can be replaced by a list of ('param',value) pairs. The param +% string is equivallent to a field in opt and is case sensitive. +% output: +% json: a binary string in the UBJSON format (see http://ubjson.org) +% +% examples: +% jsonmesh=struct('MeshNode',[0 0 0;1 0 0;0 1 0;1 1 0;0 0 1;1 0 1;0 1 1;1 1 1],... +% 'MeshTetra',[1 2 4 8;1 3 4 8;1 2 6 8;1 5 6 8;1 5 7 8;1 3 7 8],... +% 'MeshTri',[1 2 4;1 2 6;1 3 4;1 3 7;1 5 6;1 5 7;... +% 2 8 4;2 8 6;3 8 4;3 8 7;5 8 6;5 8 7],... +% 'MeshCreator','FangQ','MeshTitle','T6 Cube',... +% 'SpecialData',[nan, inf, -inf]); +% saveubjson('jsonmesh',jsonmesh) +% saveubjson('jsonmesh',jsonmesh,'meshdata.ubj') +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of JSONLab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +if(nargin==1) + varname=inputname(1); + obj=rootname; + if(isempty(varname)) + varname='root'; + end + rootname=varname; +else + varname=inputname(2); +end +if(length(varargin)==1 && ischar(varargin{1})) + opt=struct('FileName',varargin{1}); +else + opt=varargin2struct(varargin{:}); +end +opt.IsOctave=exist('OCTAVE_VERSION','builtin'); +rootisarray=0; +rootlevel=1; +forceroot=jsonopt('ForceRootName',0,opt); +if((isnumeric(obj) || islogical(obj) || ischar(obj) || isstruct(obj) || iscell(obj)) && isempty(rootname) && forceroot==0) + rootisarray=1; + rootlevel=0; +else + if(isempty(rootname)) + rootname=varname; + end +end +if((isstruct(obj) || iscell(obj))&& isempty(rootname) && forceroot) + rootname='root'; +end +json=obj2ubjson(rootname,obj,rootlevel,opt); +if(~rootisarray) + json=['{' json '}']; +end + +jsonp=jsonopt('JSONP','',opt); +if(~isempty(jsonp)) + json=[jsonp '(' json ')']; +end + +% save to a file if FileName is set, suggested by Patrick Rapin +if(~isempty(jsonopt('FileName','',opt))) + fid = fopen(opt.FileName, 'wb'); + fwrite(fid,json); + fclose(fid); +end + +%%------------------------------------------------------------------------- +function txt=obj2ubjson(name,item,level,varargin) + +if(iscell(item)) + txt=cell2ubjson(name,item,level,varargin{:}); +elseif(isstruct(item)) + txt=struct2ubjson(name,item,level,varargin{:}); +elseif(ischar(item)) + txt=str2ubjson(name,item,level,varargin{:}); +else + txt=mat2ubjson(name,item,level,varargin{:}); +end + +%%------------------------------------------------------------------------- +function txt=cell2ubjson(name,item,level,varargin) +txt=''; +if(~iscell(item)) + error('input is not a cell'); +end + +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); % let's handle 1D cell first +if(len>1) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) '[']; name=''; + else + txt='['; + end +elseif(len==0) + if(~isempty(name)) + txt=[S_(checkname(name,varargin{:})) 'Z']; name=''; + else + txt='Z'; + end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + txt=[txt obj2ubjson(name,item{i,j},level+(len>1),varargin{:})]; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=struct2ubjson(name,item,level,varargin) +txt=''; +if(~isstruct(item)) + error('input is not a struct'); +end +dim=size(item); +if(ndims(squeeze(item))>2) % for 3D or higher dimensions, flatten to 2D for now + item=reshape(item,dim(1),numel(item)/dim(1)); + dim=size(item); +end +len=numel(item); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +for j=1:dim(2) + if(dim(1)>1) txt=[txt '[']; end + for i=1:dim(1) + names = fieldnames(item(i,j)); + if(~isempty(name) && len==1) + txt=[txt S_(checkname(name,varargin{:})) '{']; + else + txt=[txt '{']; + end + if(~isempty(names)) + for e=1:length(names) + txt=[txt obj2ubjson(names{e},getfield(item(i,j),... + names{e}),level+(dim(1)>1)+1+(len>1),varargin{:})]; + end + end + txt=[txt '}']; + end + if(dim(1)>1) txt=[txt ']']; end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=str2ubjson(name,item,level,varargin) +txt=''; +if(~ischar(item)) + error('input is not a string'); +end +item=reshape(item, max(size(item),[1 0])); +len=size(item,1); + +if(~isempty(name)) + if(len>1) txt=[S_(checkname(name,varargin{:})) '[']; end +else + if(len>1) txt='['; end +end +isoct=jsonopt('IsOctave',0,varargin{:}); +for e=1:len + val=item(e,:); + if(len==1) + obj=['' S_(checkname(name,varargin{:})) '' '',S_(val),'']; + if(isempty(name)) obj=['',S_(val),'']; end + txt=[txt,'',obj]; + else + txt=[txt,'',['',S_(val),'']]; + end +end +if(len>1) txt=[txt ']']; end + +%%------------------------------------------------------------------------- +function txt=mat2ubjson(name,item,level,varargin) +if(~isnumeric(item) && ~islogical(item)) + error('input is not an array'); +end + +if(length(size(item))>2 || issparse(item) || ~isreal(item) || ... + isempty(item) || jsonopt('ArrayToStruct',0,varargin{:})) + cid=I_(uint32(max(size(item)))); + if(isempty(name)) + txt=['{' S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1)) ]; + else + if(isempty(item)) + txt=[S_(checkname(name,varargin{:})),'Z']; + return; + else + txt=[S_(checkname(name,varargin{:})),'{',S_('_ArrayType_'),S_(class(item)),S_('_ArraySize_'),I_a(size(item),cid(1))]; + end + end +else + if(isempty(name)) + txt=matdata2ubjson(item,level+1,varargin{:}); + else + if(numel(item)==1 && jsonopt('NoRowBracket',1,varargin{:})==1) + numtxt=regexprep(regexprep(matdata2ubjson(item,level+1,varargin{:}),'^\[',''),']',''); + txt=[S_(checkname(name,varargin{:})) numtxt]; + else + txt=[S_(checkname(name,varargin{:})),matdata2ubjson(item,level+1,varargin{:})]; + end + end + return; +end +if(issparse(item)) + [ix,iy]=find(item); + data=full(item(find(item))); + if(~isreal(item)) + data=[real(data(:)),imag(data(:))]; + if(size(item,1)==1) + % Kludge to have data's 'transposedness' match item's. + % (Necessary for complex row vector handling below.) + data=data'; + end + txt=[txt,S_('_ArrayIsComplex_'),'T']; + end + txt=[txt,S_('_ArrayIsSparse_'),'T']; + if(size(item,1)==1) + % Row vector, store only column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([iy(:),data'],level+2,varargin{:})]; + elseif(size(item,2)==1) + % Column vector, store only row indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,data],level+2,varargin{:})]; + else + % General case, store row and column indices. + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([ix,iy,data],level+2,varargin{:})]; + end +else + if(isreal(item)) + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson(item(:)',level+2,varargin{:})]; + else + txt=[txt,S_('_ArrayIsComplex_'),'T']; + txt=[txt,S_('_ArrayData_'),... + matdata2ubjson([real(item(:)) imag(item(:))],level+2,varargin{:})]; + end +end +txt=[txt,'}']; + +%%------------------------------------------------------------------------- +function txt=matdata2ubjson(mat,level,varargin) +if(isempty(mat)) + txt='Z'; + return; +end +if(size(mat,1)==1) + level=level-1; +end +type=''; +hasnegtive=(mat<0); +if(isa(mat,'integer') || isinteger(mat) || (isfloat(mat) && all(mod(mat(:),1) == 0))) + if(isempty(hasnegtive)) + if(max(mat(:))<=2^8) + type='U'; + end + end + if(isempty(type)) + % todo - need to consider negative ones separately + id= histc(abs(max(mat(:))),[0 2^7 2^15 2^31 2^63]); + if(isempty(find(id))) + error('high-precision data is not yet supported'); + end + key='iIlL'; + type=key(find(id)); + end + txt=[I_a(mat(:),type,size(mat))]; +elseif(islogical(mat)) + logicalval='FT'; + if(numel(mat)==1) + txt=logicalval(mat+1); + else + txt=['[$U#' I_a(size(mat),'l') typecast(swapbytes(uint8(mat(:)')),'uint8')]; + end +else + if(numel(mat)==1) + txt=['[' D_(mat) ']']; + else + txt=D_a(mat(:),'D',size(mat)); + end +end + +%txt=regexprep(mat2str(mat),'\s+',','); +%txt=regexprep(txt,';',sprintf('],[')); +% if(nargin>=2 && size(mat,1)>1) +% txt=regexprep(txt,'\[',[repmat(sprintf('\t'),1,level) '[']); +% end +if(any(isinf(mat(:)))) + txt=regexprep(txt,'([-+]*)Inf',jsonopt('Inf','"$1_Inf_"',varargin{:})); +end +if(any(isnan(mat(:)))) + txt=regexprep(txt,'NaN',jsonopt('NaN','"_NaN_"',varargin{:})); +end + +%%------------------------------------------------------------------------- +function newname=checkname(name,varargin) +isunpack=jsonopt('UnpackHex',1,varargin{:}); +newname=name; +if(isempty(regexp(name,'0x([0-9a-fA-F]+)_','once'))) + return +end +if(isunpack) + isoct=jsonopt('IsOctave',0,varargin{:}); + if(~isoct) + newname=regexprep(name,'(^x|_){1}0x([0-9a-fA-F]+)_','${native2unicode(hex2dec($2))}'); + else + pos=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','start'); + pend=regexp(name,'(^x|_){1}0x([0-9a-fA-F]+)_','end'); + if(isempty(pos)) return; end + str0=name; + pos0=[0 pend(:)' length(name)]; + newname=''; + for i=1:length(pos) + newname=[newname str0(pos0(i)+1:pos(i)-1) char(hex2dec(str0(pos(i)+3:pend(i)-1)))]; + end + if(pos(end)~=length(name)) + newname=[newname str0(pos0(end-1)+1:pos0(end))]; + end + end +end +%%------------------------------------------------------------------------- +function val=S_(str) +if(length(str)==1) + val=['C' str]; +else + val=['S' I_(int32(length(str))) str]; +end +%%------------------------------------------------------------------------- +function val=I_(num) +if(~isinteger(num)) + error('input is not an integer'); +end +if(num>=0 && num<255) + val=['U' data2byte(swapbytes(cast(num,'uint8')),'uint8')]; + return; +end +key='iIlL'; +cid={'int8','int16','int32','int64'}; +for i=1:4 + if((num>0 && num<2^(i*8-1)) || (num<0 && num>=-2^(i*8-1))) + val=[key(i) data2byte(swapbytes(cast(num,cid{i})),'uint8')]; + return; + end +end +error('unsupported integer'); + +%%------------------------------------------------------------------------- +function val=D_(num) +if(~isfloat(num)) + error('input is not a float'); +end + +if(isa(num,'single')) + val=['d' data2byte(num,'uint8')]; +else + val=['D' data2byte(num,'uint8')]; +end +%%------------------------------------------------------------------------- +function data=I_a(num,type,dim,format) +id=find(ismember('iUIlL',type)); + +if(id==0) + error('unsupported integer array'); +end + +% based on UBJSON specs, all integer types are stored in big endian format + +if(id==1) + data=data2byte(swapbytes(int8(num)),'uint8'); + blen=1; +elseif(id==2) + data=data2byte(swapbytes(uint8(num)),'uint8'); + blen=1; +elseif(id==3) + data=data2byte(swapbytes(int16(num)),'uint8'); + blen=2; +elseif(id==4) + data=data2byte(swapbytes(int32(num)),'uint8'); + blen=4; +elseif(id==5) + data=data2byte(swapbytes(int64(num)),'uint8'); + blen=8; +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/blen)) data(:)']; + end + data=['[' data(:)']; +else + data=reshape(data,blen,numel(data)/blen); + data(2:blen+1,:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function data=D_a(num,type,dim,format) +id=find(ismember('dD',type)); + +if(id==0) + error('unsupported float array'); +end + +if(id==1) + data=data2byte(single(num),'uint8'); +elseif(id==2) + data=data2byte(double(num),'uint8'); +end + +if(nargin>=3 && length(dim)>=2 && prod(dim)~=dim(2)) + format='opt'; +end +if((nargin<4 || strcmp(format,'opt')) && numel(num)>1) + if(nargin>=3 && (length(dim)==1 || (length(dim)>=2 && prod(dim)~=dim(2)))) + cid=I_(uint32(max(dim))); + data=['$' type '#' I_a(dim,cid(1)) data(:)']; + else + data=['$' type '#' I_(int32(numel(data)/(id*4))) data(:)']; + end + data=['[' data]; +else + data=reshape(data,(id*4),length(data)/(id*4)); + data(2:(id*4+1),:)=data; + data(1,:)=type; + data=data(:)'; + data=['[' data(:)' ']']; +end +%%------------------------------------------------------------------------- +function bytes=data2byte(varargin) +bytes=typecast(varargin{:}); +bytes=bytes(:)'; diff --git a/machine-learning-ex5/ex5/lib/jsonlab/varargin2struct.m b/machine-learning-ex5/ex5/lib/jsonlab/varargin2struct.m new file mode 100644 index 0000000..9a5c2b6 --- /dev/null +++ b/machine-learning-ex5/ex5/lib/jsonlab/varargin2struct.m @@ -0,0 +1,40 @@ +function opt=varargin2struct(varargin) +% +% opt=varargin2struct('param1',value1,'param2',value2,...) +% or +% opt=varargin2struct(...,optstruct,...) +% +% convert a series of input parameters into a structure +% +% authors:Qianqian Fang (fangq nmr.mgh.harvard.edu) +% date: 2012/12/22 +% +% input: +% 'param', value: the input parameters should be pairs of a string and a value +% optstruct: if a parameter is a struct, the fields will be merged to the output struct +% +% output: +% opt: a struct where opt.param1=value1, opt.param2=value2 ... +% +% license: +% BSD, see LICENSE_BSD.txt files for details +% +% -- this function is part of jsonlab toolbox (http://iso2mesh.sf.net/cgi-bin/index.cgi?jsonlab) +% + +len=length(varargin); +opt=struct; +if(len==0) return; end +i=1; +while(i<=len) + if(isstruct(varargin{i})) + opt=mergestruct(opt,varargin{i}); + elseif(ischar(varargin{i}) && i 0 && resp(1) == '{'; + isHtml = findstr(lower(resp), ']+>', ' '); + strippedResponse = regexprep(strippedResponse, '[\t ]+', ' '); + fprintf(strippedResponse); +end + + + + +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +% +% Service configuration +% +%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% +function submissionUrl = submissionUrl() + submissionUrl = 'https://www-origin.coursera.org/api/onDemandProgrammingImmediateFormSubmissions.v1'; +end diff --git a/machine-learning-ex5/ex5/linearRegCostFunction.m b/machine-learning-ex5/ex5/linearRegCostFunction.m new file mode 100644 index 0000000..f2e0496 --- /dev/null +++ b/machine-learning-ex5/ex5/linearRegCostFunction.m @@ -0,0 +1,48 @@ +function [J, grad] = linearRegCostFunction(X, y, theta, lambda) +%LINEARREGCOSTFUNCTION Compute cost and gradient for regularized linear +%regression with multiple variables +% [J, grad] = LINEARREGCOSTFUNCTION(X, y, theta, lambda) computes the +% cost of using theta as the parameter for linear regression to fit the +% data points in X and y. Returns the cost in J and the gradient in grad + +% Initialize some useful values +m = length(y); % number of training examples + +% You need to return the following variables correctly +J = 0; +grad = zeros(size(theta)); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Compute the cost and gradient of regularized linear +% regression for a particular choice of theta. +% +% You should set J to the cost and grad to the gradient. +% + +h = X * theta; +J = h-y; +J = J.^2; +J = sum(J); +J = J / (2*m); +tempTheta = theta(1); +theta(1) = 0; +J = J + (lambda/(2*m))*sum(theta.^2); +theta(1) = tempTheta; + +grad = (1/m)*X'*(h-y); +grad(2:end) = grad(2:end) + (lambda/m)*theta(2:end); + + + + + + + + + + +% ========================================================================= + +grad = grad(:); + +end diff --git a/machine-learning-ex5/ex5/plotFit.m b/machine-learning-ex5/ex5/plotFit.m new file mode 100644 index 0000000..8dba7cf --- /dev/null +++ b/machine-learning-ex5/ex5/plotFit.m @@ -0,0 +1,28 @@ +function plotFit(min_x, max_x, mu, sigma, theta, p) +%PLOTFIT Plots a learned polynomial regression fit over an existing figure. +%Also works with linear regression. +% PLOTFIT(min_x, max_x, mu, sigma, theta, p) plots the learned polynomial +% fit with power p and feature normalization (mu, sigma). + +% Hold on to the current figure +hold on; + +% We plot a range slightly bigger than the min and max values to get +% an idea of how the fit will vary outside the range of the data points +x = (min_x - 15: 0.05 : max_x + 25)'; + +% Map the X values +X_poly = polyFeatures(x, p); +X_poly = bsxfun(@minus, X_poly, mu); +X_poly = bsxfun(@rdivide, X_poly, sigma); + +% Add ones +X_poly = [ones(size(x, 1), 1) X_poly]; + +% Plot +plot(x, X_poly * theta, '--', 'LineWidth', 2) + +% Hold off to the current figure +hold off + +end diff --git a/machine-learning-ex5/ex5/polyFeatures.m b/machine-learning-ex5/ex5/polyFeatures.m new file mode 100644 index 0000000..6bb1c19 --- /dev/null +++ b/machine-learning-ex5/ex5/polyFeatures.m @@ -0,0 +1,28 @@ +function [X_poly] = polyFeatures(X, p) +%POLYFEATURES Maps X (1D vector) into the p-th power +% [X_poly] = POLYFEATURES(X, p) takes a data matrix X (size m x 1) and +% maps each example into its polynomial features where +% X_poly(i, :) = [X(i) X(i).^2 X(i).^3 ... X(i).^p]; +% + + +% You need to return the following variables correctly. +X_poly = zeros(numel(X), p); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Given a vector X, return a matrix X_poly where the p-th +% column of X contains the values of X to the p-th power. +% +% + +for i=1:p + X_poly(:,i) = X.^i; +endfor + + + + + +% ========================================================================= + +end diff --git a/machine-learning-ex5/ex5/submit.m b/machine-learning-ex5/ex5/submit.m new file mode 100644 index 0000000..e129567 --- /dev/null +++ b/machine-learning-ex5/ex5/submit.m @@ -0,0 +1,63 @@ +function submit() + addpath('./lib'); + + conf.assignmentSlug = 'regularized-linear-regression-and-bias-variance'; + conf.itemName = 'Regularized Linear Regression and Bias/Variance'; + conf.partArrays = { ... + { ... + '1', ... + { 'linearRegCostFunction.m' }, ... + 'Regularized Linear Regression Cost Function', ... + }, ... + { ... + '2', ... + { 'linearRegCostFunction.m' }, ... + 'Regularized Linear Regression Gradient', ... + }, ... + { ... + '3', ... + { 'learningCurve.m' }, ... + 'Learning Curve', ... + }, ... + { ... + '4', ... + { 'polyFeatures.m' }, ... + 'Polynomial Feature Mapping', ... + }, ... + { ... + '5', ... + { 'validationCurve.m' }, ... + 'Validation Curve', ... + }, ... + }; + conf.output = @output; + + submitWithConfiguration(conf); +end + +function out = output(partId, auxstring) + % Random Test Cases + X = [ones(10,1) sin(1:1.5:15)' cos(1:1.5:15)']; + y = sin(1:3:30)'; + Xval = [ones(10,1) sin(0:1.5:14)' cos(0:1.5:14)']; + yval = sin(1:10)'; + if partId == '1' + [J] = linearRegCostFunction(X, y, [0.1 0.2 0.3]', 0.5); + out = sprintf('%0.5f ', J); + elseif partId == '2' + [J, grad] = linearRegCostFunction(X, y, [0.1 0.2 0.3]', 0.5); + out = sprintf('%0.5f ', grad); + elseif partId == '3' + [error_train, error_val] = ... + learningCurve(X, y, Xval, yval, 1); + out = sprintf('%0.5f ', [error_train(:); error_val(:)]); + elseif partId == '4' + [X_poly] = polyFeatures(X(2,:)', 8); + out = sprintf('%0.5f ', X_poly); + elseif partId == '5' + [lambda_vec, error_train, error_val] = ... + validationCurve(X, y, Xval, yval); + out = sprintf('%0.5f ', ... + [lambda_vec(:); error_train(:); error_val(:)]); + end +end diff --git a/machine-learning-ex5/ex5/token.mat b/machine-learning-ex5/ex5/token.mat new file mode 100644 index 0000000..5425c56 --- /dev/null +++ b/machine-learning-ex5/ex5/token.mat @@ -0,0 +1,15 @@ +# Created by Octave 4.4.1, Sat Aug 24 22:52:24 2019 GMT +# name: email +# type: sq_string +# elements: 1 +# length: 17 +tsb1995@gmail.com + + +# name: token +# type: sq_string +# elements: 1 +# length: 16 +jldzzWDkgMkyRyzB + + diff --git a/machine-learning-ex5/ex5/trainLinearReg.m b/machine-learning-ex5/ex5/trainLinearReg.m new file mode 100644 index 0000000..eb89860 --- /dev/null +++ b/machine-learning-ex5/ex5/trainLinearReg.m @@ -0,0 +1,21 @@ +function [theta] = trainLinearReg(X, y, lambda) +%TRAINLINEARREG Trains linear regression given a dataset (X, y) and a +%regularization parameter lambda +% [theta] = TRAINLINEARREG (X, y, lambda) trains linear regression using +% the dataset (X, y) and regularization parameter lambda. Returns the +% trained parameters theta. +% + +% Initialize Theta +initial_theta = zeros(size(X, 2), 1); + +% Create "short hand" for the cost function to be minimized +costFunction = @(t) linearRegCostFunction(X, y, t, lambda); + +% Now, costFunction is a function that takes in only one argument +options = optimset('MaxIter', 200, 'GradObj', 'on'); + +% Minimize using fmincg +theta = fmincg(costFunction, initial_theta, options); + +end diff --git a/machine-learning-ex5/ex5/validationCurve.m b/machine-learning-ex5/ex5/validationCurve.m new file mode 100644 index 0000000..9f683da --- /dev/null +++ b/machine-learning-ex5/ex5/validationCurve.m @@ -0,0 +1,58 @@ +function [lambda_vec, error_train, error_val] = ... + validationCurve(X, y, Xval, yval) +%VALIDATIONCURVE Generate the train and validation errors needed to +%plot a validation curve that we can use to select lambda +% [lambda_vec, error_train, error_val] = ... +% VALIDATIONCURVE(X, y, Xval, yval) returns the train +% and validation errors (in error_train, error_val) +% for different values of lambda. You are given the training set (X, +% y) and validation set (Xval, yval). +% + +% Selected values of lambda (you should not change this) +lambda_vec = [0 0.001 0.003 0.01 0.03 0.1 0.3 1 3 10]'; + +% You need to return these variables correctly. +error_train = zeros(length(lambda_vec), 1); +error_val = zeros(length(lambda_vec), 1); + +% ====================== YOUR CODE HERE ====================== +% Instructions: Fill in this function to return training errors in +% error_train and the validation errors in error_val. The +% vector lambda_vec contains the different lambda parameters +% to use for each calculation of the errors, i.e, +% error_train(i), and error_val(i) should give +% you the errors obtained after training with +% lambda = lambda_vec(i) +% +% Note: You can loop over lambda_vec with the following: +% +% for i = 1:length(lambda_vec) +% lambda = lambda_vec(i); +% % Compute train / val errors when training linear +% % regression with regularization parameter lambda +% % You should store the result in error_train(i) +% % and error_val(i) +% .... +% +% end +% +% + +for i = 1:length(lambda_vec) + lambda = lambda_vec(i); + Theta = trainLinearReg(X,y,lambda); + error_train(i) = linearRegCostFunction(X,y,Theta,0); + error_val(i) = linearRegCostFunction(Xval,yval,Theta,0); +endfor + + + + + + + + +% ========================================================================= + +end diff --git a/machine-learning-ex6/ex6.pdf b/machine-learning-ex6/ex6.pdf new file mode 100644 index 0000000..2da2af7 Binary files /dev/null and b/machine-learning-ex6/ex6.pdf differ diff --git a/machine-learning-ex6/ex6/0003.acfc5ad94bbd27118a0d8685d18c89dd b/machine-learning-ex6/ex6/0003.acfc5ad94bbd27118a0d8685d18c89dd new file mode 100644 index 0000000..bcc348c --- /dev/null +++ b/machine-learning-ex6/ex6/0003.acfc5ad94bbd27118a0d8685d18c89dd @@ -0,0 +1,82 @@ +From timc@2ubh.com Thu Aug 22 13:52:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0314547C66 + for ; Thu, 22 Aug 2002 08:52:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 13:52:59 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MCrdZ07070 for ; Thu, 22 Aug 2002 13:53:39 +0100 +X-Egroups-Return: sentto-2242572-52733-1030020820-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n16.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 12:53:40 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 12:53:39 -0000 +Received: (qmail 76099 invoked from network); 22 Aug 2002 12:53:39 -0000 +Received: from unknown (66.218.66.218) by m5.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 12:53:39 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 12:53:39 -0000 +Received: from host217-36-23-185.in-addr.btopenworld.com ([217.36.23.185]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17hrT0-0004gj-00 + for forteana@yahoogroups.com; Thu, 22 Aug 2002 13:53:38 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 13:52:38 +0100 +Subject: [zzzzteana] Moscow bomber +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Man Threatens Explosion In Moscow + +Thursday August 22, 2002 1:40 PM +MOSCOW (AP) - Security officers on Thursday seized an unidentified man who +said he was armed with explosives and threatened to blow up his truck in +front of Russia's Federal Security Services headquarters in Moscow, NTV +television reported. +The officers seized an automatic rifle the man was carrying, then the man +got out of the truck and was taken into custody, NTV said. No other details +were immediately available. +The man had demanded talks with high government officials, the Interfax and +ITAR-Tass news agencies said. Ekho Moskvy radio reported that he wanted to +talk with Russian President Vladimir Putin. +Police and security forces rushed to the Security Service building, within +blocks of the Kremlin, Red Square and the Bolshoi Ballet, and surrounded the +man, who claimed to have one and a half tons of explosives, the news +agencies said. Negotiations continued for about one and a half hours outside +the building, ITAR-Tass and Interfax reported, citing witnesses. +The man later drove away from the building, under police escort, and drove +to a street near Moscow's Olympic Penta Hotel, where authorities held +further negotiations with him, the Moscow police press service said. The +move appeared to be an attempt by security services to get him to a more +secure location. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/dataset3Params.m b/machine-learning-ex6/ex6/dataset3Params.m new file mode 100644 index 0000000..defa706 --- /dev/null +++ b/machine-learning-ex6/ex6/dataset3Params.m @@ -0,0 +1,55 @@ +function [C, sigma] = dataset3Params(X, y, Xval, yval) +%DATASET3PARAMS returns your choice of C and sigma for Part 3 of the exercise +%where you select the optimal (C, sigma) learning parameters to use for SVM +%with RBF kernel +% [C, sigma] = DATASET3PARAMS(X, y, Xval, yval) returns your choice of C and +% sigma. You should complete this function to return the optimal C and +% sigma based on a cross-validation set. +% + +% You need to return the following variables correctly. +C = 1; +sigma = 1; + +% ====================== YOUR CODE HERE ====================== +% Instructions: Fill in this function to return the optimal C and sigma +% learning parameters found using the cross validation set. +% You can use svmPredict to predict the labels on the cross +% validation set. For example, +% predictions = svmPredict(model, Xval); +% will return the predictions on the cross validation set. +% +% Note: You can compute the prediction error using +% mean(double(predictions ~= yval)) +% + +% Code to find better C and sigma + + +sampleVec = [.01 .03 .1 .3 1 3 10 30]; +model= svmTrain(X, y, C, @(x1, x2) gaussianKernel(x1, x2, sigma)); +predictions = svmPredict(model,Xval); +error = mean(double(predictions ~= yval)); +for i = 1:8 + for j = 1:8 + tempC = sampleVec(i); + tempSigma = sampleVec(j); + tempModel= svmTrain(X, y, tempC, @(x1, x2) gaussianKernel(x1, x2, tempSigma)); + tempPredictions = svmPredict(tempModel,Xval); + tempError = mean(double(tempPredictions ~= yval)); + if tempError < error + error = tempError; + C = tempC; + sigma = tempSigma; + endif + endfor +endfor + +C +sigma + + + +% ========================================================================= + +end diff --git a/machine-learning-ex6/ex6/easy_ham/0001.txt.ea7e79d3153e7469e7a9c3e0af6a357e b/machine-learning-ex6/ex6/easy_ham/0001.txt.ea7e79d3153e7469e7a9c3e0af6a357e new file mode 100644 index 0000000..f97e9b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0001.txt.ea7e79d3153e7469e7a9c3e0af6a357e @@ -0,0 +1,113 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 12:36:23 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D03E543C36 + for ; Thu, 22 Aug 2002 07:36:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 12:36:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MBYrZ04811 for + ; Thu, 22 Aug 2002 12:34:53 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 8386540858; Thu, 22 Aug 2002 + 07:35:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 10CF8406D7 + for ; Thu, 22 Aug 2002 07:34:10 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MBY7g11259 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 07:34:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MBY7Y11255 for + ; Thu, 22 Aug 2002 07:34:07 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7MBIhl25223 for ; + Thu, 22 Aug 2002 07:18:55 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7MBWel29762; + Thu, 22 Aug 2002 18:32:40 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MBQPW13260; Thu, 22 Aug 2002 18:26:25 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029945287.4797.TMDA@deepeddy.vircio.com> +References: <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <13258.1030015585@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 18:26:25 +0700 + + Date: Wed, 21 Aug 2002 10:54:46 -0500 + From: Chris Garrigues + Message-ID: <1029945287.4797.TMDA@deepeddy.vircio.com> + + + | I can't reproduce this error. + +For me it is very repeatable... (like every time, without fail). + +This is the debug log of the pick happening ... + +18:19:03 Pick_It {exec pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace} {4852-4852 -sequence mercury} +18:19:03 exec pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace 4852-4852 -sequence mercury +18:19:04 Ftoc_PickMsgs {{1 hit}} +18:19:04 Marking 1 hits +18:19:04 tkerror: syntax error in expression "int ... + +Note, if I run the pick command by hand ... + +delta$ pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace 4852-4852 -sequence mercury +1 hit + +That's where the "1 hit" comes from (obviously). The version of nmh I'm +using is ... + +delta$ pick -version +pick -- nmh-1.0.4 [compiled on fuchsia.cs.mu.OZ.AU at Sun Mar 17 14:55:56 ICT 2002] + +And the relevant part of my .mh_profile ... + +delta$ mhparam pick +-seq sel -list + + +Since the pick command works, the sequence (actually, both of them, the +one that's explicit on the command line, from the search popup, and the +one that comes from .mh_profile) do get created. + +kre + +ps: this is still using the version of the code form a day ago, I haven't +been able to reach the cvs repository today (local routing issue I think). + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0002.b3120c4bcbf3101e661161ee7efcb8bf b/machine-learning-ex6/ex6/easy_ham/0002.b3120c4bcbf3101e661161ee7efcb8bf new file mode 100644 index 0000000..c2aec9e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0002.b3120c4bcbf3101e661161ee7efcb8bf @@ -0,0 +1,73 @@ +From Steve_Burt@cursor-system.com Thu Aug 22 12:46:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BE12E43C34 + for ; Thu, 22 Aug 2002 07:46:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 12:46:38 +0100 (IST) +Received: from n20.grp.scd.yahoo.com (n20.grp.scd.yahoo.com + [66.218.66.76]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MBkTZ05087 for ; Thu, 22 Aug 2002 12:46:29 +0100 +X-Egroups-Return: sentto-2242572-52726-1030016790-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n20.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 11:46:30 -0000 +X-Sender: steve.burt@cursor-system.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 11:46:29 -0000 +Received: (qmail 11764 invoked from network); 22 Aug 2002 11:46:29 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 11:46:29 -0000 +Received: from unknown (HELO mailgateway.cursor-system.com) (62.189.7.27) + by mta2.grp.scd.yahoo.com with SMTP; 22 Aug 2002 11:46:29 -0000 +Received: from exchange1.cps.local (unverified) by + mailgateway.cursor-system.com (Content Technologies SMTPRS 4.2.10) with + ESMTP id for + ; Thu, 22 Aug 2002 13:14:10 +0100 +Received: by exchange1.cps.local with Internet Mail Service (5.5.2653.19) + id ; Thu, 22 Aug 2002 12:46:27 +0100 +Message-Id: <5EC2AD6D2314D14FB64BDA287D25D9EF12B4F6@exchange1.cps.local> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +X-Egroups-From: Steve Burt +From: Steve Burt +X-Yahoo-Profile: pyruse +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 12:46:18 +0100 +Subject: [zzzzteana] RE: Alexander +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Martin A posted: +Tassos Papadopoulos, the Greek sculptor behind the plan, judged that the + limestone of Mount Kerdylio, 70 miles east of Salonika and not far from the + Mount Athos monastic community, was ideal for the patriotic sculpture. + + As well as Alexander's granite features, 240 ft high and 170 ft wide, a + museum, a restored amphitheatre and car park for admiring crowds are +planned +--------------------- +So is this mountain limestone or granite? +If it's limestone, it'll weather pretty fast. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0003.acfc5ad94bbd27118a0d8685d18c89dd b/machine-learning-ex6/ex6/easy_ham/0003.acfc5ad94bbd27118a0d8685d18c89dd new file mode 100644 index 0000000..bcc348c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0003.acfc5ad94bbd27118a0d8685d18c89dd @@ -0,0 +1,82 @@ +From timc@2ubh.com Thu Aug 22 13:52:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0314547C66 + for ; Thu, 22 Aug 2002 08:52:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 13:52:59 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MCrdZ07070 for ; Thu, 22 Aug 2002 13:53:39 +0100 +X-Egroups-Return: sentto-2242572-52733-1030020820-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n16.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 12:53:40 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 12:53:39 -0000 +Received: (qmail 76099 invoked from network); 22 Aug 2002 12:53:39 -0000 +Received: from unknown (66.218.66.218) by m5.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 12:53:39 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 12:53:39 -0000 +Received: from host217-36-23-185.in-addr.btopenworld.com ([217.36.23.185]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17hrT0-0004gj-00 + for forteana@yahoogroups.com; Thu, 22 Aug 2002 13:53:38 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 13:52:38 +0100 +Subject: [zzzzteana] Moscow bomber +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Man Threatens Explosion In Moscow + +Thursday August 22, 2002 1:40 PM +MOSCOW (AP) - Security officers on Thursday seized an unidentified man who +said he was armed with explosives and threatened to blow up his truck in +front of Russia's Federal Security Services headquarters in Moscow, NTV +television reported. +The officers seized an automatic rifle the man was carrying, then the man +got out of the truck and was taken into custody, NTV said. No other details +were immediately available. +The man had demanded talks with high government officials, the Interfax and +ITAR-Tass news agencies said. Ekho Moskvy radio reported that he wanted to +talk with Russian President Vladimir Putin. +Police and security forces rushed to the Security Service building, within +blocks of the Kremlin, Red Square and the Bolshoi Ballet, and surrounded the +man, who claimed to have one and a half tons of explosives, the news +agencies said. Negotiations continued for about one and a half hours outside +the building, ITAR-Tass and Interfax reported, citing witnesses. +The man later drove away from the building, under police escort, and drove +to a street near Moscow's Olympic Penta Hotel, where authorities held +further negotiations with him, the Moscow police press service said. The +move appeared to be an attempt by security services to get him to a more +secure location. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0004.e8d5727378ddde5c3be181df593f1712 b/machine-learning-ex6/ex6/easy_ham/0004.e8d5727378ddde5c3be181df593f1712 new file mode 100644 index 0000000..f62c9c8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0004.e8d5727378ddde5c3be181df593f1712 @@ -0,0 +1,78 @@ +From irregulars-admin@tb.tf Thu Aug 22 14:23:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9DAE147C66 + for ; Thu, 22 Aug 2002 09:23:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 14:23:38 +0100 (IST) +Received: from web.tb.tf (route-64-131-126-36.telocity.com + [64.131.126.36]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MDGOZ07922 for ; Thu, 22 Aug 2002 14:16:24 +0100 +Received: from web.tb.tf (localhost.localdomain [127.0.0.1]) by web.tb.tf + (8.11.6/8.11.6) with ESMTP id g7MDP9I16418; Thu, 22 Aug 2002 09:25:09 + -0400 +Received: from red.harvee.home (red [192.168.25.1] (may be forged)) by + web.tb.tf (8.11.6/8.11.6) with ESMTP id g7MDO4I16408 for + ; Thu, 22 Aug 2002 09:24:04 -0400 +Received: from prserv.net (out4.prserv.net [32.97.166.34]) by + red.harvee.home (8.11.6/8.11.6) with ESMTP id g7MDFBD29237 for + ; Thu, 22 Aug 2002 09:15:12 -0400 +Received: from [209.202.248.109] + (slip-32-103-249-10.ma.us.prserv.net[32.103.249.10]) by prserv.net (out4) + with ESMTP id <2002082213150220405qu8jce>; Thu, 22 Aug 2002 13:15:07 +0000 +MIME-Version: 1.0 +X-Sender: @ (Unverified) +Message-Id: +To: undisclosed-recipient: ; +From: Monty Solomon +Content-Type: text/plain; charset="us-ascii" +Subject: [IRR] Klez: The Virus That Won't Die +Sender: irregulars-admin@tb.tf +Errors-To: irregulars-admin@tb.tf +X-Beenthere: irregulars@tb.tf +X-Mailman-Version: 2.0.6 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: New home of the TBTF Irregulars mailing list +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 09:15:25 -0400 + +Klez: The Virus That Won't Die + +Already the most prolific virus ever, Klez continues to wreak havoc. + +Andrew Brandt +>>From the September 2002 issue of PC World magazine +Posted Thursday, August 01, 2002 + + +The Klez worm is approaching its seventh month of wriggling across +the Web, making it one of the most persistent viruses ever. And +experts warn that it may be a harbinger of new viruses that use a +combination of pernicious approaches to go from PC to PC. + +Antivirus software makers Symantec and McAfee both report more than +2000 new infections daily, with no sign of letup at press time. The +British security firm MessageLabs estimates that 1 in every 300 +e-mail messages holds a variation of the Klez virus, and says that +Klez has already surpassed last summer's SirCam as the most prolific +virus ever. + +And some newer Klez variants aren't merely nuisances--they can carry +other viruses in them that corrupt your data. + +... + +http://www.pcworld.com/news/article/0,aid,103259,00.asp +_______________________________________________ +Irregulars mailing list +Irregulars@tb.tf +http://tb.tf/mailman/listinfo/irregulars + diff --git a/machine-learning-ex6/ex6/easy_ham/0005.8c3b9e9c0f3f183ddaf7592a11b99957 b/machine-learning-ex6/ex6/easy_ham/0005.8c3b9e9c0f3f183ddaf7592a11b99957 new file mode 100644 index 0000000..e16191c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0005.8c3b9e9c0f3f183ddaf7592a11b99957 @@ -0,0 +1,106 @@ +From exmh-users-admin@redhat.com Thu Aug 22 14:44:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 985B247C67 + for ; Thu, 22 Aug 2002 09:44:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 14:44:04 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MDgEZ08598 for + ; Thu, 22 Aug 2002 14:42:19 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F26113EE9A; Thu, 22 Aug 2002 + 09:42:15 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4ACEF3F4A2 + for ; Thu, 22 Aug 2002 09:38:03 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MDc0601591 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 09:38:00 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MDc0Y01587 for + ; Thu, 22 Aug 2002 09:38:00 -0400 +Received: from mta03bw.bigpond.com (mta03bw.bigpond.com [139.134.6.86]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MDNVl14108 for + ; Thu, 22 Aug 2002 09:23:31 -0400 +Received: from hobbit.linuxworks.com.au ([144.135.24.81]) by + mta03bw.bigpond.com (Netscape Messaging Server 4.15 mta03bw May 23 2002 + 23:53:28) with SMTP id H18Z7300.F6G for ; + Thu, 22 Aug 2002 23:37:51 +1000 +Received: from CPE-203-51-220-31.qld.bigpond.net.au ([203.51.220.31]) by + bwmam05.mailsvc.email.bigpond.com(MailRouter V3.0n 44/32989362); + 22 Aug 2002 23:37:51 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g7MDaWX26868; Thu, 22 Aug 2002 23:36:32 +1000 +Message-Id: <200208221336.g7MDaWX26868@hobbit.linuxworks.com.au.nospam> +To: Exmh Users Mailing List +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <200208212046.g7LKkqf15798@mail.banirh.com> of Wed, + Aug 21 15:46:52 2002 +Subject: Re: Insert signature +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 23:36:32 +1000 + +On Wed Aug 21 2002 at 15:46, Ulises Ponce wrote: + +> Hi! +> +> Is there a command to insert the signature using a combination of keys and not +> to have sent the mail to insert it then? + +I simply put it (them) into my (nmh) component files (components, +replcomps, forwcomps and so on). That way you get them when you are +editing your message. Also, by using comps files for specific +folders you can alter your .sig per folder (and other tricks). See +the docs for (n)mh for all the details. + +There might (must?) also be a way to get sedit to do it, but I've +been using gvim as my exmh message editor for a long time now. I +load it with a command that loads some email-specific settings, eg, +to "syntax" colour-highlight the headers and quoted parts of an +email)... it would be possible to map some (vim) keys that would add +a sig (or even give a selection of sigs to choose from). + +And there are all sorts of ways to have randomly-chosen sigs... +somewhere at rtfm.mit.edu... ok, here we go: +rtfm.mit.edu/pub/usenet-by-group/news.answers/signature_finger_faq. +(Warning... it's old, May 1995). + +> Regards, +> Ulises + +Hope this helps. + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0006.ee8b0dba12856155222be180ba122058 b/machine-learning-ex6/ex6/easy_ham/0006.ee8b0dba12856155222be180ba122058 new file mode 100644 index 0000000..34404bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0006.ee8b0dba12856155222be180ba122058 @@ -0,0 +1,77 @@ +From Stewart.Smith@ee.ed.ac.uk Thu Aug 22 14:44:26 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EC69D47C66 + for ; Thu, 22 Aug 2002 09:44:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 14:44:25 +0100 (IST) +Received: from n6.grp.scd.yahoo.com (n6.grp.scd.yahoo.com [66.218.66.90]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7MDcOZ08504 for + ; Thu, 22 Aug 2002 14:38:25 +0100 +X-Egroups-Return: sentto-2242572-52736-1030023506-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n6.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 13:38:26 -0000 +X-Sender: Stewart.Smith@ee.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 13:38:25 -0000 +Received: (qmail 48882 invoked from network); 22 Aug 2002 13:38:25 -0000 +Received: from unknown (66.218.66.218) by m10.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 13:38:25 -0000 +Received: from unknown (HELO postbox.ee.ed.ac.uk) (129.215.80.253) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 13:38:24 -0000 +Received: from ee.ed.ac.uk (sxs@dunblane [129.215.34.86]) by + postbox.ee.ed.ac.uk (8.11.0/8.11.0) with ESMTP id g7MDcNi28645 for + ; Thu, 22 Aug 2002 14:38:23 +0100 (BST) +Message-Id: <3D64E94E.8060301@ee.ed.ac.uk> +Organization: Scottish Microelectronics Centre +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:1.1b) Gecko/20020628 +X-Accept-Language: en, en-us +To: zzzzteana@yahoogroups.com +References: <3D64F325.11319.61EA648@localhost> +From: Stewart Smith +X-Yahoo-Profile: stochasticus +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 14:38:22 +0100 +Subject: Re: [zzzzteana] Nothing like mama used to make +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> in adding cream to spaghetti carbonara, which has the same effect on pasta as +> making a pizza a deep-pie; + +I just had to jump in here as Carbonara is one of my favourites to make and ask +what the hell are you supposed to use instead of cream? I've never seen a +recipe that hasn't used this. Personally I use low fat creme fraiche because it +works quite nicely but the only time I've seen an supposedly authentic recipe +for carbonara it was identical to mine (cream, eggs and lots of fresh parmesan) +except for the creme fraiche. + +Stew +-- +Stewart Smith +Scottish Microelectronics Centre, University of Edinburgh. +http://www.ee.ed.ac.uk/~sxs/ + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0007.c75188382f64b090022fa3b095b020b0 b/machine-learning-ex6/ex6/easy_ham/0007.c75188382f64b090022fa3b095b020b0 new file mode 100644 index 0000000..456d8df --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0007.c75188382f64b090022fa3b095b020b0 @@ -0,0 +1,74 @@ +From martin@srv0.ems.ed.ac.uk Thu Aug 22 14:54:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 16FC743F99 + for ; Thu, 22 Aug 2002 09:54:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 14:54:39 +0100 (IST) +Received: from n14.grp.scd.yahoo.com (n14.grp.scd.yahoo.com + [66.218.66.69]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MDoxZ08960 for ; Thu, 22 Aug 2002 14:50:59 +0100 +X-Egroups-Return: sentto-2242572-52737-1030024261-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n14.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 13:51:01 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 13:51:00 -0000 +Received: (qmail 71894 invoked from network); 22 Aug 2002 13:51:00 -0000 +Received: from unknown (66.218.66.218) by m7.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 13:51:00 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 13:51:00 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7MDow310334 for + ; Thu, 22 Aug 2002 14:50:59 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 22 Aug 02 14:50:58 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 22 Aug 02 14:50:31 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D64FA3C.13325.63A5960@localhost> +Priority: normal +In-Reply-To: <3D64E94E.8060301@ee.ed.ac.uk> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 14:50:31 +0100 +Subject: Re: [zzzzteana] Nothing like mama used to make +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +> I just had to jump in here as Carbonara is one of my favourites to make and +> ask +> what the hell are you supposed to use instead of cream? + +Isn't it just basically a mixture of beaten egg and bacon (or pancetta, +really)? You mix in the raw egg to the cooked pasta and the heat of the pasta +cooks the egg. That's my understanding. + +Martin + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0008.20bc0b4ba2d99aae1c7098069f611a9b b/machine-learning-ex6/ex6/easy_ham/0008.20bc0b4ba2d99aae1c7098069f611a9b new file mode 100644 index 0000000..fc8e89c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0008.20bc0b4ba2d99aae1c7098069f611a9b @@ -0,0 +1,88 @@ +From martin@srv0.ems.ed.ac.uk Thu Aug 22 14:54:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E3D7B47C66 + for ; Thu, 22 Aug 2002 09:54:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 14:54:40 +0100 (IST) +Received: from n11.grp.scd.yahoo.com (n11.grp.scd.yahoo.com + [66.218.66.66]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MDt8Z09193 for ; Thu, 22 Aug 2002 14:55:10 +0100 +X-Egroups-Return: sentto-2242572-52738-1030024499-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.94] by n11.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 13:55:03 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 13:54:59 -0000 +Received: (qmail 43039 invoked from network); 22 Aug 2002 13:54:58 -0000 +Received: from unknown (66.218.66.216) by m1.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 13:54:58 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta1.grp.scd.yahoo.com with SMTP; 22 Aug 2002 13:54:58 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7MDsv311745 for + ; Thu, 22 Aug 2002 14:54:57 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 22 Aug 02 14:54:56 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 22 Aug 02 14:54:29 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D64FB27.18538.63DEC17@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 14:54:25 +0100 +Subject: [zzzzteana] Playboy wants to go out with a bang +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7MDt8Z09193 + +The Scotsman - 22 August 2002 + + Playboy wants to go out with a bang + + + AN AGEING Berlin playboy has come up with an unusual offer to lure women into + his bed - by promising the last woman he sleeps with an inheritance of 250,000 + (£160,000). + + Rolf Eden, 72, a Berlin disco owner famous for his countless sex partners, + said he could imagine no better way to die than in the arms of an attractive + young woman - preferably under 30. + + "I put it all in my last will and testament - the last woman who sleeps with + me gets all the money," Mr Eden told Bild newspaper. + + "I want to pass away in the most beautiful moment of my life. First a lot of + fun with a beautiful woman, then wild sex, a final orgasm - and it will all + end with a heart attack and then I’m gone." + + Mr Eden, who is selling his nightclub this year, said applications should be + sent in quickly because of his age. "It could end very soon," he said. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0009.435ae292d75abb1ca492dcc2d5cf1570 b/machine-learning-ex6/ex6/easy_ham/0009.435ae292d75abb1ca492dcc2d5cf1570 new file mode 100644 index 0000000..aaa4e96 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0009.435ae292d75abb1ca492dcc2d5cf1570 @@ -0,0 +1,85 @@ +From Stewart.Smith@ee.ed.ac.uk Thu Aug 22 15:05:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EF86747C67 + for ; Thu, 22 Aug 2002 10:05:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 15:05:01 +0100 (IST) +Received: from n34.grp.scd.yahoo.com (n34.grp.scd.yahoo.com + [66.218.66.102]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7ME1MZ09279 for ; Thu, 22 Aug 2002 15:01:22 +0100 +X-Egroups-Return: sentto-2242572-52739-1030024883-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.195] by n34.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 14:01:23 -0000 +X-Sender: Stewart.Smith@ee.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 14:01:23 -0000 +Received: (qmail 45116 invoked from network); 22 Aug 2002 14:01:22 -0000 +Received: from unknown (66.218.66.218) by m2.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 14:01:22 -0000 +Received: from unknown (HELO postbox.ee.ed.ac.uk) (129.215.80.253) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 14:01:22 -0000 +Received: from ee.ed.ac.uk (sxs@dunblane [129.215.34.86]) by + postbox.ee.ed.ac.uk (8.11.0/8.11.0) with ESMTP id g7ME1Li02942 for + ; Thu, 22 Aug 2002 15:01:21 +0100 (BST) +Message-Id: <3D64EEB0.2050502@ee.ed.ac.uk> +Organization: Scottish Microelectronics Centre +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:1.1b) Gecko/20020628 +X-Accept-Language: en, en-us +To: zzzzteana@yahoogroups.com +References: <3D64FA3C.13325.63A5960@localhost> +From: Stewart Smith +X-Yahoo-Profile: stochasticus +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 15:01:20 +0100 +Subject: Re: [zzzzteana] Nothing like mama used to make +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Martin Adamson wrote: +> +> Isn't it just basically a mixture of beaten egg and bacon (or pancetta, +> really)? You mix in the raw egg to the cooked pasta and the heat of the pasta +> cooks the egg. That's my understanding. +> + +You're probably right, mine's just the same but with the cream added to the +eggs. I guess I should try it without. Actually looking on the internet for a +recipe I found this one from possibly one of the scariest people I've ever seen, +and he's a US Congressman: + + +That's one of the worst non-smiles ever. + +Stew +ps. Apologies if any of the list's Maine residents voted for this man, you won't +do it again once you've seen this pic. + +-- +Stewart Smith +Scottish Microelectronics Centre, University of Edinburgh. +http://www.ee.ed.ac.uk/~sxs/ + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0010.4996141de3f21e858c22f88231a9f463 b/machine-learning-ex6/ex6/easy_ham/0010.4996141de3f21e858c22f88231a9f463 new file mode 100644 index 0000000..b383a69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0010.4996141de3f21e858c22f88231a9f463 @@ -0,0 +1,176 @@ +From martin@srv0.ems.ed.ac.uk Thu Aug 22 15:05:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7A0C347C68 + for ; Thu, 22 Aug 2002 10:05:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 15:05:03 +0100 (IST) +Received: from n34.grp.scd.yahoo.com (n34.grp.scd.yahoo.com + [66.218.66.102]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7ME1rZ09290 for ; Thu, 22 Aug 2002 15:01:54 +0100 +X-Egroups-Return: sentto-2242572-52740-1030024915-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.194] by n34.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 14:01:55 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 14:01:55 -0000 +Received: (qmail 59494 invoked from network); 22 Aug 2002 14:01:55 -0000 +Received: from unknown (66.218.66.218) by m12.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 14:01:55 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 14:01:54 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7ME1r313981 for + ; Thu, 22 Aug 2002 15:01:53 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 22 Aug 02 15:01:52 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 22 Aug 02 15:01:34 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D64FCD2.20705.6447320@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 15:01:33 +0100 +Subject: [zzzzteana] Meaningful sentences +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7ME1rZ09290 + +The Scotsman + + Thu 22 Aug 2002 + + Meaningful sentences + + Tracey Lawson + + + If you ever wanted to look like "one of the most dangerous inmates in prison + history", as one judge described Charles Bronson, now’s your chance. Bronson - + the serial hostage taker, not the movie star - has written a health and + fitness guide in which he shares some of the secrets behind his legendary + muscle power. + + Solitary Fitness - a title which bears testament to the fact that Bronson, 48, + has spent 24 of his 28 prison years in solitary confinement - explains how he + has turned himself into a lean, mean, fitness machine while living 23 hours a + day in a space just 12 feet by eight feet, on a diet of scrubs grub and at + virtually no cost. + + The book is aimed at those who want to get fabulously fit without spending a + fortune on gym memberships, protein supplements or designer trainers, and + starts with a fierce attack on some of the expensive myths churned out by the + exercise industry. + + "I pick up a fitness mag, I start to laugh and I wipe my arse with it," is the + opening paragraph penned by Bronson. "It’s a joke and a big con and they call + me a criminal!" You can’t help feeling he has a point. + + This is not the first book that Bronson has written from behind bars, having + already published Birdman Opens His Mind, which features drawings and poems + created by Bronson while in prison. And he is not the first prisoner to + discover creative expression while residing at Her Majesty’s pleasure. + + Jimmy Boyle, the Scots sculptor and novelist, discovered his artistic talents + when he was sent to Barlinnie Prison’s famous special unit, which aimed to + help inmates put their violent pasts behind them by teaching them how to + express their emotions artistically. Boyle was sentenced to life for the + murder of "Babs" Rooney in 1967. Once released, he moved to Edinburgh where he + has become a respected artist. His first novel, Hero of the Underworld, was + published in 1999 and his autobiography, A Sense of Freedom, was made into an + award-winning film. + + Hugh Collins was jailed for life in 1977 for the murder of William Mooney in + Glasgow, and in his first year in Barlinnie prison stabbed three prison + officers, earning him an extra seven-year sentence. But, after being + transferred to the same unit that Boyle attended, he learned to sculpt and + developed an interest in art. He later published Autobiography of a Murderer, + a frank account of Glasgow’s criminal culture in the 1960s, which received + critical praise. + + And Lord Archer doesn’t seem to have had trouble continuing to write the books + that have made him millions while in jail. He recently signed a three-book + deal with Macmillan publishers worth a reported £10 million, and is no doubt + scribbling away as we speak. + + So why is it that men like Collins, Bronson and Boyle, who can be so + destructive towards society on the outside, can become so creative once stuck + on the inside? Steve Richards, Bronson’s publisher, has published many books + about criminal figures and believes the roots of this phenomenon are both + pragmatic and profound. + + He says: "Prison is sometimes the first time some criminals will ever have + known a stable environment, and this can be the first time they have the + chance to focus on their creative skills. + + "It may also be the first time that they have really had the chance of an + education, if their early years have been hard. It could be the first time + anyone has offered them the chance to explore their creative talents." + + However, Richards believes the reasons are also deeper than that. He says: + "Once they are behind bars, the cold light of day hits them, and they examine + the very essence of who they are. + + "They ask themselves, am I a man who wants to be remembered for violence? Or + am I a man who can contribute to society, who can be remembered for something + good?" + + Bronson - who was born Michael Gordon Peterson, but changed his name to that + of the Hollywood star of the Death Wish films - has, so far, been remembered + mainly for things bad. He was originally jailed for seven years for armed + robbery in 1974, and has had a series of sentences added to his original term + over the years as a result of attacking people in prison. In 2000 he was + jailed for life after being convicted of holding a teacher hostage for nearly + two days during a jail siege. + + Standing five feet ten and a half inches tall and weighing 210lbs, he is + renowned for his strength. He has bent metal cell doors with his bare hands + and does up to 3,000 - yes, 3,000 - press-ups a day. As he puts it: "I can hit + a man 20 times in four seconds, I can push 132 press ups in 60 seconds." + + But judging by our current obsession with health and exercise, Solitary + Fitness might be the book which will see Bronson’s face sitting on every + coffee table in the land. He might be the man to give us the dream body which + so many so-called fitness gurus promise but fail to motivate us into. Because + Bronson has learned to use words as powerfully as he can use his fists. + + "All this crap about high-protein drinks, pills, diets, it’s just a load of + bollocks and a multi-million-pound racket," he writes, in what can only be + described as a refreshingly honest style. "We can all be fat lazy bastards, + it’s our choice, I’m sick of hearing and reading about excuses, if you stuff + your face with shit you become shit, that’s logical to me." + + As motivational mantras go, that might be just the kick up the, er, backside + we all needed. + + + Solitary Fitness by Charles Bronson is published by Mirage Publishing and will + be available in bookstores from October at £7.99 + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0011.07b11073b53634cff892a7988289a72e b/machine-learning-ex6/ex6/easy_ham/0011.07b11073b53634cff892a7988289a72e new file mode 100644 index 0000000..492941f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0011.07b11073b53634cff892a7988289a72e @@ -0,0 +1,126 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 15:15:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1AD7B43F99 + for ; Thu, 22 Aug 2002 10:15:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 15:15:12 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MECrZ09674 for + ; Thu, 22 Aug 2002 15:12:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C57DA3ECC9; Thu, 22 Aug 2002 + 10:13:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6854840C75 + for ; Thu, 22 Aug 2002 10:12:27 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MECOK08343 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 10:12:24 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MECOY08339 for + ; Thu, 22 Aug 2002 10:12:24 -0400 +Received: from austin-jump.vircio.com + (IDENT:m7qlhYJ9XjzGHDfWy27ABasIREnlFU84@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MDvul20394 + for ; Thu, 22 Aug 2002 09:57:56 -0400 +Received: (qmail 31227 invoked by uid 104); 22 Aug 2002 14:12:23 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.340551 + secs); 22/08/2002 09:12:23 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 14:12:23 -0000 +Received: (qmail 25511 invoked from network); 22 Aug 2002 14:12:18 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?LVKop2xGBpLZYqQBUZF/+jebI90KasL/?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 14:12:18 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: "J. W. Ballantine" +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <200208211351.JAA15807@hera.homer.att.com> +References: <200208211351.JAA15807@hera.homer.att.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1547759024P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030025538.25487.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 09:12:16 -0500 + +--==_Exmh_1547759024P +Content-Type: text/plain; charset=us-ascii + +> From: "J. W. Ballantine" +> Date: Wed, 21 Aug 2002 09:51:31 -0400 +> +> I CVS'ed the unseen/Sequences changes and installed them, and have only one +> real issue. +> +> I use the unseen window rather than the exmh icon, and with the new code +> I can't seem to be able to. How many unseen when when I have the main window open +> is not really necessary. + +hmmm, I stole the code from unseenwin, but I never tested it since I don't use +that functionality. Consider it on my list of things to check. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1547759024P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZPFAK9b4h5R0IUIRAkjyAJ4jjjhAVRx5FiwuCMa+QBWsbbE2jQCaAj4x +NhIgYqnx9/1wvdSgesQhMIU= +=vA3k +-----END PGP SIGNATURE----- + +--==_Exmh_1547759024P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0012.d354b2d2f24d1036caf1374dd94f4c94 b/machine-learning-ex6/ex6/easy_ham/0012.d354b2d2f24d1036caf1374dd94f4c94 new file mode 100644 index 0000000..07e2897 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0012.d354b2d2f24d1036caf1374dd94f4c94 @@ -0,0 +1,70 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 15:25:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B48D543F99 + for ; Thu, 22 Aug 2002 10:25:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 15:25:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MEI8Z09886 for ; Thu, 22 Aug 2002 15:18:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hskl-0002W7-00; Thu, + 22 Aug 2002 07:16:03 -0700 +Received: from mail-gr-oh.networksonline.com ([65.163.204.6]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hskN-0008Ox-00 for ; + Thu, 22 Aug 2002 07:15:39 -0700 +Received: from mordor (mordor.networksonline.com [65.163.204.19]) by + mail-gr-oh.networksonline.com (Postfix) with SMTP id C06C537794 for + ; Thu, 22 Aug 2002 10:13:48 -0400 + (EDT) +Message-Id: <001001c249e6$863c4e00$13cca341@networksonline.com> +From: "NOI Administrator" +To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Subject: [SAtalk] SA CGI Configurator Scripts +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 10:16:36 -0400 +Date: Thu, 22 Aug 2002 10:16:36 -0400 + +I have been trying to research via SA mirrors and search engines if a canned +script exists giving clients access to their user_prefs options via a +web-based CGI interface. Numerous ISPs provide this feature to clients, but +so far I can find nothing. Our configuration uses Amavis-Postfix and ClamAV +for virus filtering and Procmail with SpamAssassin for spam filtering. I +would prefer not to have to write a script myself, but will appreciate any +suggestions. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/0013.ff597adee000d073ae72200b0af00cd1 b/machine-learning-ex6/ex6/easy_ham/0013.ff597adee000d073ae72200b0af00cd1 new file mode 100644 index 0000000..0a13262 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0013.ff597adee000d073ae72200b0af00cd1 @@ -0,0 +1,72 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 15:25:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE2D043F9B + for ; Thu, 22 Aug 2002 10:25:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 15:25:29 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MENlZ09984 for ; Thu, 22 Aug 2002 15:23:47 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hsof-00042r-00; Thu, + 22 Aug 2002 07:20:05 -0700 +Received: from vivi.uptime.at ([62.116.87.11] helo=mail.uptime.at) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hsoM-0000Ge-00 for ; + Thu, 22 Aug 2002 07:19:47 -0700 +Received: from [192.168.0.4] (chello062178142216.4.14.vie.surfer.at + [62.178.142.216]) (authenticated bits=0) by mail.uptime.at (8.12.5/8.12.5) + with ESMTP id g7MEI7Vp022036 for + ; Thu, 22 Aug 2002 16:18:07 + +0200 +User-Agent: Microsoft-Entourage/10.0.0.1309 +From: David H=?ISO-8859-1?B?9g==?=hn +To: +Message-Id: +MIME-Version: 1.0 +X-Trusted: YES +X-From-Laptop: YES +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailscanner: Nothing found, baby +Subject: [SAdev] Interesting approach to Spam handling.. +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 16:19:48 +0200 +Date: Thu, 22 Aug 2002 16:19:48 +0200 + +Hello, have you seen and discussed this article and his approach? + +Thank you + +http://www.paulgraham.com/spam.html +-- "Hell, there are no rules here-- we're trying to accomplish something." +-- Thomas Alva Edison + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/0014.532e0a17d0674ba7a9baa7b0afe5fb52 b/machine-learning-ex6/ex6/easy_ham/0014.532e0a17d0674ba7a9baa7b0afe5fb52 new file mode 100644 index 0000000..866e3a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0014.532e0a17d0674ba7a9baa7b0afe5fb52 @@ -0,0 +1,121 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ABEFA44165 + for ; Fri, 23 Aug 2002 06:04:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:55 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N3xOZ09392 for + ; Fri, 23 Aug 2002 04:59:24 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 341473EBFF; Thu, 22 Aug 2002 + 23:59:28 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 492B03FEAF + for ; Thu, 22 Aug 2002 23:27:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N3RHl05019 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 23:27:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N3RHY05015 for + ; Thu, 22 Aug 2002 23:27:17 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N3CQl13951 for ; + Thu, 22 Aug 2002 23:12:27 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N3QUl20135; + Fri, 23 Aug 2002 10:26:30 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MEtIW14737; Thu, 22 Aug 2002 21:55:18 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029944441.398.TMDA@deepeddy.vircio.com> +References: <1029944441.398.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <14735.1030028118@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 21:55:18 +0700 + + Date: Wed, 21 Aug 2002 10:40:39 -0500 + From: Chris Garrigues + Message-ID: <1029944441.398.TMDA@deepeddy.vircio.com> + + | The background color in this window is the same as the background + | color in the ftoc. + +That's what I'd like to vary - particularly as the ftoc background isn't +constant - messages in the unseen sequence have a different background +than others. + +In the ftoc that's fine, but in the sequences window, it isn't needed. +unseen already has a different foreground there (no problem with that), +it doesn't need a different background as well. + +I'll play about a bit with this, and with making it vertical instead of +horizontal, and see what turns up. + + | The only sequences that are defined there are sequences which are defined + | in app-defaults-color or ~/exmh/exmh-defaults-color. + +OK. + + | I've been thinking about how to dynamically generate highlighting for + | other sequences, but haven't got that figured out yet. + +In this case, highlighting wasn't what I was most concerned about. +A method to get messages in & out of sequences comes first, how it +displays is a secondary consideration. But as a suggestion, have an +"all unknown" sequence highlight, any message in a sequence which has +no defined highlighting (where defined includes defined to not be treated +specially) gets highlighted the same way (maybe something as boring as +a dark brown text colour - almost indistinguishable from the normal black) + + + | > > Any chance of making the current message a little brighter background? + | + | I don't see any reason why not. Experiment and let me know what works for you. + +Done some of that. First, the most significant change came from changing +relief from raised to sunken. I don't know why, but it just looks better +(for me anyway). But even with that, cur and unseen are still just a +bit too similar. I ended up using + +*sequence_cur: -background {PaleGoldenrod} -relief sunken -borderwidth 2 + +The unnecessary braces are just because some of the colours I was using +had spaces in their names. PaleGoldenrod translates as #eee8aa which +is probably safer for generic use. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0015.a9ff8d7550759f6ab62cc200bdf156e7 b/machine-learning-ex6/ex6/easy_ham/0015.a9ff8d7550759f6ab62cc200bdf156e7 new file mode 100644 index 0000000..11226ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0015.a9ff8d7550759f6ab62cc200bdf156e7 @@ -0,0 +1,68 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 16:06:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6B14047C66 + for ; Thu, 22 Aug 2002 11:06:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 16:06:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MF4sZ11366 for ; Thu, 22 Aug 2002 16:04:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htRL-0005ql-00; Thu, + 22 Aug 2002 08:00:03 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htQZ-0001jw-00 for + ; Thu, 22 Aug 2002 07:59:15 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17htRO-0003Mw-00 for spamassassin-devel@lists.sourceforge.net; + Thu, 22 Aug 2002 08:00:06 -0700 +Message-Id: <3D64FC22.4040409@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: spamassassin-devel@example.sourceforge.net +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [SAdev] Party in San Francisco tonight +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 07:58:42 -0700 +Date: Thu, 22 Aug 2002 07:58:42 -0700 + +I don't know how make of you are in the Bay Area but EFF is having a benifit +party ast the DNA Lounge in San Francisco tonight. Wil Weaton (Wesley Crussher +from star Trek TNG) will fight Barney the Dinasour. + +Come on by if you're not doing anything. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/0016.d82758030e304d41fb3f4ebbb7d9dd91 b/machine-learning-ex6/ex6/easy_ham/0016.d82758030e304d41fb3f4ebbb7d9dd91 new file mode 100644 index 0000000..a137bec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0016.d82758030e304d41fb3f4ebbb7d9dd91 @@ -0,0 +1,79 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 16:27:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DF2DD43F9B + for ; Thu, 22 Aug 2002 11:27:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 16:27:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MFJHZ11964 for ; Thu, 22 Aug 2002 16:19:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htfq-0001G0-00; Thu, + 22 Aug 2002 08:15:02 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htfa-0006Zq-00 for + ; Thu, 22 Aug 2002 08:14:47 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17htgP-0004te-00; Thu, 22 Aug 2002 08:15:37 -0700 +Message-Id: <3D64FFC4.5010908@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Theo Van Dinter +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Live Rule Updates after Release ??? +References: <3D64F4E8.7040000@perkel.com> <20020822151134.GD6369@kluge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 08:14:12 -0700 +Date: Thu, 22 Aug 2002 08:14:12 -0700 + +Yes - great minds think alike. But even withput eval rules it would be very +useful. It would allow us to respond quickly to spammer's tricks. + +Theo Van Dinter wrote: +> On Thu, Aug 22, 2002 at 07:27:52AM -0700, Marc Perkel wrote: +> +>>Has anyone though of the idea of live updates of rules after release? The +>>idea being that the user can run a cron job once a week or so and get the +>>new default rule set. This would allow us to react faster to: +> +> +> I suggested this a few months ago. I don't remember the details of what +> came out of it except that it would only be useful for non-eval rules +> since those require code changes. +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/0017.d81093a2182fc9135df6d9158a8ebfd6 b/machine-learning-ex6/ex6/easy_ham/0017.d81093a2182fc9135df6d9158a8ebfd6 new file mode 100644 index 0000000..337a51f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0017.d81093a2182fc9135df6d9158a8ebfd6 @@ -0,0 +1,76 @@ +From ilug-admin@linux.ie Thu Aug 22 16:27:21 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7A28A43F99 + for ; Thu, 22 Aug 2002 11:27:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 16:27:21 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MFQmZ12280 for + ; Thu, 22 Aug 2002 16:26:48 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA07188; Thu, 22 Aug 2002 16:25:32 +0100 +Received: from moe.jinny.ie ([193.120.171.3]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA07145 for ; Thu, + 22 Aug 2002 16:25:24 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [193.120.171.3] claimed to + be moe.jinny.ie +Received: from jlooney.jinny.ie (unknown [193.120.171.2]) by moe.jinny.ie + (Postfix) with ESMTP id 938BD7FC46; Thu, 22 Aug 2002 16:25:23 +0100 (IST) +Received: by jlooney.jinny.ie (Postfix, from userid 500) id 4F57189D; + Thu, 22 Aug 2002 16:25:45 +0100 (IST) +Date: Thu, 22 Aug 2002 16:25:45 +0100 +From: "John P. Looney" +To: linux-raid@vger.kernel.org +Cc: ilug@linux.ie +Message-Id: <20020822152545.GJ3670@jinny.ie> +Reply-To: valen@tuatha.org +Mail-Followup-To: linux-raid@vger.kernel.org, ilug@linux.ie +References: <200208172056.g7HKuHm05754@raq.iceblink.org> + <1029624922.14769.119.camel@atherton> <20020819140815.GY26818@jinny.ie> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020819140815.GY26818@jinny.ie> +User-Agent: Mutt/1.4i +X-Os: Red Hat Linux 7.3/Linux 2.4.18-3 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Subject: [ILUG] Re: Problems with RAID1 on cobalt raq3 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Mon, Aug 19, 2002 at 03:08:16PM +0100, John P. Looney mentioned: +> This is likely because to get it to boot, like the cobalt, I'm actually +> passing root=/dev/hda5 to the kernel, not /dev/md0. + + Just to solve this...the reason I was booting the box with +root=/dev/hda5, not /dev/md0 was because /dev/md0 wasn't booting - it +would barf with 'can't find init'. + + It turns out that this is because I was populating md0 with tar. Which +seems to have 'issues' with crosslinked files - for instance, it was +trying to make a hard link of glibc.so to hda - and failing. It was only +as I did it again with a friend present, that he spotted the errors, and +queried them. We noticed that the hard linked files just didn't exist on +the new rootfs. + + When we duplicated the filesystems with dump instead of tar, it worked +fine, I was able to tell lilo to use root=/dev/md0 and everything worked. + + Woohoo. + +Kate + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0018.ba70ecbeea6f427b951067f34e23bae6 b/machine-learning-ex6/ex6/easy_ham/0018.ba70ecbeea6f427b951067f34e23bae6 new file mode 100644 index 0000000..79cfb44 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0018.ba70ecbeea6f427b951067f34e23bae6 @@ -0,0 +1,146 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 16:37:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 50AF343F9B + for ; Thu, 22 Aug 2002 11:37:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 16:37:35 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MFZLZ12577 for + ; Thu, 22 Aug 2002 16:35:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 51F5140D92; Thu, 22 Aug 2002 + 11:35:26 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6EED940E00 + for ; Thu, 22 Aug 2002 11:26:01 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MFPwB25414 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 11:25:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MFPwY25410 for + ; Thu, 22 Aug 2002 11:25:58 -0400 +Received: from austin-jump.vircio.com + (IDENT:+BhY7EqRf5fwVT64o4aVh7UUHF1egIL+@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MFBTl04916 + for ; Thu, 22 Aug 2002 11:11:29 -0400 +Received: (qmail 4141 invoked by uid 104); 22 Aug 2002 15:25:57 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.327895 + secs); 22/08/2002 10:25:57 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 15:25:56 -0000 +Received: (qmail 13189 invoked from network); 22 Aug 2002 15:25:53 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?AL1b20iTMIHwZbG9ZCdQYQG3nsIe5jbe?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 15:25:53 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029944441.398.TMDA@deepeddy.vircio.com> +References: <1029882468.3116.TMDA@deepeddy.vircio.com> + <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1317289252P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030029953.13171.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 10:25:52 -0500 + +--==_Exmh_-1317289252P +Content-Type: text/plain; charset=us-ascii + +> From: Chris Garrigues +> Date: Wed, 21 Aug 2002 10:40:39 -0500 +> +> > From: Chris Garrigues +> > Date: Wed, 21 Aug 2002 10:17:45 -0500 +> > +> > Ouch...I'll get right on it. +> > +> > > From: Robert Elz +> > > Date: Wed, 21 Aug 2002 19:30:01 +0700 +> > > +> > > Any chance of having that lengthen instead? I like all my exmh stuff +> > > in nice columns (fits the display better). That is, I use the detache +> d +> > > folder list, one column. The main exmh window takes up full screen, +> > > top to bottom, but less than half the width, etc... +> +> I thought about that. The first order approximation would be to just add +> using pack .... -side top instead of pack ... -side left, however, since their +> each a different width, it would look funny. + +I've done this. It's not as pretty as I think it should be, but it works. +I'm going to leave the cosmetic issues to others. When I update the +documentation, I'll add this to the exmh.TODO file. + +I'm leaving for a 2 1/2 week vacation in a week, so this is the last new +functionality I'm going to add for a while. Also, I now have pretty much +everything in there that I want for my own use, so I'm probably pretty much +done. I'll work on bug fixes and documentation before my vacation, and +hopefully do nothing more afterwards. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1317289252P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZQJ/K9b4h5R0IUIRAiPuAJwL4mUus5whLNQZC8MsDlGpEdKNrACcDfZH +PcGgN9frLIM+C5Z3vagi2wE= +=qJoJ +-----END PGP SIGNATURE----- + +--==_Exmh_-1317289252P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0019.a8a1b2767e83b3be653e4af0148e1897 b/machine-learning-ex6/ex6/easy_ham/0019.a8a1b2767e83b3be653e4af0148e1897 new file mode 100644 index 0000000..4e85947 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0019.a8a1b2767e83b3be653e4af0148e1897 @@ -0,0 +1,133 @@ +From fork-admin@xent.com Thu Aug 22 16:37:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5DB9843F99 + for ; Thu, 22 Aug 2002 11:37:40 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 16:37:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MFbVZ12617 for ; + Thu, 22 Aug 2002 16:37:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8D5029409A; Thu, 22 Aug 2002 08:35:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 3703F294099 for + ; Thu, 22 Aug 2002 08:34:40 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17htxj-0008Ad-00 for ; Thu, 22 Aug 2002 12:33:31 -0300 +Message-Id: <3D6505C3.2020405@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: The case for spam +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:39:47 -0300 + +SpamAssassin is hurting democracy! +Owen +--------------------------------------------------------------------------------------------------------------------- + +http://www.bayarea.com/mld/mercurynews/news/opinion/3900215.htm + +Internet can level the political playing field +By Mike McCurry and Larry Purpuro + +NOT many months from now, people across the country will experience one +of the great recurring features of American democracy. At shopping +malls, on factory floors, at church socials and even on our front +stoops, we will be approached by individuals who want to represent us in +public office. While chances are high that we won't know them +personally, they will walk up to us, offer a handshake and a flier and +ask for our votes. + +Just as technology is affecting every other area of communication, it +has begun to affect the way political candidates communicate with voters. + +In this year's GOP gubernatorial primary, California Secretary of State +Bill Jones, who faced better-funded candidates, acquired the e-mail +addresses of more than a million potential California voters and sent +each an unsolicited e-mail asking for support. + +That day, he might have chosen any of the more traditional -- and more +expensive -- methods of contacting voters, such as direct mail, radio +spots or TV ads. But he spent only about 2 cents per message, instead of +35 cents or more per message for direct mail or in another medium. + +Had Jones chosen direct mail, radio or TV, that communication would have +been equally ``unsolicited,'' as defined in the e-mail world. Few voters +would have ``opted in'' to receive campaign information from Jones +through any of those channels. + +The response to Jones' e-mail effort, however, was swift and intense. He +was lambasted by anti-spam advocates, and media coverage was almost +entirely negative. To be fair, some of Jones' tactics could have been +refined. He used a less-than-perfect list and no standard-practice +``paid for'' disclaimer in the message. + +His detractors, however, attacked him not for his tactical miscues but +because the e-mail was sent unsolicited. In fact, Jones' online campaign +may have been his most visible asset. In an era of cynicism toward money +in politics -- money typically spent on other unsolicited communication +mediums -- Jones tried to level the playing field. + +No one likes commercial spam. It is irrelevant and untargeted and can be +highly intrusive and even offensive. But as a sophisticated society, +it's time to differentiate commercial spam from very different +unsolicited e-mail sent by political candidates to voters. + +The debate is particularly relevant in light of legislation in Congress +that would constitute the first federal law to directly address spam. We +believe e-mail is no more intrusive than direct mail, telemarketing or +TV advertising when it comes to politicians seeking to reach voters. A +simple link in good e-mail campaigns allows recipients to opt out of +future mailings. Direct mail takes at least a phone call or stamp to be +taken off a list, and viewers must repeatedly endure TV ads. + +When a candidate lacks a large campaign war chest, he or she can use the +Internet to provide constituents with information to better prepare them +to perform their civic duty of casting educated votes. With more than 60 +percent of all potential voters in this country possessing e-mail +accounts, it makes sense that political candidates use this medium. + +Candidates might avoid some of the tactical problems encountered by the +Jones campaign if they use the technologies available today that better +ensure quality of e-mail lists and target content to specific recipient +groups. + +But the broader point remains. When a political candidate sends a voter +an e-mail, that recipient can choose to delete the message without +opening it, unsubscribe from the list, read it or even reply and engage +the sender. That choice should belong to the voter -- not to anti-spam +advocates whose efforts are better focused on commercial e-mail. +Political candidates should be free to communicate with voters as best +they can, and let voters decide what to do with that information. + + +-------------------------------------------------------------------------------- +Mike McCurry, former press secretary for President Clinton, is CEO of an +advocacy management and communications software company. Larry Purpuro, +the former Republican National Committee deputy chief of staff, is +founder and president of a political e-marketing firm. This was written +for the Los Angeles Times. + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0020.ef397cef16f8041242e3b6560e168053 b/machine-learning-ex6/ex6/easy_ham/0020.ef397cef16f8041242e3b6560e168053 new file mode 100644 index 0000000..1545d5a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0020.ef397cef16f8041242e3b6560e168053 @@ -0,0 +1,67 @@ +From iiu-admin@taint.org Thu Aug 22 17:08:44 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B989743F9B + for ; Thu, 22 Aug 2002 12:08:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:08:43 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MG0MZ13369; + Thu, 22 Aug 2002 17:00:22 +0100 +Received: from hawk.dcu.ie (mail.dcu.ie [136.206.1.5]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MFxBZ13285 for + ; Thu, 22 Aug 2002 16:59:11 +0100 +Received: from dcu.ie (136.206.21.115) by hawk.dcu.ie (6.0.040) id + 3D6203D3000136AD for iiu@taint.org; Thu, 22 Aug 2002 16:59:17 +0100 +Message-Id: <3D650A2D.1000301@dcu.ie> +From: Bernard Michael Tyers +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0.0) + Gecko/20020530 +X-Accept-Language: ga, en-ie, eu, en-us, de-at, as +MIME-Version: 1.0 +To: iiu +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [IIU] Eircom aDSL Nat'ing +Sender: iiu-admin@taint.org +Errors-To: iiu-admin@taint.org +X-Beenthere: iiu@iiu.taint.org +X-Mailman-Version: 2.0.10 +Precedence: bulk +Reply-To: iiu@taint.org +List-Unsubscribe: , + +List-Id: Irish Internet Users +List-Post: +List-Help: +List-Subscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:58:37 +0100 + +Hi all, + +apologies for the possible silly question (i don't think it is, but), +but is Eircom's aDSL service NAT'ed? + +and what implications would that have for VoIP? I know there are +difficulties with VoIP or connecting to clients connected to a NAT'ed +network from the internet wild (i.e. machines with static, real IPs) + +any help pointers would be helpful, + +cheers +-- +rgrds, +Bernard +-- +Bernard Tyers * National Centre for Sensor Research * P:353-1-700-5273 * +E: bernard.tyers@dcu.ie * W: www.physics.dcu.ie/~bty * L:N117 + +_______________________________________________ +IIU mailing list +IIU@iiu.taint.org +http://iiu.taint.org/mailman/listinfo/iiu + diff --git a/machine-learning-ex6/ex6/easy_ham/0021.f8e73bdba7277d967af4d561f0402129 b/machine-learning-ex6/ex6/easy_ham/0021.f8e73bdba7277d967af4d561f0402129 new file mode 100644 index 0000000..ecdeaa6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0021.f8e73bdba7277d967af4d561f0402129 @@ -0,0 +1,81 @@ +From robert.chambers@baesystems.com Thu Aug 22 17:19:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F2AD843F99 + for ; Thu, 22 Aug 2002 12:19:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:19:26 +0100 (IST) +Received: from n8.grp.scd.yahoo.com (n8.grp.scd.yahoo.com [66.218.66.92]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7MGBSZ13944 for + ; Thu, 22 Aug 2002 17:11:28 +0100 +X-Egroups-Return: sentto-2242572-52742-1030032689-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n8.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 16:11:29 -0000 +X-Sender: robert.chambers@baesystems.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 16:11:28 -0000 +Received: (qmail 71045 invoked from network); 22 Aug 2002 16:11:28 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 16:11:28 -0000 +Received: from unknown (HELO n19.grp.scd.yahoo.com) (66.218.66.74) by + mta2.grp.scd.yahoo.com with SMTP; 22 Aug 2002 16:11:28 -0000 +Received: from [66.218.67.174] by n19.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 16:11:27 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +In-Reply-To: <000701c248f5$1cd98500$508827d9@b5w3e9> +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "uncle_slacky" +X-Originating-Ip: 20.138.254.2 +X-Yahoo-Profile: uncle_slacky +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 16:11:27 -0000 +Subject: [zzzzteana] Re: Australian Catholic Kiddie Perv Steps Aside +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +--- In forteana@y..., "D.McMann" wrote: +> Robert Moaby, 33, who sent death threats to staff, was also jailed +> for hoarding indecent pictures of children on his home computer. +> ========= +> +> Hmm, if I didn't trust our government and secret police, I could +look at +> this another way.... + +There is a bit of circumstantial evidence - apparently some MT +listers were approached by him (via email) - a little research in +dejanews/google groups showed a number of messages from him, clearly +hoping to contact girls, appearing in "alt.teens" and similar groups - + I just tried a Google Groups search on "Robert Moaby" and some of +them came top of the list. + +Note for Marie - "MT" stands for Mark Thomas, a slightly slimmer, UK +version of your Michael Moore - the mailing list is named after him. + +Rob + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0022.7241da4491c49b50c0470a3638ee35c4 b/machine-learning-ex6/ex6/easy_ham/0022.7241da4491c49b50c0470a3638ee35c4 new file mode 100644 index 0000000..f69151a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0022.7241da4491c49b50c0470a3638ee35c4 @@ -0,0 +1,75 @@ +From ilug-admin@linux.ie Thu Aug 22 17:19:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6622747C69 + for ; Thu, 22 Aug 2002 12:19:23 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:19:23 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MGJoZ14241 for + ; Thu, 22 Aug 2002 17:19:50 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id RAA09942; Thu, 22 Aug 2002 17:18:58 +0100 +Received: from smtpstore.strencom.net (ns1.strencom.net [217.75.0.66]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id RAA09917 for ; + Thu, 22 Aug 2002 17:18:50 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host ns1.strencom.net + [217.75.0.66] claimed to be smtpstore.strencom.net +Received: from enterprise.wasptech.com (mail.wasptech.com [217.75.2.106]) + by smtpstore.strencom.net (Postfix) with ESMTP id 8C105CEE88; + Thu, 22 Aug 2002 16:31:15 +0000 (AZOST) +X-Mimeole: Produced By Microsoft Exchange V6.0.5762.3 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Subject: RE: [ILUG] Sun Solaris.. +Date: Thu, 22 Aug 2002 17:13:01 +0100 +Message-Id: <45130FBE2F203649A4BABDB848A9C9D00E9C8A@enterprise.wasptech.com> +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [ILUG] Sun Solaris.. +Thread-Index: AcJJ9p29v19nVAypRv25aSssWGeNQAAABtrw +From: "Fergal Moran" +To: "Kiall Mac Innes" , "ILUG" +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by lugh.tuatha.org id + RAA09917 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +In a nutshell - Solaris is Suns own flavour of UNIX. + +> -----Original Message----- +> From: Kiall Mac Innes [mailto:kiall@redpie.com] +> Sent: 22 August 2002 17:23 +> To: ILUG +> Subject: [ILUG] Sun Solaris.. +> +> +> Can someone explain what type of operating system Solaris +> is... as ive never seen or used it i dont know wheather to +> get a server from Sun or from DELL i would prefer a linux +> based server and Sun seems to be the one for that but im not +> sure if Solaris is a distro of linux or a completely +> different operating system? can someone explain... +> +> Kiall Mac Innes +> +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for +> (un)subscription information. List maintainer: listmaster@linux.ie +> + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0023.b4a61a2990263e8825246e41a8d78399 b/machine-learning-ex6/ex6/easy_ham/0023.b4a61a2990263e8825246e41a8d78399 new file mode 100644 index 0000000..16e7f99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0023.b4a61a2990263e8825246e41a8d78399 @@ -0,0 +1,65 @@ +From robert.chambers@baesystems.com Thu Aug 22 17:19:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C1E1343F9B + for ; Thu, 22 Aug 2002 12:19:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:19:26 +0100 (IST) +Received: from n23.grp.scd.yahoo.com (n23.grp.scd.yahoo.com + [66.218.66.79]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MGHeZ14192 for ; Thu, 22 Aug 2002 17:17:41 +0100 +X-Egroups-Return: sentto-2242572-52743-1030033059-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n23.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 16:17:41 -0000 +X-Sender: robert.chambers@baesystems.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 16:17:39 -0000 +Received: (qmail 96345 invoked from network); 22 Aug 2002 16:17:38 -0000 +Received: from unknown (66.218.66.218) by m9.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 16:17:38 -0000 +Received: from unknown (HELO n10.grp.scd.yahoo.com) (66.218.66.65) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 16:17:40 -0000 +Received: from [66.218.67.189] by n10.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 16:17:40 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "uncle_slacky" +X-Originating-Ip: 20.138.254.2 +X-Yahoo-Profile: uncle_slacky +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 16:17:39 -0000 +Subject: [zzzzteana] Which Muppet Are You? +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Apols if this has been posted before: + +http://www.pinkpaperclips.net/subs/quiz2.html + +Rob + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0024.771af861a302951df7630ec4ff1965a2 b/machine-learning-ex6/ex6/easy_ham/0024.771af861a302951df7630ec4ff1965a2 new file mode 100644 index 0000000..99309ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0024.771af861a302951df7630ec4ff1965a2 @@ -0,0 +1,56 @@ +From ilug-admin@linux.ie Thu Aug 22 17:19:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CD34B47C67 + for ; Thu, 22 Aug 2002 12:19:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:19:21 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MGHJZ14177 for + ; Thu, 22 Aug 2002 17:17:19 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id RAA09581; Thu, 22 Aug 2002 17:16:28 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from redpie.com (redpie.com [216.122.135.208] (may be forged)) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id RAA09518 for + ; Thu, 22 Aug 2002 17:16:08 +0100 +Received: from justin ([194.46.28.223]) by redpie.com (8.8.7/8.8.5) with + SMTP id JAA05201 for ; Thu, 22 Aug 2002 09:15:59 -0700 + (PDT) +From: "Kiall Mac Innes" +To: "ILUG" +Date: Thu, 22 Aug 2002 17:23:15 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Importance: Normal +Subject: [ILUG] Sun Solaris.. +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Can someone explain what type of operating system Solaris is... as ive never +seen or used it i dont know wheather to get a server from Sun or from DELL i +would prefer a linux based server and Sun seems to be the one for that but +im not sure if Solaris is a distro of linux or a completely different +operating system? can someone explain... + +Kiall Mac Innes + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0025.64d0382de54b9e4c5b4200173133b8d7 b/machine-learning-ex6/ex6/easy_ham/0025.64d0382de54b9e4c5b4200173133b8d7 new file mode 100644 index 0000000..2c26f6a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0025.64d0382de54b9e4c5b4200173133b8d7 @@ -0,0 +1,67 @@ +From timc@2ubh.com Thu Aug 22 17:31:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A97BE43F99 + for ; Thu, 22 Aug 2002 12:30:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:30:58 +0100 (IST) +Received: from n17.grp.scd.yahoo.com (n17.grp.scd.yahoo.com + [66.218.66.72]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MGOFZ14344 for ; Thu, 22 Aug 2002 17:24:16 +0100 +X-Egroups-Return: sentto-2242572-52744-1030033454-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n17.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 16:24:16 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 16:24:14 -0000 +Received: (qmail 12796 invoked from network); 22 Aug 2002 16:24:13 -0000 +Received: from unknown (66.218.66.216) by m9.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 16:24:13 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta1.grp.scd.yahoo.com with SMTP; 22 Aug 2002 16:24:15 -0000 +Received: from host217-36-23-185.in-addr.btopenworld.com ([217.36.23.185]) + by carbon with esmtp (Exim 3.22 #8) id 17huko-0000JF-00 for + forteana@yahoogroups.com; Thu, 22 Aug 2002 17:24:14 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 17:23:28 +0100 +Subject: Re: [zzzzteana] Which Muppet Are You? +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> Apols if this has been posted before: +> +> http://www.pinkpaperclips.net/subs/quiz2.html +> +So, anyone who isn't Beaker? + +TimC +Meep + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0026.6baf1aea162ccb9a6e9f142c0715ceb4 b/machine-learning-ex6/ex6/easy_ham/0026.6baf1aea162ccb9a6e9f142c0715ceb4 new file mode 100644 index 0000000..8058e5b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0026.6baf1aea162ccb9a6e9f142c0715ceb4 @@ -0,0 +1,80 @@ +From ilug-admin@linux.ie Thu Aug 22 17:45:53 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 08BC143F99 + for ; Thu, 22 Aug 2002 12:45:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:45:53 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MGbKZ14933 for + ; Thu, 22 Aug 2002 17:37:20 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id RAA10694; Thu, 22 Aug 2002 17:36:27 +0100 +Received: from moe.jinny.ie ([193.120.171.3]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id RAA10669 for ; Thu, + 22 Aug 2002 17:36:20 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [193.120.171.3] claimed to + be moe.jinny.ie +Received: from jlooney.jinny.ie (unknown [193.120.171.2]) by moe.jinny.ie + (Postfix) with ESMTP id C906A7FC48 for ; Thu, + 22 Aug 2002 17:36:19 +0100 (IST) +Received: by jlooney.jinny.ie (Postfix, from userid 500) id 09E7E8B1; + Thu, 22 Aug 2002 17:36:42 +0100 (IST) +Date: Thu, 22 Aug 2002 17:36:41 +0100 +From: "John P. Looney" +To: ILUG +Subject: Re: [ILUG] Sun Solaris.. +Message-Id: <20020822163641.GN3670@jinny.ie> +Reply-To: ilug@linux.ie +Mail-Followup-To: ILUG +References: <45130FBE2F203649A4BABDB848A9C9D00E9C8A@enterprise.wasptech.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <45130FBE2F203649A4BABDB848A9C9D00E9C8A@enterprise.wasptech.com> +User-Agent: Mutt/1.4i +X-Os: Red Hat Linux 7.3/Linux 2.4.18-3 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Thu, Aug 22, 2002 at 05:13:01PM +0100, Fergal Moran mentioned: +> In a nutshell - Solaris is Suns own flavour of UNIX. + + Though I'm sure that this nice person would like a bit more detail. + + Solaris is quite different to Linux, though these days you can make +solaris act a lot like linux with an extra CD of GNU tools Sun ship with +solaris. It is based on the SysV unix family, so it's quite similar to +other unixen like HPUX and SCO. + + Sun's hardware in general is more reliable, and a lot more expensive. One +of the main bonuses you get by buying Sun is that you are getting your +hardware and software from one company, so if you have a support contract, +they have to fix it. They can't fob you off with 'that's a software +problem, talk to the software vendor.' etc. + + If you are set on Linux, you most likely can do your own support. There +is then a world of different hardware options. You can run Linux on Sparc, +though some companies like RedHat don't maintain a sparc port anymore. + + You can also buy your machine from linux-oriented companies like DNUK, +who do machines designed to run linux, and their own version of linux, +that has a few extras for their machines. Or, you can get a machine from a +cheaper company like Dell, and it'll most likely work, most of the time. + +John + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0027.11da06d9130a188bf0ffb2060881dbe9 b/machine-learning-ex6/ex6/easy_ham/0027.11da06d9130a188bf0ffb2060881dbe9 new file mode 100644 index 0000000..fbfe81b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0027.11da06d9130a188bf0ffb2060881dbe9 @@ -0,0 +1,84 @@ +From ilug-admin@linux.ie Thu Aug 22 17:45:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E8B1343F9B + for ; Thu, 22 Aug 2002 12:45:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 17:45:53 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MGjVZ15193 for + ; Thu, 22 Aug 2002 17:45:31 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id RAA11100; Thu, 22 Aug 2002 17:42:54 +0100 +Received: from corvil.com. (k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id RAA11076 + for ; Thu, 22 Aug 2002 17:42:46 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159] claimed to be corvil.com. +Received: from corvil.com (pixelbeat.local.corvil.com [172.18.1.170]) by + corvil.com. (8.12.5/8.12.5) with ESMTP id g7MGgjn4090705 for + ; Thu, 22 Aug 2002 17:42:46 +0100 (IST) (envelope-from + padraig.brady@corvil.com) +Message-Id: <3D651472.7080101@corvil.com> +Date: Thu, 22 Aug 2002 17:42:26 +0100 +From: Padraig Brady +Organization: Corvil Networks +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020408 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] Sun Solaris.. +References: <45130FBE2F203649A4BABDB848A9C9D00E9C8A@enterprise.wasptech.com> + <20020822163641.GN3670@jinny.ie> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +John P. Looney wrote: +> On Thu, Aug 22, 2002 at 05:13:01PM +0100, Fergal Moran mentioned: +> +>>In a nutshell - Solaris is Suns own flavour of UNIX. +> +> +> Though I'm sure that this nice person would like a bit more detail. +> +> Solaris is quite different to Linux, though these days you can make +> solaris act a lot like linux with an extra CD of GNU tools Sun ship with +> solaris. It is based on the SysV unix family, so it's quite similar to +> other unixen like HPUX and SCO. +> +> Sun's hardware in general is more reliable, and a lot more expensive. One +> of the main bonuses you get by buying Sun is that you are getting your +> hardware and software from one company, so if you have a support contract, +> they have to fix it. They can't fob you off with 'that's a software +> problem, talk to the software vendor.' etc. +> +> If you are set on Linux, you most likely can do your own support. There +> is then a world of different hardware options. You can run Linux on Sparc, +> though some companies like RedHat don't maintain a sparc port anymore. +> +> You can also buy your machine from linux-oriented companies like DNUK, +> who do machines designed to run linux, and their own version of linux, +> that has a few extras for their machines. Or, you can get a machine from a +> cheaper company like Dell, and it'll most likely work, most of the time. + +Why do you say Dell is cheaper than DNUK? + +It gets a bit complicated though! +http://www.levenez.com/unix/history.html + +Pádraig. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0028.54cf7aa229456fb33194b3a12a713e3e b/machine-learning-ex6/ex6/easy_ham/0028.54cf7aa229456fb33194b3a12a713e3e new file mode 100644 index 0000000..9d76fca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0028.54cf7aa229456fb33194b3a12a713e3e @@ -0,0 +1,160 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 18:17:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3936F43F9B + for ; Thu, 22 Aug 2002 13:17:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 18:17:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHCFZ16258 for + ; Thu, 22 Aug 2002 18:12:15 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 98CA240F20; Thu, 22 Aug 2002 + 13:08:54 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 163BD3F5C4 + for ; Thu, 22 Aug 2002 12:55:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MGtHh14426 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 12:55:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MGtGY14422 for + ; Thu, 22 Aug 2002 12:55:16 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7MGekl27238 for ; Thu, 22 Aug 2002 12:40:46 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 1F95B3F24; + Thu, 22 Aug 2002 18:55:08 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id F3AA03F23; Thu, 22 Aug 2002 + 18:55:08 +0200 (CEST) +X-Mailer: exmh version 2.5_20020822 01/15/2001 with nmh-1.0.4 +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: Message from Chris Garrigues + of + "Thu, 22 Aug 2002 09:59:35 CDT." + <1030028377.4901.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020822165508.1F95B3F24@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 18:55:03 +0200 + + + + +> > > > Just cvs up'ed and nowadays Catch-up Unseen is __extremely__ slow on +> > > > large (>100 msgs) unseen sequences. Anybody else having this problem? +> > > +> > > I'll take the blame. +> > > +> > > The reason, I suspect, is that we're needlessly reading the .sequences file +> > > multiple times because of other sequences. I need to make the code much +> > > smarter about handling that file, but first I have a few other fish to fry in +> > > my rather large patch that's on it's way. +> > > +> > +> > No panic, +> > +> > I'm all for cleaning things up before getting it optimized. +> +> Okay, this fix is now checked in. +> +I'm afraid it didn't help. It still seems to be slower than ~1 month +ago. Maybe slightly faster than yeasterday. I'm (still) seeing an +"unseen countdown" in the log. + +18:51:25 Writing /home/ander/Mail/lists/l-k/.mh_sequences +18:51:25 lists/l-k has 57 msgs in unseen +18:51:25 lists/l-k has 56 msgs in unseen +18:51:25 lists/l-k has 55 msgs in unseen +18:51:26 lists/l-k has 54 msgs in unseen +18:51:26 lists/l-k has 53 msgs in unseen +18:51:26 lists/l-k has 52 msgs in unseen +18:51:26 lists/l-k has 51 msgs in unseen +18:51:26 lists/l-k has 50 msgs in unseen +18:51:26 lists/l-k has 49 msgs in unseen +18:51:26 lists/l-k has 48 msgs in unseen +18:51:26 lists/l-k has 47 msgs in unseen +18:51:26 lists/l-k has 46 msgs in unseen +18:51:26 lists/l-k has 45 msgs in unseen +18:51:27 lists/l-k has 44 msgs in unseen +18:51:27 lists/l-k has 43 msgs in unseen +18:51:27 lists/l-k has 42 msgs in unseen +18:51:27 lists/l-k has 41 msgs in unseen +18:51:27 lists/l-k has 40 msgs in unseen +18:51:27 lists/l-k has 39 msgs in unseen +18:51:27 lists/l-k has 38 msgs in unseen +18:51:27 lists/l-k has 37 msgs in unseen +18:51:27 lists/l-k has 36 msgs in unseen +18:51:28 lists/l-k has 35 msgs in unseen +18:51:28 lists/l-k has 34 msgs in unseen +18:51:28 lists/l-k has 33 msgs in unseen +18:51:28 lists/l-k has 32 msgs in unseen +18:51:28 lists/l-k has 31 msgs in unseen +18:51:28 lists/l-k has 30 msgs in unseen +18:51:28 lists/l-k has 29 msgs in unseen +18:51:28 lists/l-k has 28 msgs in unseen +18:51:28 lists/l-k has 27 msgs in unseen +18:51:28 lists/l-k has 26 msgs in unseen +18:51:29 lists/l-k has 25 msgs in unseen +18:51:29 lists/l-k has 24 msgs in unseen +18:51:29 lists/l-k has 23 msgs in unseen +18:51:29 lists/l-k has 22 msgs in unseen +18:51:29 lists/l-k has 21 msgs in unseen +18:51:29 lists/l-k has 20 msgs in unseen +18:51:29 lists/l-k has 19 msgs in unseen +18:51:29 lists/l-k has 18 msgs in unseen +18:51:29 lists/l-k has 17 msgs in unseen +18:51:29 lists/l-k has 16 msgs in unseen +18:51:30 lists/l-k has 15 msgs in unseen +18:51:30 lists/l-k has 14 msgs in unseen +18:51:30 lists/l-k has 13 msgs in unseen +18:51:30 lists/l-k has 12 msgs in unseen +18:51:30 lists/l-k has 11 msgs in unseen +18:51:30 lists/l-k has 10 msgs in unseen +18:51:30 lists/l-k has 9 msgs in unseen +18:51:30 digits changed +18:51:30 lists/l-k has 8 msgs in unseen +18:51:30 lists/l-k has 7 msgs in unseen +18:51:31 lists/l-k has 6 msgs in unseen +18:51:31 lists/l-k has 5 msgs in unseen +18:51:31 lists/l-k has 4 msgs in unseen +18:51:31 lists/l-k has 3 msgs in unseen +18:51:31 lists/l-k has 2 msgs in unseen +18:51:31 lists/l-k has 1 msgs in unseen +18:51:31 lists/l-k has 0 msgs in unseen +18:51:31 FlistUnseenFolder lists/l-k +18:51:31 ok +18:51:47 Folder_Change lists/exmh {Msg_Show cur} + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0029.7119e865bff73aca46681d96a451cb60 b/machine-learning-ex6/ex6/easy_ham/0029.7119e865bff73aca46681d96a451cb60 new file mode 100644 index 0000000..96be835 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0029.7119e865bff73aca46681d96a451cb60 @@ -0,0 +1,104 @@ +From lejones@ucla.edu Thu Aug 22 18:29:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 89B2943F99 + for ; Thu, 22 Aug 2002 13:29:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 18:29:49 +0100 (IST) +Received: from n32.grp.scd.yahoo.com (n32.grp.scd.yahoo.com + [66.218.66.100]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7MHK2Z16822 for ; Thu, 22 Aug 2002 18:20:02 +0100 +X-Egroups-Return: sentto-2242572-52757-1030036801-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n32.grp.scd.yahoo.com with NNFMP; + 22 Aug 2002 17:20:03 -0000 +X-Sender: lejones@ucla.edu +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 22 Aug 2002 17:20:01 -0000 +Received: (qmail 45255 invoked from network); 22 Aug 2002 17:19:58 -0000 +Received: from unknown (66.218.66.218) by m9.grp.scd.yahoo.com with QMQP; + 22 Aug 2002 17:19:58 -0000 +Received: from unknown (HELO periwinkle.noc.ucla.edu) (169.232.47.11) by + mta3.grp.scd.yahoo.com with SMTP; 22 Aug 2002 17:20:00 -0000 +Received: from tigerlily.noc.ucla.edu (tigerlily.noc.ucla.edu + [169.232.46.12]) by periwinkle.noc.ucla.edu (8.12.5/8.12.5) with ESMTP id + g7MHK0p0011232 for ; Thu, 22 Aug 2002 10:20:00 + -0700 +Received: from leslie (ca-stmnca-cuda1-blade1a-115.stmnca.adelphia.net + [68.65.192.115]) (authenticated bits=0) by tigerlily.noc.ucla.edu + (8.12.3/8.12.3) with ESMTP id g7MHJxJA019627 for + ; Thu, 22 Aug 2002 10:19:59 -0700 +Message-Id: <005801c24a00$1e226060$73c04144@leslie> +To: +References: <000001c249ff$50bc96e0$da514ed5@roswell> +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +From: "leslie ellen jones" +X-Yahoo-Profile: luned23 +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 22 Aug 2002 10:19:48 -0700 +Subject: Re: [zzzzteana] Which Muppet Are You? +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Hey, it's not easy being green. + +leslie + +Leslie Ellen Jones, Ph.D. +Jack of All Trades and Doctor of Folklore +lejones@ucla.edu + +"Truth is an odd number" -- Flann O'Brien + ----- Original Message ----- + From: Dino + To: zzzzteana@yahoogroups.com + Sent: Thursday, August 22, 2002 10:13 AM + Subject: RE: [zzzzteana] Which Muppet Are You? + + + Damn kermit...boring... + Wanna be rizzo he's the coolest + Dino + + + Yahoo! Groups Sponsor + ADVERTISEMENT + + + + To unsubscribe from this group, send an email to: + forteana-unsubscribe@egroups.com + + + + Your use of Yahoo! Groups is subject to the Yahoo! Terms of Service. + + + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/mG3HAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0030.77828e31de08ebb58b583688b87524cc b/machine-learning-ex6/ex6/easy_ham/0030.77828e31de08ebb58b583688b87524cc new file mode 100644 index 0000000..fe6bcc5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0030.77828e31de08ebb58b583688b87524cc @@ -0,0 +1,148 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 18:29:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8298743F99 + for ; Thu, 22 Aug 2002 13:29:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 22 Aug 2002 18:29:37 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHUEZ17557 for + ; Thu, 22 Aug 2002 18:30:15 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AFD5D410A6; Thu, 22 Aug 2002 + 13:26:17 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4169841049 + for ; Thu, 22 Aug 2002 13:23:47 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MHNi820140 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 13:23:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MHNiY20136 for + ; Thu, 22 Aug 2002 13:23:44 -0400 +Received: from austin-jump.vircio.com + (IDENT:ej9JWTtTU9YAy/XEt1t3VaLooI8VpxCp@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MH9El32554 + for ; Thu, 22 Aug 2002 13:09:14 -0400 +Received: (qmail 11353 invoked by uid 104); 22 Aug 2002 17:23:43 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.329069 + secs); 22/08/2002 12:23:43 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 17:23:42 -0000 +Received: (qmail 7953 invoked from network); 22 Aug 2002 17:23:40 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?OWIvth7P1uuNLmEWhfKb2tBl1I4NTfB9?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 17:23:40 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822165508.1F95B3F24@milou.dyndns.org> +References: <20020822165508.1F95B3F24@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-518574644P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030037019.7938.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:23:38 -0500 + +--==_Exmh_-518574644P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 18:55:03 +0200 +> +> +> +> +> > > > > Just cvs up'ed and nowadays Catch-up Unseen is __extremely__ slow o +> n +> > > > > large (>100 msgs) unseen sequences. Anybody else having this proble +> m? +> > > > +> > > > I'll take the blame. +> > > > +> > > > The reason, I suspect, is that we're needlessly reading the .sequence +> s file +> > > > multiple times because of other sequences. I need to make the code m +> uch +> > > > smarter about handling that file, but first I have a few other fish t +> o fry in +> > > > my rather large patch that's on it's way. +> > > > +> > > +> > > No panic, +> > > +> > > I'm all for cleaning things up before getting it optimized. +> > +> > Okay, this fix is now checked in. +> > +> I'm afraid it didn't help. It still seems to be slower than ~1 month +> ago. Maybe slightly faster than yeasterday. I'm (still) seeing an +> "unseen countdown" in the log. + +Okay....Catchup unseen is something that I don't use often, but i can +certainly reproduce this. I'll dig into it. It's probably simple. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-518574644P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZR4aK9b4h5R0IUIRAub4AKCE9sxZQfiRl18xhrtT2WLrEqEucACeJGm0 +YdhaA8YocKvlkyW4sTIZ3lU= +=XhOQ +-----END PGP SIGNATURE----- + +--==_Exmh_-518574644P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0031.af5b387661e1f58d3787ac41139106e5 b/machine-learning-ex6/ex6/easy_ham/0031.af5b387661e1f58d3787ac41139106e5 new file mode 100644 index 0000000..06e78a7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0031.af5b387661e1f58d3787ac41139106e5 @@ -0,0 +1,79 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:47 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6F82C4416B + for ; Fri, 23 Aug 2002 06:06:31 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:31 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIE5Z19072 for + ; Thu, 22 Aug 2002 19:14:05 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id TAA15460; Thu, 22 Aug 2002 19:12:03 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from nwkea-mail-1.sun.com (nwkea-mail-1.sun.com [192.18.42.13]) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id TAA15419 for + ; Thu, 22 Aug 2002 19:11:56 +0100 +Received: from sunire.Ireland.Sun.COM ([129.156.220.30]) by + nwkea-mail-1.sun.com (8.9.3+Sun/8.9.3) with ESMTP id LAA04778 for + ; Thu, 22 Aug 2002 11:11:20 -0700 (PDT) +Received: from sionnach.ireland.sun.com (sionnach [129.156.220.28]) by + sunire.Ireland.Sun.COM (8.11.6+Sun/8.11.6/ENSMAIL,v2.2) with ESMTP id + g7MIBJd19492 for ; Thu, 22 Aug 2002 19:11:19 +0100 (BST) +Received: from sionnach (localhost [127.0.0.1]) by + sionnach.ireland.sun.com (8.12.2+Sun/8.12.2) with ESMTP id g7MIBJdr004189 + for ; Thu, 22 Aug 2002 19:11:19 +0100 (BST) +Message-Id: <200208221811.g7MIBJdr004189@sionnach.ireland.sun.com> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: ilug@linux.ie +From: Albert White - SUN Ireland +Subject: Re: [ILUG] Sun Solaris.. +In-Reply-To: Your message of + "Thu, 22 Aug 2002 18:42:33 BST." + +Date: Thu, 22 Aug 2002 19:11:19 +0100 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + +> On Thu, 22 Aug 2002, John P. Looney wrote: +> > Sun's hardware in general is more reliable, +> ROFL. not in our experience. + +Well at least our Caps-Lock keys work: + +peter@staunton.ie said: +> Another problem. I have a Dell branded keyboard and if I hit Caps-Lock +> twice, the whole machine crashes (in Linux, not Windows) - even the on/ +> off switch is inactive, leaving me to reach for the power cable +> instead. + +:-P + +bauwolf@indigo.ie said: +> as if he wanted Solaris 9 for x86, he'd be waiting a bit +erm... it runs Solaris x86 as standard... + +Cheers, +~Al + +-- +Expressed in this posting are my opinions. They are in no way related +to opinions held by my employer, Sun Microsystems. +Statements on Sun products included here are not gospel and may +be fiction rather than truth. + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0032.f07a3f2152f2bedfc9492459c171012c b/machine-learning-ex6/ex6/easy_ham/0032.f07a3f2152f2bedfc9492459c171012c new file mode 100644 index 0000000..17cbb28 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0032.f07a3f2152f2bedfc9492459c171012c @@ -0,0 +1,116 @@ +From fork-admin@xent.com Fri Aug 23 11:08:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 93D8944160 + for ; Fri, 23 Aug 2002 06:06:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MIPTZ19588 for ; + Thu, 22 Aug 2002 19:25:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 94BC22940D4; Thu, 22 Aug 2002 11:23:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm7-32.sba1.netlojix.net + [207.71.222.128]) by xent.com (Postfix) with ESMTP id 8C7AD294099 for + ; Thu, 22 Aug 2002 11:22:33 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA21283; + Thu, 22 Aug 2002 11:11:58 -0700 +Message-Id: <200208221811.LAA21283@maltesecat> +To: fork@example.com +Subject: RE: The Curse of India's Socialism +In-Reply-To: Message from fork-request@xent.com of + "Wed, 21 Aug 2002 11:30:03 PDT." + <20020821183003.25673.41476.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 11:11:57 -0700 + + + +> You have multiple generations of +> peasants/squatters that cultivate and live on the lands almost as a +> human parts of the property package. + +When I'd read that "getting legal title +can take 20 years", when I believe that +1 year ought to be more than sufficient, +(and helped by the Cairo reference) I'd +assumed that we were talking about the +urban poor. + +If I see people living in mansions, or +even in suburban subdivisions, I assume +they didn't have too much trouble with +their titles. + +If I see people living in shanties and +haphazard alleyways, I tend to assume +their parcels weren't exactly recorded +on the government maps, or paid for with +a bank loan, especially when nearby vacant +lots have shotgun wielding men presumably +intent on keeping them "development" free. + +Now, it may be that "Manhattanites' view +of America" to say that outside of Metro +Manila, Davao, and maybe another city or +two (Cebu?), everything else (literally) +is the boondocks. But going on that very +broad assumption, I guess I'm describing +the flip side of Mr. Roger's experience: +the paisanos (who leave behind those who +remain on a patron's rural land) move to +Manila, and (the second assumption) squat +in shantytowns there, at least until they +can line up a middle-class job. + +So, going on two large assumptions, I can +come up with a scenario under which title +would take 20 years: a shantytown arises +somewhere in the midst of a section (or +whatever the Spanish used to divvy up the +land) and it takes decades of arguing to +put together a package which somehow can +both compensate the owner and record lots +for the inhabitants. Just transferring +title to an existing lot, between parties +who have money, ought not to be a problem. + +The obvious solution, at least to us +barking farting chihuahuas on FoRK, is +to "introduce market mechanisms". It is +left as an exercise to come up with one +which works when many of the agents (are +perceived to) have negligible NPV. + +-Dave + +> [land reform] meant that all the agricultural producers had +> to plant crops all the time (profitable or not) ... + +What happened to more highly-capitalized +land? Putting in trees instead of crops +sounds like it might sidestep that. + +> Mr. Long, I think you'd particularly enjoy the De Soto work. + +On the "to find" list. Any chance of +an explanation of that "Bell Jar" in +the meantime? + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0033.e3fd617544226dc06abf36c95a9a2d11 b/machine-learning-ex6/ex6/easy_ham/0033.e3fd617544226dc06abf36c95a9a2d11 new file mode 100644 index 0000000..b9e4583 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0033.e3fd617544226dc06abf36c95a9a2d11 @@ -0,0 +1,101 @@ +From neugens@libero.it Fri Aug 23 11:04:42 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BED4A44164 + for ; Fri, 23 Aug 2002 06:03:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:50 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MJiiZ22036 for + ; Thu, 22 Aug 2002 20:44:44 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA06503 for + ; Thu, 22 Aug 2002 20:44:51 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 3B4388F353; Thu, 22 Aug 2002 12:41:59 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 10062 invoked from network); 22 Aug 2002 17:41:11 -0000 +Content-Type: text/plain; charset="us-ascii" +From: Mario Torre +To: secprog@securityfocus.com +Subject: Encryption approach to secure web applications +Date: Thu, 22 Aug 2002 20:15:15 +0200 +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Message-Id: <200208222015.15926.neugens@libero.it> +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7MJiiZ22036 + +Hi everybody! + +I'm writing a web application in java (tomcat + jsp/servlets + database +access with postgreSQL). + +This will be released under the GPL and will eventually be useful as a +framework for other web applications. + +The application main focus is e-commerce, but not limited to that. + +I would like to use some form of cryptography to protect data on the +database, but I have some problem figuring out the right approach. + +Above all, how to store passwords and keys in a shared web server. + +A problem that I was unable to solve is how to store keys for +encryption/decryption. The api that I'm using is the jca (jdk1.4.x), +and the methods of saving generated keys in keystores fails always. + +I can serialize the object, and store in the database, but this is not +the most secure approach: this key is needed to decrypt data in the +database, but the database is accessible from the web application. +Assuming that I can find a good and secure place where to store the +database password, I can use a different database with different +user... Argh... to complex and doesn't really solve the problem. + +Where I can found good documentation about this topic? + +There is another approach that I would share with the list, something I +thought that can be of bit interest, but probabily wrong and insecure. +After all, I'm a real beginner in secure programming, and I'm here to +learn methods and technics. + +First of all, I need a secure way to keep database passwords secure, so +I have to keep them separate from the main server. The right approach +could be using a small java bean application that run as normal user +(not tomcat, so it is not shared with other web services or, worst, the +nobody user), that has no shell login, but has a default home directory +or a place where it can hold passwords and keys. + +The web application could then open an ssl connection (could be done in +the init method at server startup) to get database passwords. The small +bean could check via code signature/rmi/whatever else that the source +is the right one, and handle all the database connections, or give the +db connection/password to the main web application. + +In this way, we solve the problem of keeping the keys and passwords in +shared directories, and also, an attacker should get root/bean user +account to read data. This is not perfect, and works only if your +provider gives the opportunity to configure a separated java +application (that means, really, another server running in the +background). + +Any suggestions? + +Thank you, +Mario Torre +-- +Please avoid sending me Word or PowerPoint attachments. +See http://www.fsf.org/philosophy/no-word-attachments.html + diff --git a/machine-learning-ex6/ex6/easy_ham/0034.4be53f8dac3bd651ace83a38b6313c45 b/machine-learning-ex6/ex6/easy_ham/0034.4be53f8dac3bd651ace83a38b6313c45 new file mode 100644 index 0000000..1bbc7f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0034.4be53f8dac3bd651ace83a38b6313c45 @@ -0,0 +1,113 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:04:05 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7F45444159 + for ; Fri, 23 Aug 2002 06:03:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:34 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIZPZ19882 for + ; Thu, 22 Aug 2002 19:35:25 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 571363F43A; Thu, 22 Aug 2002 + 14:35:10 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A6F683FD36 + for ; Thu, 22 Aug 2002 14:23:32 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MINTq05527 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 14:23:29 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MINTY05519 for + ; Thu, 22 Aug 2002 14:23:29 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7MI8xl17687 for ; Thu, 22 Aug 2002 14:08:59 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 64D053F25; + Thu, 22 Aug 2002 20:23:22 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 634573F23; Thu, 22 Aug 2002 + 20:23:22 +0200 (CEST) +To: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: CVS report +From: Anders Eriksson +In-Reply-To: Your message of + "Thu, 22 Aug 2002 12:49:41 CDT." + <1030038582.14329.TMDA@deepeddy.vircio.com> +Message-Id: <20020822182322.64D053F25@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 20:23:17 +0200 + + +Oooops! + +Doesn't work at all. Got this on startup and on any attempt to change folder (which fail) + +/Anders + +can't read "flist(seqcount,lists/exmh,unseen)": no such element in array + (reading value of variable to increment) + invoked from within +"incr flist(seqcount,$folder,$seq) $delta" + (procedure "Seq_Del" line 16) + invoked from within +"Seq_Del $exmh(folder) $mhProfile(unseen-sequence) $msgid" + (procedure "MsgSeen" line 7) + invoked from within +"MsgSeen $msgid" + (procedure "MsgShow" line 12) + invoked from within +"MsgShow $msgid" + (procedure "MsgChange" line 17) + invoked from within +"MsgChange 73 show" + invoked from within +"time [list MsgChange $msgid $show" + (procedure "Msg_Change" line 3) + invoked from within +"Msg_Change $msg(id) $show" + (procedure "Msg_Show" line 7) + invoked from within +"Msg_Show cur" + ("eval" body line 1) + invoked from within +"eval $msgShowProc" + (procedure "FolderChange" line 55) + invoked from within +"FolderChange lists/exmh {Msg_Show cur}" + invoked from within +"time [list FolderChange $folder $msgShowProc" + (procedure "Folder_Change" line 3) + invoked from within +"Folder_Change $exmh(folder)" + (procedure "Exmh" line 101) + invoked from within +"Exmh" + ("after" script) + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0035.50b257408356cfcfce8cf2afe9fd7959 b/machine-learning-ex6/ex6/easy_ham/0035.50b257408356cfcfce8cf2afe9fd7959 new file mode 100644 index 0000000..7e4e084 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0035.50b257408356cfcfce8cf2afe9fd7959 @@ -0,0 +1,67 @@ +From craig@deersoft.com Fri Aug 23 11:03:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D5BBB44156 + for ; Fri, 23 Aug 2002 06:03:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:29 +0100 (IST) +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MISAZ19627 for ; Thu, 22 Aug 2002 19:28:10 +0100 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17hwgo-00049c-00; Thu, 22 Aug 2002 14:28:14 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id 05665A3FD9; + Thu, 22 Aug 2002 11:28:12 -0700 (PDT) +Date: Thu, 22 Aug 2002 11:28:13 -0700 +Subject: Re: [SAdev] 2.40 RELEASE PROCESS: mass-check status, folks? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: "Malte S. Stretz" , + SpamAssassin-devel@lists.sourceforge.net, + SpamAssassin-talk@lists.sourceforge.net +To: zzzz@example.com (Justin Mason) +From: "Craig R.Hughes" +In-Reply-To: <20020822172428.4FCCD43F99@phobos.labs.netnoteinc.com> +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) + + +On Thursday, August 22, 2002, at 10:24 AM, Justin Mason wrote: + +> I plan to +> +> 1. figure out the freqs tonight, suggest what tests to drop +> 2. wait for comments +> 3. drop tests that nobody cares about tomorrow +> 4. sed out the dropped tests from the mass-check logs + +This step is unneccesary -- unless you've changed the scripts +much, any test in the logs which aren't in the rules files will +just be ignored I think. You do seem to have changed the +logs-to-c script and removed the bit where you could specify +immutable tests at the top -- I took a brief glance through the +code and couldn't fully make out how it had changed. I think we +want to be able to specify immutable test scores though in there +somewhere -- or is that now handled by the tflags stuff? For +the last couple releases, any test which occurred infrequently +(by thumb-in-the-wind subjective criteria) I set to have +immutable scores, as well as a handful of other rules. + +> 5. kick off the GA +> +> BTW I'll be away this weekend at Linuxbierwanderung, so Craig, +> you might +> have to run the GA. ;) + +Shouldn't be a problem. Assuming I can get the darned thing to +compile :) + +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/0036.7ca216a105267375948e13b460d1fb8f b/machine-learning-ex6/ex6/easy_ham/0036.7ca216a105267375948e13b460d1fb8f new file mode 100644 index 0000000..7930f00 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0036.7ca216a105267375948e13b460d1fb8f @@ -0,0 +1,104 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:05 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 284A84415A + for ; Fri, 23 Aug 2002 06:03:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:36 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIpgZ20384 for + ; Thu, 22 Aug 2002 19:51:46 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 1515D3ED34; Thu, 22 Aug 2002 + 14:51:45 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DE5573FA56 + for ; Thu, 22 Aug 2002 14:43:11 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MIh9W11686 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 14:43:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MIh8Y11682 for + ; Thu, 22 Aug 2002 14:43:08 -0400 +Received: from tater ([128.221.30.58]) by mx1.example.com (8.11.6/8.11.6) + with SMTP id g7MIScl23509 for ; Thu, 22 Aug 2002 + 14:28:39 -0400 +Received: from tater.emc.com (tater.lanminds.com [127.0.0.1]) by tater + (Postfix) with ESMTP id 2E5BCF5B3 for ; + Thu, 22 Aug 2002 14:43:03 -0400 (EDT) +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Message from Ulises Ponce of + "Thu, 22 Aug 2002 13:03:57 CDT." + <200208221803.g7MI3vV17471@mail.banirh.com> +References: <200208221803.g7MI3vV17471@mail.banirh.com> +From: Paul Lussier +Message-Id: <20020822184303.2E5BCF5B3@tater> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 14:43:03 -0400 + +In a message dated: Thu, 22 Aug 2002 13:03:57 CDT +Ulises Ponce said: + +>Thanks Tony, but I think doing it using component files will get a .signature +>by default, but I have many diferent signatures and I want to insert one of +>that signatures using a keyboard command. So for a message I will insert a +>signature, but for another message I will insert a different signature. +> +>Is it possible? I am using sedit for my messages. + +Ahm, if you don't object to using a mouse for such things, exmh has +the ability to insert different sigs on demand. Create a bunch of +different sig files, all beginning with .signature, and at start up, +exmh will load them all. In the Sedit window, you'll see a Sign... +menu item which will allow you to select between each of the listed +.signature files for *that* e-mail. You can actually use several if +you'd like (though I don't remember what Preferences... option allows +for this). + +However, the signature gets added on send, not inserted directly into +the existing Sedit window prior to composition. + +I currently have 6 different sig files I can choose between. + +Additionally, if a .signature file has the execute bit turned on, +exmh will attempt to execute the file and use the stdout of the +script as your signature. + +I hope this helps some. +-- + +Seeya, +Paul +-- + It may look like I'm just sitting here doing nothing, + but I'm really actively waiting for all my problems to go away. + + If you're not having fun, you're not doing it right! + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0037.0c57a93c0241775d406efecf43ba19cf b/machine-learning-ex6/ex6/easy_ham/0037.0c57a93c0241775d406efecf43ba19cf new file mode 100644 index 0000000..ede3536 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0037.0c57a93c0241775d406efecf43ba19cf @@ -0,0 +1,126 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:17 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 61F8D4415C + for ; Fri, 23 Aug 2002 06:03:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:39 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIvjZ20597 for + ; Thu, 22 Aug 2002 19:57:45 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6320F3F680; Thu, 22 Aug 2002 + 14:57:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1D0903ECFA + for ; Thu, 22 Aug 2002 14:54:12 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MIs9h15215 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 14:54:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MIs6Y15205 for + ; Thu, 22 Aug 2002 14:54:08 -0400 +Received: from mail.banirh.com + (adsl-javier-quezada-55499267.prodigy.net.mx [200.67.254.229]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MIdZl26775 for + ; Thu, 22 Aug 2002 14:39:36 -0400 +Received: from mail.banirh.com (IDENT:ulises@localhost [127.0.0.1]) by + mail.banirh.com (8.10.2/8.9.3) with ESMTP id g7MIrtV21872 for + ; Thu, 22 Aug 2002 13:53:55 -0500 +Message-Id: <200208221853.g7MIrtV21872@mail.banirh.com> +X-Mailer: exmh version 2.3.1 01/15/2001 with nmh-1.0.3 +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Your message of + "Thu, 22 Aug 2002 14:43:03 EDT." + <20020822184303.2E5BCF5B3@tater> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Ulises Ponce +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 13:53:55 -0500 + +Thanks Paul, +That is the way I am doing right now, but I would like to NOT use the mouse +for such things. Any other clue? + +-- + +Saludos, +Ulises + + Speaking words of wisdom ... + + +> In a message dated: Thu, 22 Aug 2002 13:03:57 CDT +> Ulises Ponce said: +> +> >Thanks Tony, but I think doing it using component files will get a .signature +> >by default, but I have many diferent signatures and I want to insert one of +> >that signatures using a keyboard command. So for a message I will insert a +> >signature, but for another message I will insert a different signature. +> > +> >Is it possible? I am using sedit for my messages. +> +> Ahm, if you don't object to using a mouse for such things, exmh has +> the ability to insert different sigs on demand. Create a bunch of +> different sig files, all beginning with .signature, and at start up, +> exmh will load them all. In the Sedit window, you'll see a Sign... +> menu item which will allow you to select between each of the listed +> .signature files for *that* e-mail. You can actually use several if +> you'd like (though I don't remember what Preferences... option allows +> for this). +> +> However, the signature gets added on send, not inserted directly into +> the existing Sedit window prior to composition. +> +> I currently have 6 different sig files I can choose between. +> +> Additionally, if a .signature file has the execute bit turned on, +> exmh will attempt to execute the file and use the stdout of the +> script as your signature. +> +> I hope this helps some. +> -- +> +> Seeya, +> Paul +> -- +> It may look like I'm just sitting here doing nothing, +> but I'm really actively waiting for all my problems to go away. +> +> If you're not having fun, you're not doing it right! +> +> +> +> +> _______________________________________________ +> Exmh-users mailing list +> Exmh-users@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-users + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0038.f2ffa1197c969d067be4d01c26fa9b5e b/machine-learning-ex6/ex6/easy_ham/0038.f2ffa1197c969d067be4d01c26fa9b5e new file mode 100644 index 0000000..305e435 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0038.f2ffa1197c969d067be4d01c26fa9b5e @@ -0,0 +1,71 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:42 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 762374415C + for ; Fri, 23 Aug 2002 06:06:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:30 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHxuZ18619 for + ; Thu, 22 Aug 2002 18:59:56 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id SAA14875; Thu, 22 Aug 2002 18:57:44 +0100 +Received: from ni-mail1.dna.utvinternet.net (mail.d-n-a.net [194.46.8.11]) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id SAA14844 for + ; Thu, 22 Aug 2002 18:57:36 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.d-n-a.net + [194.46.8.11] claimed to be ni-mail1.dna.utvinternet.net +Received: from mail.dnet.co.uk (unverified [194.46.8.61]) by + ni-mail1.dna.utvinternet.net (Vircom SMTPRS 1.4.232) with SMTP id + ; Thu, 22 Aug 2002 18:55:19 + +0100 +From: "Peter Staunton" +Reply-To: peter@staunton.ie +To: ilug@linux.ie +Date: Thu, 22 Aug 2002 18:57:35 GMT +X-Mailer: DMailWeb Web to Mail Gateway 1.8s, http://netwinsite.com/top_mail.htm +Message-Id: <3d65260f.948.0@mail.dnet.co.uk> +X-User-Info: 159.134.226.168 +Subject: [ILUG] Newbie seeks advice - Suse 7.2 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Folks, + +my first time posting - have a bit of Unix experience, but am new to Linux. + + +Just got a new PC at home - Dell box with Windows XP. Added a second hard disk +for Linux. Partitioned the disk and have installed Suse 7.2 from CD, which went +fine except it didn't pick up my monitor. + +I have a Dell branded E151FPp 15" LCD flat panel monitor and a nVidia GeForce4 +Ti4200 video card, both of which are probably too new to feature in Suse's default +set. I downloaded a driver from the nVidia website and installed it using RPM. +Then I ran Sax2 (as was recommended in some postings I found on the net), but +it still doesn't feature my video card in the available list. What next? + +Another problem. I have a Dell branded keyboard and if I hit Caps-Lock twice, +the whole machine crashes (in Linux, not Windows) - even the on/off switch is +inactive, leaving me to reach for the power cable instead. + +If anyone can help me in any way with these probs., I'd be really grateful - +I've searched the 'net but have run out of ideas. + +Or should I be going for a different version of Linux such as RedHat? Opinions +welcome. + +Thanks a lot, +Peter + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0039.5bf1ec6602c4657bac8d566604572ad5 b/machine-learning-ex6/ex6/easy_ham/0039.5bf1ec6602c4657bac8d566604572ad5 new file mode 100644 index 0000000..cb8ee83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0039.5bf1ec6602c4657bac8d566604572ad5 @@ -0,0 +1,114 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:07:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0B32F43F9B + for ; Fri, 23 Aug 2002 06:05:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:05:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N41MZ09475 for + ; Fri, 23 Aug 2002 05:01:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 490A93ED5C; Fri, 23 Aug 2002 + 00:01:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3A4823FEBE + for ; Thu, 22 Aug 2002 23:27:26 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N3RN705039 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 23:27:23 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N3RNY05035 for + ; Thu, 22 Aug 2002 23:27:23 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N3Cel13970 for ; + Thu, 22 Aug 2002 23:12:41 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N3QPl20072 for + ; Fri, 23 Aug 2002 10:26:29 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MJ5JW16325 for ; + Fri, 23 Aug 2002 02:05:19 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Anolther sequence related traceback +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <16323.1030043119@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 02:05:19 +0700 + +Just got this ... I was just reading mail, but in a very dark +room, where the keyboard is illuminated mostly by the light from +the (laptop) screen. I think I put my fingers on the wrong keys. +(I mostly use the keyboard exclusively while running exmh). + +This is from today's cvs (the fixes for the problems I mentioned +yesterday are included) - I eventually managed to contact the cvs +server. + +expected integer but got "" + while executing +"incr m" + (procedure "MhSeqExpand" line 12) + invoked from within +"MhSeqExpand $folder $msgids" + (procedure "MhSeq" line 2) + invoked from within +"MhSeq $folder $seq $how $oldmsgids $msgids" + (procedure "Mh_SequenceUpdate" line 54) + invoked from within +"Mh_SequenceUpdate $folder replace $seq $msgids" + (procedure "Seq_Set" line 4) + invoked from within +"Seq_Set $folder cur $msgid" + (procedure "Mh_SetCur" line 7) + invoked from within +"Mh_SetCur $exmh(folder) $msgid" + (procedure "MsgChange" line 5) + invoked from within +"MsgChange - noshow" + invoked from within +"time [list MsgChange $msgid $show" + (procedure "Msg_Change" line 3) + invoked from within +"Msg_Change $select(sel) noshow" + (procedure "SelectTypein" line 14) + invoked from within +"SelectTypein .mid.right.top.msg -" + (command bound to event) + +kre + +ps: I have the sequences window vertical instead of horizontal, and the +"colours from the ftoc" stuff all deleted, and it is looking just about as +good as the old unseen window used to look. I still have some work to +do to make it a little nicer (listboxes seem to have some strange habits) +and then I need to make it all optional and parameterized, at the minute +I'm just embedding stuff in the code, much quicker for prototyping. Once +its done, I'll send a patch for someone to look over. + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0040.930593a7e616570a2b63f2d774847316 b/machine-learning-ex6/ex6/easy_ham/0040.930593a7e616570a2b63f2d774847316 new file mode 100644 index 0000000..4bff8c8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0040.930593a7e616570a2b63f2d774847316 @@ -0,0 +1,87 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8E7C844163 + for ; Fri, 23 Aug 2002 06:03:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:46 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MJN3Z21405 for + ; Thu, 22 Aug 2002 20:23:04 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7F8C63FBD0; Thu, 22 Aug 2002 + 15:23:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3ED163FCB3 + for ; Thu, 22 Aug 2002 15:13:19 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MJDGM20736 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 15:13:16 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MJDGY20732 for + ; Thu, 22 Aug 2002 15:13:16 -0400 +Received: from tater ([128.221.30.58]) by mx1.example.com (8.11.6/8.11.6) + with SMTP id g7MIwkl31939 for ; Thu, 22 Aug 2002 + 14:58:46 -0400 +Received: from tater.emc.com (tater.lanminds.com [127.0.0.1]) by tater + (Postfix) with ESMTP id 800DFF5B3 for ; + Thu, 22 Aug 2002 15:13:10 -0400 (EDT) +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Message from Ulises Ponce of + "Thu, 22 Aug 2002 13:53:55 CDT." + <200208221853.g7MIrtV21872@mail.banirh.com> +References: <200208221853.g7MIrtV21872@mail.banirh.com> +From: Paul Lussier +Message-Id: <20020822191310.800DFF5B3@tater> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:13:10 -0400 + +In a message dated: Thu, 22 Aug 2002 13:53:55 CDT +Ulises Ponce said: + +>Thanks Paul, +>That is the way I am doing right now, but I would like to NOT use the mouse +>for such things. Any other clue? + +The best I can think of is to figure out what the command being +issued by exmh is that selects and inserts the sig and bind that to a +key sequence. That shouldn't be *too* difficult, it's just a matter +of figuring out the tcl (something my perl-based brain isn't excited +about :) +-- + +Seeya, +Paul +-- + It may look like I'm just sitting here doing nothing, + but I'm really actively waiting for all my problems to go away. + + If you're not having fun, you're not doing it right! + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0041.af4e0891f17484c10c032f713bce43de b/machine-learning-ex6/ex6/easy_ham/0041.af4e0891f17484c10c032f713bce43de new file mode 100644 index 0000000..87584b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0041.af4e0891f17484c10c032f713bce43de @@ -0,0 +1,59 @@ +From fork-admin@xent.com Fri Aug 23 11:08:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CA27244171 + for ; Fri, 23 Aug 2002 06:06:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJHVZ21324 for ; + Thu, 22 Aug 2002 20:17:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B6BE92940DE; Thu, 22 Aug 2002 12:15:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [207.5.62.130]) by xent.com (Postfix) + with ESMTP id 8BCBA294099 for ; Thu, 22 Aug 2002 12:14:38 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Thu, 22 Aug 2002 19:16:04 -08:00 +Message-Id: <3D653874.8010204@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: Chris Haun +Cc: fork@example.com +Subject: Re: lifegem +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:16:04 -0700 + +Chris Haun wrote: +> A LifeGem is a certified, high quality diamond created from the carbon of +> your loved one as a memorial to their unique and wonderful life. + +Why wait until you're dead? I'm sure there's enough carbon in +the fat from your typical liposuction job to make a decent diamond. + +- Joe + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0042.7ef6c72f88de15d72b1c0d9c164ccb78 b/machine-learning-ex6/ex6/easy_ham/0042.7ef6c72f88de15d72b1c0d9c164ccb78 new file mode 100644 index 0000000..581810f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0042.7ef6c72f88de15d72b1c0d9c164ccb78 @@ -0,0 +1,55 @@ +From fork-admin@xent.com Fri Aug 23 11:08:26 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BA70647C68 + for ; Fri, 23 Aug 2002 06:06:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJOSZ21435 for ; + Thu, 22 Aug 2002 20:24:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 532572940E5; Thu, 22 Aug 2002 12:22:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 19BE0294099 for ; Thu, + 22 Aug 2002 12:21:43 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D1DEE3EC9E; + Thu, 22 Aug 2002 15:25:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id D04DE3EC10; Thu, 22 Aug 2002 15:25:24 -0400 (EDT) +From: Tom +To: "Joseph S. Barrera III" +Cc: Chris Haun , +Subject: Re: lifegem +In-Reply-To: <3D653874.8010204@barrera.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:25:24 -0400 (EDT) + +On Thu, 22 Aug 2002, Joseph S. Barrera III wrote: +--]Why wait until you're dead? I'm sure there's enough carbon in +--]the fat from your typical liposuction job to make a decent diamond. + +So thats why I keep seeing DeBeers agents hovering around me. + +-tom(diamonds in the folds of my flesh)wsmf + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0043.2ea45c42b1ea15bc214723e142b81127 b/machine-learning-ex6/ex6/easy_ham/0043.2ea45c42b1ea15bc214723e142b81127 new file mode 100644 index 0000000..6bdc6ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0043.2ea45c42b1ea15bc214723e142b81127 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Fri Aug 23 11:08:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C348B44163 + for ; Fri, 23 Aug 2002 06:06:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJSYZ21645 for ; + Thu, 22 Aug 2002 20:28:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 03FCD2940ED; Thu, 22 Aug 2002 12:26:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 9B3612940EA for + ; Thu, 22 Aug 2002 12:25:08 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17hxYk-00009P-00; Thu, 22 Aug 2002 16:23:58 -0300 +Message-Id: <3D653BBF.3060209@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Joseph S. Barrera III" +Cc: Chris Haun , fork@example.com +Subject: Re: lifegem +References: + <3D653874.8010204@barrera.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:30:07 -0300 + +Joseph S. Barrera III wrote: + +> Chris Haun wrote: +> +>> A LifeGem is a certified, high quality diamond created from the +>> carbon of your loved one as a memorial to their unique and wonderful +>> life. +> +> +> Why wait until you're dead? I'm sure there's enough carbon in +> the fat from your typical liposuction job to make a decent diamond. +> +> - Joe +> +Oh, hell - what about excrement? I'd love to be able to say - No, the +sun doesn't shine out of my ass, but there's the occasional diamond. ;-). + +Owen + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0044.f1db2c76854ee58bc73d0c85ca6a86d2 b/machine-learning-ex6/ex6/easy_ham/0044.f1db2c76854ee58bc73d0c85ca6a86d2 new file mode 100644 index 0000000..fa82af3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0044.f1db2c76854ee58bc73d0c85ca6a86d2 @@ -0,0 +1,122 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:51 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7419C4416C + for ; Fri, 23 Aug 2002 06:06:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:33 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MJtgZ22471 for + ; Thu, 22 Aug 2002 20:55:42 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id UAA19436; Thu, 22 Aug 2002 20:53:00 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail02.svc.cra.dublin.eircom.net + (mail02.svc.cra.dublin.eircom.net [159.134.118.18]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id UAA19403 for ; Thu, + 22 Aug 2002 20:52:53 +0100 +Received: (qmail 50842 messnum 34651 invoked from + network[159.134.205.176/p432.as1.athlone1.eircom.net]); 22 Aug 2002 + 19:52:16 -0000 +Received: from p432.as1.athlone1.eircom.net (HELO darkstar) + (159.134.205.176) by mail02.svc.cra.dublin.eircom.net (qp 50842) with SMTP; + 22 Aug 2002 19:52:16 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Ciaran Johnston +Organization: nologic.org +To: +Subject: Re: [ILUG] Formatting a windows partition from Linux +Date: Thu, 22 Aug 2002 20:58:07 +0100 +User-Agent: KMail/1.4.1 +References: <1029944325.29456.28.camel@dubrhlnx1> + <26030.194.237.142.30.1029943301.squirrel@mail.nologic.org> +In-Reply-To: <26030.194.237.142.30.1029943301.squirrel@mail.nologic.org> +MIME-Version: 1.0 +Message-Id: <200208222058.07760.cj@nologic.org> +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by lugh.tuatha.org id + UAA19403 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Update on this for anyone that's interested, and because I like closed +threads... nothing worse than an infinite while loop, is there? + +I ended up formatting a floppy on my flatmate's (un-networked) P100 running +FAT16 Win95, and mcopied the contents of the bootdisk across. Now I have a +FAT16 Win98 install running alongside Slackware, and can play Metal Gear +Solid when the mood takes me ;) + +/Ciaran. + +On Wednesday 21 August 2002 16:21, Ciaran Johnston wrote: +> Dublin said: +> > If you copy the files from your disk to the c: partition and mark it as +> > active it should work ... +> +> Yeah, I figured that, but it doesn't seem to ... well, if that's the case +> I'll give it another go tonight, maybe come back with some error messages. +> +> Just to clarify for those who didn't understand me initially - I have a +> floppy drive installed, but it doesn't physically work. There's nowhere +> handy to pick one up where I am, and I don't fancy waiting a few days for +> one to arrive from Peats. +> +> Thanks for the answers, +> Ciaran. +> +> > You especially need io.sys, command.com and msdos.sys +> > +> > your cd driver .sys and read the autoexec.bat and config.sys files for +> > hints on what you did with your boot floppy +> > +> > P +> > +> > On Wed, 2002-08-21 at 14:07, Ciaran Johnston wrote: +> >> Hi folks, +> >> The situation is this: at home, I have a PC with 2 10Gig HDDs, and no +> >> (working) floppy drive. I have been running Linux solely for the last +> >> year, but recently got the urge to, among other things, play some of +> >> my Windoze games. I normally install the windows partition using a +> >> boot floppy which I have conveniently zipped up, but I haven't any way +> >> of writing or reading a floppy. +> >> So, how do I go about: +> >> 1. formatting a C: drive with system files (normally I would use +> >> format /s c: from the floppy). +> >> 2. Installing the CDROM drivers (my bootdisk (I wrote it many years +> >> ago) does this normally). +> >> 3. Booting from the partition? +> >> +> >> I wiped all my linux partitions from the first drive and created +> >> partitions for Windows (HDA1) Slackware and RedHat. I used cfdisk for +> >> this. I made the first drive (hda) bootable. I then installed the +> >> windows partition in LILO and reran lilo (installed in MBR). I copied +> >> the contents of boot.zip to my new windows partition and tried to boot +> >> it - all I get is a garbled line of squiggles. +> >> +> >> Anyone any ideas? I can't think of anywhere in Athlone to get a new +> >> floppy drive this evening... +> >> +> >> Thanks, +> >> Ciaran. +> >> +> >> +> >> +> >> -- +> >> Irish Linux Users' Group: ilug@linux.ie +> >> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +> >> information. List maintainer: listmaster@linux.ie + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0045.910fa2e79f96c646f1b6c987c65cbe3f b/machine-learning-ex6/ex6/easy_ham/0045.910fa2e79f96c646f1b6c987c65cbe3f new file mode 100644 index 0000000..cd776a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0045.910fa2e79f96c646f1b6c987c65cbe3f @@ -0,0 +1,129 @@ +From fork-admin@xent.com Fri Aug 23 11:08:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BE9C147C69 + for ; Fri, 23 Aug 2002 06:06:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MK4SZ22618 for ; + Thu, 22 Aug 2002 21:04:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E6AD62940D8; Thu, 22 Aug 2002 13:02:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 790A7294099 for ; Thu, + 22 Aug 2002 13:01:08 -0700 (PDT) +Received: (qmail 21546 invoked from network); 22 Aug 2002 20:02:51 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 22 Aug 2002 20:02:51 -0000 +Reply-To: +From: "John Hall" +To: +Subject: Property rights in the 3rd World (De Soto's Mystery of Capital) +Message-Id: <008701c24a16$e3443830$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <200208221811.LAA21283@maltesecat> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 13:02:45 -0700 + + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Dave +> Long +> Sent: Thursday, August 22, 2002 11:12 AM +> To: fork@example.com +> Subject: RE: The Curse of India's Socialism +> +> +> +> When I'd read that "getting legal title +> can take 20 years", when I believe that +> 1 year ought to be more than sufficient, +> (and helped by the Cairo reference) I'd +> assumed that we were talking about the +> urban poor. +> +> If I see people living in mansions, or +> even in suburban subdivisions, I assume +> they didn't have too much trouble with +> their titles. + +Pg 177: +In another country, a local newspaper, intrigued by our evidence of +extralegal real estate holdings, checked to see if the head of state's +official residence had a recorded title. It did not. + +Pg 92: +The value of land in the formal sector of Lima averages US$50 per square +meter, whereas in the area of Gamarra, where a great deal of Peru's +informal manufacturing sector resides, the value per square meter can go +as high as US$3,000. + +========== + +I'd have made the same assumption you did. De Soto says that isn't +correct. You can find mansions that don't have title. A lot of them, +in fact. But they can't be used for collateral for a loan, or otherwise +participate as 'capital' because of their extra-legal status. + + +> > Mr. Long, I think you'd particularly enjoy the De Soto work. +> +> On the "to find" list. Any chance of +> an explanation of that "Bell Jar" in +> the meantime? + +French historian Fernand Braudel (so Braudel's Bell Jar, not De Soto's) + +==> + +The key problem is to find out why that sector of society of the past, +which I would not hesitate to call capitalist, should have lived as if +in a bell jar, cut off from the rest; why was it not able to expand and +conquer the whole of society? ... [Why was it that] a significant rate +of capital formation was possible only in certain sectors and not in the +whole market economy of the time? ... It would perhaps be teasingly +paradoxial to say that whatever was in short supply, money certainly was +not ... so this was an age where poor land was bought up and magnificent +country residents built ... [How do we] resolve the contradiction ... +between the depressed economic climate and the splendors of Florence +under Lorenzo the Magnificent? + + +-------------- + +De Soto's theory is that the Bell Jar is formed when you segregate those +who have *practical* access to legal property rights and those who do +not. The poor[1] have property -- lots and lots of property. What they +don't have is access to the systems where we turn property into capital +and allow it to start growing. Their property can only be exchanged +with a small section of people who know them personally. + +[1] Actual poor people, not 'poor' Americans with a living standard that +is the envy of most of the world. + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0046.05e8a863eaf20f90374d0a15427d9a16 b/machine-learning-ex6/ex6/easy_ham/0046.05e8a863eaf20f90374d0a15427d9a16 new file mode 100644 index 0000000..e974b4d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0046.05e8a863eaf20f90374d0a15427d9a16 @@ -0,0 +1,52 @@ +From fork-admin@xent.com Fri Aug 23 11:08:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE73347C6A + for ; Fri, 23 Aug 2002 06:06:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MKBTZ22948 for ; + Thu, 22 Aug 2002 21:11:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E9D40294183; Thu, 22 Aug 2002 13:09:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 317F2294099 for + ; Thu, 22 Aug 2002 13:08:01 -0700 (PDT) +Received: (qmail 2336 invoked by uid 500); 22 Aug 2002 20:09:34 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 22 Aug 2002 20:09:34 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: fork@example.com +Subject: public mailing list sign up package +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:09:34 -0400 (EDT) + +Has anyone seen/heard of/used some package that would let a random person +go to a webpage, create a mailing list, then administer that list. Also +of course let ppl sign up for the lists and manage their subscriptions. +Similar to the old listbot.org, but i'd like to have it running on my +server not someone elses :) + +Chris + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0047.5c3e049737a2813d4ac6f13f02362fb1 b/machine-learning-ex6/ex6/easy_ham/0047.5c3e049737a2813d4ac6f13f02362fb1 new file mode 100644 index 0000000..810a39e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0047.5c3e049737a2813d4ac6f13f02362fb1 @@ -0,0 +1,128 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:04:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2E45844162 + for ; Fri, 23 Aug 2002 06:03:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:03:56 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MKYqZ23456 for + ; Thu, 22 Aug 2002 21:34:52 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id CAAE640F2B; Thu, 22 Aug 2002 + 16:31:34 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DB93E40EF8 + for ; Thu, 22 Aug 2002 16:28:14 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MKSBK05009 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 16:28:11 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MKSBY05005 for + ; Thu, 22 Aug 2002 16:28:11 -0400 +Received: from austin-jump.vircio.com + (IDENT:82tsCXFmK++GyOiDHJbs18xfEBERjSkG@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MKDfl14249 + for ; Thu, 22 Aug 2002 16:13:41 -0400 +Received: (qmail 24109 invoked by uid 104); 22 Aug 2002 20:28:10 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.366145 + secs); 22/08/2002 15:28:10 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 20:28:10 -0000 +Received: (qmail 20300 invoked from network); 22 Aug 2002 20:28:07 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?KCbAAdDTk0hKfb6XCFGWgd9YDZ2s+oNu?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 20:28:07 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822182322.64D053F25@milou.dyndns.org> +References: <20020822182322.64D053F25@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_267413022P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030048087.20291.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:28:05 -0500 + +--==_Exmh_267413022P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 20:23:17 +0200 +> +> +> Oooops! +> +> Doesn't work at all. Got this on startup and on any attempt to change folde +> r (which fail) + +~sigh~ I'd already found that and checked it in....apparently I did so after +you checked it out and before you sent this mail...I hoped I was fast enough +that you wouldn't see it. + +Try again! + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_267413022P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZUlVK9b4h5R0IUIRAr4LAJ9Mhzgw03dF2qiyqtMks72364uaqwCeJxp1 +23jNAVlrHHIDRMvMPXnfzoE= +=HErg +-----END PGP SIGNATURE----- + +--==_Exmh_267413022P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0048.6dbad96d78f9dd6100a4ad2a8b8086b6 b/machine-learning-ex6/ex6/easy_ham/0048.6dbad96d78f9dd6100a4ad2a8b8086b6 new file mode 100644 index 0000000..2a35de7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0048.6dbad96d78f9dd6100a4ad2a8b8086b6 @@ -0,0 +1,58 @@ +From fork-admin@xent.com Fri Aug 23 11:08:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7EC734415F + for ; Fri, 23 Aug 2002 06:06:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7ML7TZ24823 for ; + Thu, 22 Aug 2002 22:07:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4DC062940EE; Thu, 22 Aug 2002 14:05:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 2CC18294099 for ; Thu, 22 Aug 2002 14:04:34 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D7039C44E; + Thu, 22 Aug 2002 22:58:34 +0200 (CEST) +To: fork@example.com +Subject: Entrepreneurs +Message-Id: <20020822205834.D7039C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 22:58:34 +0200 (CEST) + +An apparent quote from Dubya, from the Times (sent to me by my Dad): + +http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html + +------------------------------------------------------------------------------ +TONY BLAIR's special relationship with George W. Bush is under +considerable strain. Not only do the two disagree on Yassir Arafat's +tenure as leader of the Palestinian Authority, but Blair has started +telling disparaging anecdotes about the President. + +Baroness Williams of Crosby recalled a story told to her by 'my good +friend Tony Blair' recently in Brighton. Blair, Bush and Jacques +Chirac were discussing economics and, in particular, the decline of +the French economy. 'The problem with the French,' Bush confided in +Blair, 'is that they don't have a word for entrepreneur.' +------------------------------------------------------------------------------ + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0049.bda43370915afa1f557f7edab6913e04 b/machine-learning-ex6/ex6/easy_ham/0049.bda43370915afa1f557f7edab6913e04 new file mode 100644 index 0000000..941e112 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0049.bda43370915afa1f557f7edab6913e04 @@ -0,0 +1,41 @@ +From hauns_froehlingsdorf@infinetivity.com Fri Aug 23 11:05:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DB68D44158 + for ; Fri, 23 Aug 2002 06:04:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:08 +0100 (IST) +Received: from mail.infinetivity.com (mail.mninter.net [208.142.244.17]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7ML6xZ24796 for + ; Thu, 22 Aug 2002 22:07:01 +0100 +Received: from mail.infinetivity.com (localhost.localdomain [127.0.0.1]) + by mail.infinetivity.com (8.12.1/8.12.1) with ESMTP id g7ML75fu008107 for + ; Thu, 22 Aug 2002 16:07:05 -0500 +Received: (from hfroehli@localhost) by mail.infinetivity.com + (8.12.1/8.12.1/Submit) id g7ML75ue008106; Thu, 22 Aug 2002 16:07:05 -0500 +Date: Thu, 22 Aug 2002 16:07:05 -0500 +Message-Id: <200208222107.g7ML75ue008106@mail.infinetivity.com> +To: "Justin Mason" +From: hauns_froehlingsdorf@infinetivity.com +Subject: Re: hauns_froehlingsdorf@infinetivity.com + +This is an automated response to a message you have sent to hauns_froehlingsdorf@infinetivity.com. + +I will be out of the office until Monday, August 26 2002. + +I will reply to your email when I return. + +Hauns + +___________________________________ + +Hauns Froehlingsdorf +Network/Systems Manager +infinetivity, inc. +952-225.4200 +http://www.infinetivity.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0050.fd9291b33ecd99af26da03a7d4152dc2 b/machine-learning-ex6/ex6/easy_ham/0050.fd9291b33ecd99af26da03a7d4152dc2 new file mode 100644 index 0000000..8ba8e5d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0050.fd9291b33ecd99af26da03a7d4152dc2 @@ -0,0 +1,100 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A1E4C4416C + for ; Fri, 23 Aug 2002 06:04:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:17 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MLYdZ25762 for + ; Thu, 22 Aug 2002 22:34:39 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 10427411C1; Thu, 22 Aug 2002 + 17:29:31 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 96EAC4119D + for ; Thu, 22 Aug 2002 17:14:35 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MLEW815033 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 17:14:32 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MLEWY15028 for + ; Thu, 22 Aug 2002 17:14:32 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7ML01l23716 for ; Thu, 22 Aug 2002 17:00:01 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 849EB3F27; + Thu, 22 Aug 2002 23:14:25 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 46B3D3F26; Thu, 22 Aug 2002 + 23:14:25 +0200 (CEST) +X-Mailer: exmh version 2.5_20020822 01/15/2001 with nmh-1.0.4 +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: Message from Chris Garrigues + of + "Thu, 22 Aug 2002 15:28:05 CDT." + <1030048087.20291.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020822211425.849EB3F27@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 23:14:20 +0200 + + +>>>>> On Thu, 22 Aug 2002, "Chris" == Chris Garrigues wrote: + + Chris> --==_Exmh_267413022P Content-Type: text/plain; + Chris> charset=us-ascii + + +> From: Anders Eriksson Date: Thu, 22 Aug + +> 2002 20:23:17 +0200 + + +> Oooops! + + +> Doesn't work at all. Got this on startup and on any attempt to + +> change folde r (which fail) + + Chris> ~sigh~ I'd already found that and checked it in....apparently + Chris> I did so after you checked it out and before you sent this + Chris> mail...I hoped I was fast enough that you wouldn't see it. + + Chris> Try again! + + +Works like a charm. It's like the box was on drugs or something. + +However, while testing it a selected my favourite folder (l-k) and +marked ~400 messages unread. THAT took forever, or about as long as +Catch-up Unseen did before. Any suggestions? + +/A + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0051.9281d3f8a3faf47d09a7fafdf2caf26e b/machine-learning-ex6/ex6/easy_ham/0051.9281d3f8a3faf47d09a7fafdf2caf26e new file mode 100644 index 0000000..a986cf4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0051.9281d3f8a3faf47d09a7fafdf2caf26e @@ -0,0 +1,54 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D6804416D + for ; Fri, 23 Aug 2002 06:06:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:34 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MLTQZ25658 for + ; Thu, 22 Aug 2002 22:29:26 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id WAA23320; Thu, 22 Aug 2002 22:26:40 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from relay06.indigo.ie (relay06.indigo.ie [194.125.133.230]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id WAA23285 for ; + Thu, 22 Aug 2002 22:26:30 +0100 +Received: (qmail 8720 messnum 1046742 invoked from + network[194.125.156.67/unknown]); 22 Aug 2002 21:26:29 -0000 +Received: from unknown (HELO localhost) (194.125.156.67) by + relay06.indigo.ie (qp 8720) with SMTP; 22 Aug 2002 21:26:29 -0000 +Date: Thu, 22 Aug 2002 22:25:12 +0100 +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +From: Mark Twomey +To: ilug@linux.ie +Content-Transfer-Encoding: 7bit +Message-Id: +X-Mailer: Apple Mail (2.482) +Subject: [ILUG] Re: Sun Solaris +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Al white wrote: + + >erm... it runs Solaris x86 as standard... + +It runs Solaris 8 x86 as standard. +(I was joking Al) + +M. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0052.40794e238104d6b01f36b0f4d5145175 b/machine-learning-ex6/ex6/easy_ham/0052.40794e238104d6b01f36b0f4d5145175 new file mode 100644 index 0000000..9f30f28 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0052.40794e238104d6b01f36b0f4d5145175 @@ -0,0 +1,69 @@ +From neugens@libero.it Fri Aug 23 11:06:09 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BBCE24415B + for ; Fri, 23 Aug 2002 06:04:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:22 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MM0XZ26628 for ; Thu, 22 Aug 2002 23:00:33 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 86064A316F; Thu, 22 Aug 2002 15:50:00 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 21232 invoked from network); 22 Aug 2002 21:14:49 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Mario Torre +To: secprog@securityfocus.com +Subject: Re: Encryption approach to secure web applications +Date: Thu, 22 Aug 2002 23:49:00 +0200 +User-Agent: KMail/1.4.1 +References: <200208222015.15926.neugens@libero.it> + <00da01c24a15$561376c0$0201a8c0@home1> +In-Reply-To: <00da01c24a15$561376c0$0201a8c0@home1> +MIME-Version: 1.0 +Message-Id: <200208222349.00463.neugens@libero.it> +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7MM0XZ26628 + +Hi, + +Thank you for the useful replies, I have found some interesting +tutorials in the ibm developer connection. + +https://www6.software.ibm.com/developerworks/education/j-sec1 + +and + +https://www6.software.ibm.com/developerworks/education/j-sec2 + +Registration is needed. + +I will post the same message on the Web Application Security list, as +suggested by someone. + +For now, I thing I will use md5 for password checking (I will use the +approach described in secure programmin fo linux and unix how-to). + +I will separate the authentication module, so I can change its +implementation at anytime. + +Thank you again! + +Mario Torre +-- +Please avoid sending me Word or PowerPoint attachments. +See http://www.fsf.org/philosophy/no-word-attachments.html + diff --git a/machine-learning-ex6/ex6/easy_ham/0053.71bcb179e702d98e88fd0bc081ba0f52 b/machine-learning-ex6/ex6/easy_ham/0053.71bcb179e702d98e88fd0bc081ba0f52 new file mode 100644 index 0000000..fb8300b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0053.71bcb179e702d98e88fd0bc081ba0f52 @@ -0,0 +1,146 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:06 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D496144159 + for ; Fri, 23 Aug 2002 06:04:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MLxBZ26598 for + ; Thu, 22 Aug 2002 22:59:11 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BF8834124B; Thu, 22 Aug 2002 + 17:55:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3B2293FDE8 + for ; Thu, 22 Aug 2002 17:54:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MLsHq22079 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 17:54:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MLsHY22075 for + ; Thu, 22 Aug 2002 17:54:17 -0400 +Received: from austin-jump.vircio.com + (IDENT:HxqxW0qPlEYsJtPvTHY/QDVQoen0XAyb@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MLdkl30037 + for ; Thu, 22 Aug 2002 17:39:46 -0400 +Received: (qmail 30389 invoked by uid 104); 22 Aug 2002 21:54:16 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.45655 + secs); 22/08/2002 16:54:15 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 21:54:15 -0000 +Received: (qmail 9069 invoked from network); 22 Aug 2002 21:54:12 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?qa8Nj+W90BKiXmUEK2N6dnYAHT1le0P7?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 21:54:12 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822211425.849EB3F27@milou.dyndns.org> +References: <20020822211425.849EB3F27@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_592622610P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030053252.9051.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:54:11 -0500 + +--==_Exmh_592622610P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 23:14:20 +0200 +> +> +> >>>>> On Thu, 22 Aug 2002, "Chris" == Chris Garrigues wrote: +> +> Chris> --==_Exmh_267413022P Content-Type: text/plain; +> Chris> charset=us-ascii +> +> +> From: Anders Eriksson Date: Thu, 22 Aug +> +> 2002 20:23:17 +0200 +> +> +> Oooops! +> +> +> Doesn't work at all. Got this on startup and on any attempt to +> +> change folde r (which fail) +> +> Chris> ~sigh~ I'd already found that and checked it in....apparently +> Chris> I did so after you checked it out and before you sent this +> Chris> mail...I hoped I was fast enough that you wouldn't see it. +> +> Chris> Try again! +> +> +> Works like a charm. It's like the box was on drugs or something. +> +> However, while testing it a selected my favourite folder (l-k) and +> marked ~400 messages unread. THAT took forever, or about as long as +> Catch-up Unseen did before. Any suggestions? + +That's fixed now. I thought I'd caught all the occurrences of that particular +coding stupidity. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_592622610P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZV2CK9b4h5R0IUIRAnWSAJwLZJvK8S4LQRv57W3WIbG9U2P+ywCdExEL +kJaVNhuHKW9tp29wID5EjbU= +=HDIb +-----END PGP SIGNATURE----- + +--==_Exmh_592622610P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0054.a6fa82d1b26c7772829e54ec41a1fbd3 b/machine-learning-ex6/ex6/easy_ham/0054.a6fa82d1b26c7772829e54ec41a1fbd3 new file mode 100644 index 0000000..315f3ac --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0054.a6fa82d1b26c7772829e54ec41a1fbd3 @@ -0,0 +1,75 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1ADF744173 + for ; Fri, 23 Aug 2002 06:06:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:36 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MM4mZ26717 for + ; Thu, 22 Aug 2002 23:04:48 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id XAA25152; Thu, 22 Aug 2002 23:02:40 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from smtp018.mail.yahoo.com (smtp018.mail.yahoo.com + [216.136.174.115]) by lugh.tuatha.org (8.9.3/8.9.3) with SMTP id XAA25126 + for ; Thu, 22 Aug 2002 23:02:32 +0100 +Received: from p977.as2.cra.dublin.eircom.net (HELO mfrenchw2k) + (mfrench42@159.134.179.209 with login) by smtp.mail.vip.sc5.yahoo.com with + SMTP; 22 Aug 2002 22:02:25 -0000 +Message-Id: <004b01c24a27$149934c0$f264a8c0@sabeo.ie> +From: "Matthew French" +To: +References: +Subject: Re: [ILUG] Re: Sun Solaris +Date: Thu, 22 Aug 2002 22:58:39 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Mark Twomey joked: +> >erm... it runs Solaris x86 as standard... +> +> It runs Solaris 8 x86 as standard. +> (I was joking Al) + +And will run Solaris 9 when Sun catch up with the x86 drivers and kernel. + +Although don't hold your breath for the free DVD. It will never come. + +(Spot the person who applied for the free Solaris 9 DVD, only to be told +three months later it is no longer available.) + +FWIW Solaris and Linux seem to be getting closer all the time. I can no +longer see any specific reason why one is better than the other. Expect Red +Hat Solaris 11 any time now... + +- Matthew + + + +__________________________________________________ +Do You Yahoo!? +Everything you'll ever need on one web page +from News and Sport to Email and Music Charts +http://uk.my.yahoo.com + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0055.b5509ace7ed62c900779c0c51cca92a3 b/machine-learning-ex6/ex6/easy_ham/0055.b5509ace7ed62c900779c0c51cca92a3 new file mode 100644 index 0000000..b36eafa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0055.b5509ace7ed62c900779c0c51cca92a3 @@ -0,0 +1,108 @@ +From fork-admin@xent.com Fri Aug 23 11:08:44 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 82FE344172 + for ; Fri, 23 Aug 2002 06:06:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MM5UZ26911 for ; + Thu, 22 Aug 2002 23:05:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 055142940C8; Thu, 22 Aug 2002 15:03:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from samosa.chappati.org (ar1-nat-sp.collab.net [63.251.56.5]) + by xent.com (Postfix) with ESMTP id BED1C294099 for ; + Thu, 22 Aug 2002 15:02:43 -0700 (PDT) +Received: by samosa.chappati.org (Postfix, from userid 500) id 4F08E126E69; + Thu, 22 Aug 2002 15:04:02 -0700 (PDT) +From: Manoj Kasichainula +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020822220402.GA504@samosa.chappati.org> +Mail-Followup-To: fork@example.com +References: <20020822205834.D7039C44E@argote.ch> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020822205834.D7039C44E@argote.ch> +User-Agent: Mutt/1.5.1i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:04:02 -0700 + +On Thu, Aug 22, 2002 at 10:58:34PM +0200, Robert Harley wrote: +> An apparent quote from Dubya, from the Times (sent to me by my Dad): +> +> http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html + +http://www.snopes.com/quotes/bush.htm + +Claim: President George W. Bush proclaimed, "The problem with +the French is that they don't have a word for entrepreneur." + +Status: False. + +Origins: Yet another French fried "George W. Bush is dumb" +story has been taken up by those who like their caricatures +drawn in stark, bold lines. According to scuttlebutt that +emerged in the British press in July 2002, President Bush, +Britain's Prime Minister Tony Blair, and France's President +Jacques Chirac were discussing economics and, in particular, +the decline of the French economy. "The problem with the +French," Bush afterwards confided in Blair, "is that they don't +have a word for entrepreneur." + +The source was Shirley Williams, also known as the Baroness +Williams of Crosby, who claimed "my good friend Tony Blair" had +recently regaled her with this anecdote in Brighton. + +Lloyd Grove of The Washington Post was unable to reach Baroness +Williams to gain her confirmation of the tale, but he did +receive a call from Alastair Campbell, Blair's director of +communications and strategy. "I can tell you that the prime +minister never heard George Bush say that, and he certainly +never told Shirley Williams that President Bush did say it," +Campbell told The Post. "If she put this in a speech, it must +have been a joke." + +This is far from the first time Bush has been made the butt of +a jibe meant to showcase what some perceive as his less than +stellar intellectual abilities. Without straining our memories +too hard, we can come up with three other instances we've +chronicled on this site. In the summer of 2001, the joke of the +moment centered upon a supposed study that had resulted in the +ranking of Presidential IQs, with George W. Bush being pegged +as the Chief Executive who scraped the bottom of the +intelligence barrel. In December 2000 it was a fake Nostradamus +quatrain which pontificated that the "village idiot" would win +the 2000 Presidential election. And in the spring of 2002, it +was the story of Bush's waving at Stevie Wonder that set folks +to chortling up their sleeves. + +Stories that illustrate this widely believed intellectual +shortcoming will always waft after George W. Bush because they +seemingly confirm what many already hold as true about this +public figure, that he's not the brightest fellow that's ever +been. It is human nature to revel in yarns that the hearer at +some level agrees with, thus tales of this sort will always +fall upon appreciative ears. + +Barbara "ears of corn" Mikkelson + +Last updated: 29 July 2002 + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0056.6ac9eb23e2ef6c7e7eabc3fb0ac3038a b/machine-learning-ex6/ex6/easy_ham/0056.6ac9eb23e2ef6c7e7eabc3fb0ac3038a new file mode 100644 index 0000000..71e493b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0056.6ac9eb23e2ef6c7e7eabc3fb0ac3038a @@ -0,0 +1,105 @@ +From ilug-admin@linux.ie Fri Aug 23 11:07:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 36CBB4416E + for ; Fri, 23 Aug 2002 06:06:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:35 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MM12Z26648 for + ; Thu, 22 Aug 2002 23:01:02 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id WAA24933; Thu, 22 Aug 2002 22:59:25 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from redpie.com (redpie.com [216.122.135.208] (may be forged)) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id WAA24894 for + ; Thu, 22 Aug 2002 22:59:17 +0100 +Received: from justin ([194.46.28.223]) by redpie.com (8.8.7/8.8.5) with + SMTP id OAA03470 for ; Thu, 22 Aug 2002 14:59:13 -0700 + (PDT) +From: "Kiall Mac Innes" +To: "ILUG" +Subject: RE: [ILUG] Newbie seeks advice - Suse 7.2 +Date: Thu, 22 Aug 2002 23:06:27 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +In-Reply-To: <3d65260f.948.0@mail.dnet.co.uk> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +hehe sorry but if you hit caps lock twice the computer crashes? theres one +ive never heard before... have you tryed Dell support yet? I think dell +computers prefer RedHat... (dell provide some computers pre-loaded with red +hat) i dont know for sure tho! so get someone elses opnion as well as +mine... + +-----Original Message----- +From: ilug-admin@linux.ie [mailto:ilug-admin@linux.ie]On Behalf Of Peter +Staunton +Sent: 22 August 2002 19:58 +To: ilug@linux.ie +Subject: [ILUG] Newbie seeks advice - Suse 7.2 + + +Folks, + +my first time posting - have a bit of Unix experience, but am new to Linux. + + +Just got a new PC at home - Dell box with Windows XP. Added a second hard +disk +for Linux. Partitioned the disk and have installed Suse 7.2 from CD, which +went +fine except it didn't pick up my monitor. + +I have a Dell branded E151FPp 15" LCD flat panel monitor and a nVidia +GeForce4 +Ti4200 video card, both of which are probably too new to feature in Suse's +default +set. I downloaded a driver from the nVidia website and installed it using +RPM. +Then I ran Sax2 (as was recommended in some postings I found on the net), +but +it still doesn't feature my video card in the available list. What next? + +Another problem. I have a Dell branded keyboard and if I hit Caps-Lock +twice, +the whole machine crashes (in Linux, not Windows) - even the on/off switch +is +inactive, leaving me to reach for the power cable instead. + +If anyone can help me in any way with these probs., I'd be really grateful - +I've searched the 'net but have run out of ideas. + +Or should I be going for a different version of Linux such as RedHat? +Opinions +welcome. + +Thanks a lot, +Peter + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0057.be5e34dcebd922928045634015e3ed78 b/machine-learning-ex6/ex6/easy_ham/0057.be5e34dcebd922928045634015e3ed78 new file mode 100644 index 0000000..7fe992b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0057.be5e34dcebd922928045634015e3ed78 @@ -0,0 +1,92 @@ +From iiu-admin@taint.org Fri Aug 23 11:06:32 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AC1494416F + for ; Fri, 23 Aug 2002 06:04:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:04:29 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MNM9Z29719; + Fri, 23 Aug 2002 00:22:09 +0100 +Received: from mail00.svc.cra.dublin.eircom.net + (mail00.svc.cra.dublin.eircom.net [159.134.118.16]) by dogma.slashnull.org + (8.11.6/8.11.6) with SMTP id g7MNJfZ29657 for ; + Fri, 23 Aug 2002 00:19:41 +0100 +Received: (qmail 44295 messnum 519748 invoked from + network[159.134.100.45/k100-45.bas1.dbn.dublin.eircom.net]); + 22 Aug 2002 23:19:43 -0000 +Received: from k100-45.bas1.dbn.dublin.eircom.net (HELO ted.nua.ie) + (159.134.100.45) by mail00.svc.cra.dublin.eircom.net (qp 44295) with SMTP; + 22 Aug 2002 23:19:43 -0000 +Message-Id: <5.1.1.6.0.20020823001344.0302c548@dogma.slashnull.org> +X-Sender: antoinmail@dogma.slashnull.org +X-Mailer: QUALCOMM Windows Eudora Version 5.1.1 +To: iiu@taint.org, iiu@taint.org +From: Antoin O Lachtnain +Subject: Re: [IIU] Eircom aDSL Nat'ing +In-Reply-To: <1030032645.73395.1.camel@flapjack.netability.ie> +References: <3D650A2D.1000301@dcu.ie> <3D650A2D.1000301@dcu.ie> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: iiu-admin@taint.org +Errors-To: iiu-admin@taint.org +X-Beenthere: iiu@iiu.taint.org +X-Mailman-Version: 2.0.10 +Precedence: bulk +Reply-To: iiu@taint.org +List-Unsubscribe: , + +List-Id: Irish Internet Users +List-Post: +List-Help: +List-Subscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 00:17:46 +0100 + +At 17:10 22/08/2002 +0100, Nick Hilliard wrote: +> > apologies for the possible silly question (i don't think it is, but), +> > but is Eircom's aDSL service NAT'ed? +> +>No - you get unfiltered access with a real (but dynamic) IP address. +> +> > and what implications would that have for VoIP? I know there are +> > difficulties with VoIP or connecting to clients connected to a NAT'ed +> > network from the internet wild (i.e. machines with static, real IPs) +> +>You will probably suffer from the high latency of DLS lines. Typically, +>you're talking about 50ms RTT to the local bas, which is pretty high. +>If your voip application can handle this, then you're ok. +> +>Nick + +what's the deal with all this latency? it's not like that in other places +where I've used dsl. i read some story about it being done that way to +allow greater distances to be covered or something like that. however, my +knowledge of physics is really only newtonian, and I don't understand how +worsening latency could possibly improve the reliability of a 2000 foot +long piece of copper. Perhaps it has something to do with stretching the +time-space continuum? can someone explain this in words of five syllables +or less? + +a. + + + +>_______________________________________________ +>IIU mailing list +>IIU@iiu.taint.org +>http://iiu.taint.org/mailman/listinfo/iiu + +-- + +Antoin O Lachtnain +** antoin@eire.com ** http://www.eire.com ** +353-87-240-6691 + +_______________________________________________ +IIU mailing list +IIU@iiu.taint.org +http://iiu.taint.org/mailman/listinfo/iiu + diff --git a/machine-learning-ex6/ex6/easy_ham/0058.a7c28223050c35c3a22ac4e2b5969111 b/machine-learning-ex6/ex6/easy_ham/0058.a7c28223050c35c3a22ac4e2b5969111 new file mode 100644 index 0000000..61d6f1e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0058.a7c28223050c35c3a22ac4e2b5969111 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Fri Aug 23 11:08:46 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6D38B47C6C + for ; Fri, 23 Aug 2002 06:06:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MNQTZ29953 for ; + Fri, 23 Aug 2002 00:26:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 02B56294186; Thu, 22 Aug 2002 16:24:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail1.panix.com (mail1.panix.com [166.84.1.72]) by xent.com + (Postfix) with ESMTP id 403D8294099 for ; Thu, + 22 Aug 2002 16:23:54 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail1.panix.com (Postfix) with ESMTP id 414A54877A for + ; Thu, 22 Aug 2002 19:25:38 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: "Fork@Xent.Com" +Subject: Re: The case for spam +In-Reply-To: <3D6556DC.5070408@permafrost.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 19:18:12 -0400 (EDT) + + +Political mail (the snail kind) doesn't bother me. I like it a lot of the +time, because as crap as it is at least it's not the kind of info you get +on TV. Particularly for small time local politics, it's the best way to +get information. + +but what matters is that mail is speech, and political email has to be as +well protected as any other political speech. Spam is *the* tool for +dissident news, since the face that it's unsolicited means that recipients +can't be blamed for being on a mailing list. + + + + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0059.b3b1b1d95976b70d9bbd6c39c6b8d5d2 b/machine-learning-ex6/ex6/easy_ham/0059.b3b1b1d95976b70d9bbd6c39c6b8d5d2 new file mode 100644 index 0000000..5197372 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0059.b3b1b1d95976b70d9bbd6c39c6b8d5d2 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Fri Aug 23 11:08:50 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3AE1947C6D + for ; Fri, 23 Aug 2002 06:06:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N16TZ03375 for ; + Fri, 23 Aug 2002 02:06:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6F482940E1; Thu, 22 Aug 2002 18:04:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id DE0D3294099 for ; Thu, 22 Aug 2002 18:03:05 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D63AEC44E; + Fri, 23 Aug 2002 02:57:05 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823005705.D63AEC44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 02:57:05 +0200 (CEST) + +Manoj Kasichainula wrote; +>http://www.snopes.com/quotes/bush.htm +> +>Claim: President George W. Bush proclaimed, "The problem with +>the French is that they don't have a word for entrepreneur." +> +>Status: False. + +Status: Crap. + + +>Lloyd Grove of The Washington Post was unable to reach Baroness +>Williams to gain her confirmation of the tale, but he did +>receive a call from Alastair Campbell, Blair's director of +>communications and strategy. "I can tell you that the prime +>minister never heard George Bush say that, and he certainly +>never told Shirley Williams that President Bush did say it," +>Campbell told The Post. "If she put this in a speech, it must +>have been a joke." + +So some guy failed to reach the source, but instead got spin doctor to +deny it. Wot, is he thick enough to expect official confirmation +that, yes, Blair is going around casting aspersions on Bush??? + +It's an amusing anecdote, I don't know if it's true or not, but certainly +nothing here supports the authoritative sounding conclusion "Status: False". + + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0060.877bf70a297621b9dc3bab0095f95027 b/machine-learning-ex6/ex6/easy_ham/0060.877bf70a297621b9dc3bab0095f95027 new file mode 100644 index 0000000..8090c26 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0060.877bf70a297621b9dc3bab0095f95027 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Fri Aug 23 11:08:50 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1FC0647C6E + for ; Fri, 23 Aug 2002 06:06:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N1LTZ03723 for ; + Fri, 23 Aug 2002 02:21:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6D262940E7; Thu, 22 Aug 2002 18:19:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f160.law15.hotmail.com [64.4.23.160]) by + xent.com (Postfix) with ESMTP id 95D1D294099 for ; + Thu, 22 Aug 2002 18:18:38 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 22 Aug 2002 18:20:23 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Fri, 23 Aug 2002 01:20:23 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: The case for spam +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 23 Aug 2002 01:20:23.0609 (UTC) FILETIME=[41265290:01C24A43] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:20:23 +0000 + +Lucas Gonze: +>Spam is *the* tool for dissident news, since the fact that it's unsolicited +>means that recipients can't be blamed for being on a mailing list. + +That depends on how the list is collected, or +even on what the senders say about how the list +is collected. Better to just put it on a website, +and that way it can be surfed anonymously. AND +it doesn't clutter my inbox. + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0061.20319a885b8cf6c88c8098eafd731396 b/machine-learning-ex6/ex6/easy_ham/0061.20319a885b8cf6c88c8098eafd731396 new file mode 100644 index 0000000..cc4570d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0061.20319a885b8cf6c88c8098eafd731396 @@ -0,0 +1,58 @@ +From fork-admin@xent.com Fri Aug 23 11:08:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D741B47C6F + for ; Fri, 23 Aug 2002 06:06:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N1jTZ04367 for ; + Fri, 23 Aug 2002 02:45:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6A11E2940F5; Thu, 22 Aug 2002 18:43:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id 2D0CE294099 for + ; Thu, 22 Aug 2002 18:42:41 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVZFFzJmsb6CFx8j2lnFk529F6pHVq8zxRebZ/rkY9nOITB+/+3fN03H5gv+GHxViF4= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17i3Uv-0007Lj-00 for fork@xent.com; Thu, 22 Aug 2002 21:44:25 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: Entrepreneurs +Message-Id: <3D655B37.2901.1DB12A@localhost> +Priority: normal +In-Reply-To: <20020823005705.D63AEC44E@argote.ch> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 21:44:23 -0400 + +On 23 Aug 2002 at 2:57, Robert Harley wrote: + +> It's an amusing anecdote, I don't know if it's true or not, +> but certainly nothing here supports the authoritative +> sounding conclusion "Status: False". + +I actually thought it was pretty funny and quite accurate. Who cares if the spinmeisters are denying it? +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0062.b675bdb7b9e2321dfe97e48037fe7782 b/machine-learning-ex6/ex6/easy_ham/0062.b675bdb7b9e2321dfe97e48037fe7782 new file mode 100644 index 0000000..393fe3d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0062.b675bdb7b9e2321dfe97e48037fe7782 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Fri Aug 23 11:08:56 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A091D47C70 + for ; Fri, 23 Aug 2002 06:06:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N5EVZ11380 for ; + Fri, 23 Aug 2002 06:14:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0B70E2940D7; Thu, 22 Aug 2002 22:12:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4A7D2294099 for ; Thu, + 22 Aug 2002 22:11:44 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 8F5E23EDE0; + Fri, 23 Aug 2002 01:15:29 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8DD423ECF3; Fri, 23 Aug 2002 01:15:29 -0400 (EDT) +From: Tom +To: Robert Harley +Cc: fork@example.com +Subject: Re: Entrepreneurs +In-Reply-To: <20020823005705.D63AEC44E@argote.ch> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:15:29 -0400 (EDT) + +On Fri, 23 Aug 2002, Robert Harley wrote: + + +--]It's an amusing anecdote, I don't know if it's true or not, but certainly +--]nothing here supports the authoritative sounding conclusion "Status: False". +--] + +So thats the trick, just let any anecdotal utterances you LIKE be deemed +true until proven false, and then hold other data to the opposite +standard... + +Yeah, I see how that could be a handy tool RH. + + +(before teh lablemongers are out and about, I could give a shit what +BubbaU utters, its all shite. Kill your idols folks, your slips are +showing) + +-tom + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0063.7823bd01e05ee0a1dda2f73f880838eb b/machine-learning-ex6/ex6/easy_ham/0063.7823bd01e05ee0a1dda2f73f880838eb new file mode 100644 index 0000000..0dce20a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0063.7823bd01e05ee0a1dda2f73f880838eb @@ -0,0 +1,79 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:07:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4561444157 + for ; Fri, 23 Aug 2002 06:05:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:05:48 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N6LtZ13075 for + ; Fri, 23 Aug 2002 07:21:59 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 61ECC3F134; Fri, 23 Aug 2002 + 02:22:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 57D393F134 + for ; Fri, 23 Aug 2002 02:21:07 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N6L4B00352 for exmh-workers@listman.redhat.com; Fri, 23 Aug 2002 + 02:21:04 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N6L4Y00348 for + ; Fri, 23 Aug 2002 02:21:04 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N66Ml10260 for ; + Fri, 23 Aug 2002 02:06:27 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N6KIl10577 for + ; Fri, 23 Aug 2002 13:20:23 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7N6KBW21590 for ; + Fri, 23 Aug 2002 13:20:11 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <16323.1030043119@munnari.OZ.AU> +References: <16323.1030043119@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <21588.1030083611@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 13:20:11 +0700 + + Date: Fri, 23 Aug 2002 02:05:19 +0700 + From: Robert Elz + Message-ID: <16323.1030043119@munnari.OZ.AU> + +When I said ... + + | This is from today's cvs + +that will translate as "yesterday's" now of course (before the most +recent set of changes (catchup speedups, and so on)). + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0064.7160290efcb7320ac8852369a695bcaf b/machine-learning-ex6/ex6/easy_ham/0064.7160290efcb7320ac8852369a695bcaf new file mode 100644 index 0000000..7df7fc3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0064.7160290efcb7320ac8852369a695bcaf @@ -0,0 +1,151 @@ +From ilug-admin@linux.ie Fri Aug 23 11:08:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E461E44174 + for ; Fri, 23 Aug 2002 06:06:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:36 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N7RJZ14671 for + ; Fri, 23 Aug 2002 08:27:19 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id IAA13280; Fri, 23 Aug 2002 08:23:50 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail01.svc.cra.dublin.eircom.net + (mail01.svc.cra.dublin.eircom.net [159.134.118.17]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id IAA13247 for ; Fri, + 23 Aug 2002 08:23:42 +0100 +Received: (qmail 37798 messnum 126638 invoked from + network[213.190.156.48/unknown]); 23 Aug 2002 07:23:11 -0000 +Received: from unknown (HELO XENON16) (213.190.156.48) by + mail01.svc.cra.dublin.eircom.net (qp 37798) with SMTP; 23 Aug 2002 + 07:23:11 -0000 +Message-Id: <001b01c24a76$315c63d0$e600000a@XENON16> +From: "wintermute" +To: +References: <3d65260f.948.0@mail.dnet.co.uk> +Subject: Re: [ILUG] Newbie seeks advice - Suse 7.2 +Date: Fri, 23 Aug 2002 08:25:01 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4522.1200 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +< > +> I downloaded a driver from the nVidia website and installed it using RPM. +> Then I ran Sax2 (as was recommended in some postings I found on the net), +but +> it still doesn't feature my video card in the available list. What next? + + +hmmm. + +Peter. + +Open a terminal and as root type +lsmod +you want to find a module called +NVdriver. + +If it isn't loaded then load it. +#insmod NVdriver.o +Oh and ensure you have this module loaded on boot.... else when you reboot +you might be in for a nasty surprise. + +Once the kernel module is loaded + +#vim /etc/X11/XF86Config + +in the section marked +Driver I have "NeoMagic" +you need to have +Driver "nvidia" + +Here is part of my XF86Config + +Also note that using the card you are using you 'should' be able to safely +use the FbBpp 32 option . + +Section "Module" + Load "extmod" + Load "xie" + Load "pex5" + Load "glx" + SubSection "dri" #You don't need to load this Peter. + Option "Mode" "666" + EndSubSection + Load "dbe" + Load "record" + Load "xtrap" + Load "speedo" + Load "type1" +EndSection + +#Plus the Modelines for your monitor should be singfinicantly different. + +Section "Monitor" + Identifier "Monitor0" + VendorName "Monitor Vendor" + ModelName "Monitor Model" + HorizSync 28.00-35.00 + VertRefresh 43.00-72.00 + Modeline "800x600" 36 800 824 896 1024 600 601 603 625 + Modeline "1024x768" 49 1024 1032 1176 1344 768 771 777 806 +EndSection + +Section "Device" + + Identifier "Card0" + Driver "neomagic" #Change this to "nvidia"... making sure the modules +are in the correct path + VendorName "Neomagic" # "Nvidia" + BoardName "NM2160" + BusID "PCI:0:18:0" +EndSection + +Section "Screen" + Identifier "Screen0" + Device "Card0" + Monitor "Monitor0" + DefaultDepth 24 + SubSection "Display" + Depth 1 + EndSubSection + SubSection "Display" + Depth 4 + EndSubSection + SubSection "Display" + Depth 8 + EndSubSection + SubSection "Display" + Depth 15 + EndSubSection + SubSection "Display" + Depth 16 + EndSubSection + SubSection "Display" + Depth 24 + #FbBpp 32 #Ie you should be able lto uncomment this line + Modes "1024x768" "800x600" "640x480" # And add in higher resulutions as +desired. + EndSubSection +EndSection + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0065.b72ddcc517cc317f3fc1e79c3feeca15 b/machine-learning-ex6/ex6/easy_ham/0065.b72ddcc517cc317f3fc1e79c3feeca15 new file mode 100644 index 0000000..5cc9d01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0065.b72ddcc517cc317f3fc1e79c3feeca15 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Fri Aug 23 11:09:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6C8BB44161 + for ; Fri, 23 Aug 2002 06:06:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N8CWZ15864 for ; + Fri, 23 Aug 2002 09:12:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2DDA329418E; Fri, 23 Aug 2002 01:10:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id 0EC36294099 for + ; Fri, 23 Aug 2002 01:09:30 -0700 (PDT) +Received: from spinnaker ([64.157.38.84]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020823081149.JPJZ17240.hughes-fe01@spinnaker> for ; + Fri, 23 Aug 2002 04:11:49 -0400 +Subject: Re: Entrepreneurs +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Chuck Murcko +To: fork@example.com +Content-Transfer-Encoding: 7bit +In-Reply-To: <20020822205834.D7039C44E@argote.ch> +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:11:02 -0700 + +According to my son, it was actually Homer Simpson, who claimed the +French had no word for victory. + +Chuck + +On Thursday, August 22, 2002, at 01:58 PM, Robert Harley wrote: + +> An apparent quote from Dubya, from the Times (sent to me by my Dad): +> +> http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html +> +> ------------------------------------------------------------------------------ +> TONY BLAIR's special relationship with George W. Bush is under +> considerable strain. Not only do the two disagree on Yassir Arafat's +> tenure as leader of the Palestinian Authority, but Blair has started +> telling disparaging anecdotes about the President. +> +> Baroness Williams of Crosby recalled a story told to her by 'my good +> friend Tony Blair' recently in Brighton. Blair, Bush and Jacques +> Chirac were discussing economics and, in particular, the decline of +> the French economy. 'The problem with the French,' Bush confided in +> Blair, 'is that they don't have a word for entrepreneur.' +> ------------------------------------------------------------------------------ +> +> R +> http://xent.com/mailman/listinfo/fork +> + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0066.dcf72ba90be7570f2f7edab45b23ae36 b/machine-learning-ex6/ex6/easy_ham/0066.dcf72ba90be7570f2f7edab45b23ae36 new file mode 100644 index 0000000..5554e66 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0066.dcf72ba90be7570f2f7edab45b23ae36 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Fri Aug 23 11:09:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3CB6743F99 + for ; Fri, 23 Aug 2002 06:06:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N8rUZ17136 for ; + Fri, 23 Aug 2002 09:53:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7345F294192; Fri, 23 Aug 2002 01:51:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 308B6294099 for ; Fri, 23 Aug 2002 01:50:40 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D5070C44E; + Fri, 23 Aug 2002 10:44:35 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823084435.D5070C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 10:44:35 +0200 (CEST) + +Whore eructed: +>--]It's an amusing anecdote, I don't know if it's true or not, but +>--]certainly nothing here supports the authoritative sounding conclusion +>--]"Status: False". +> +>So thats the trick, just let any anecdotal utterances you LIKE be deemed +>true [...] + +Exsqueeze me, but what part of "I don't know if it's true or not" +did you fail to grok? I personally doubt it simply because I never +heard of Bush and Chirac going to Brighton. + +Next time I hear a joke, I promise not to laugh until I have checked +out primary sources for confirmation in triplicate, OK? Good thing +we have you around to keep us on the straight and narrow, all the while +inundating us with such erudite profundities as "Kill your idols folks", +"fight the powers that be, from with out and from with in" and innumerable +other dippy bromides. + + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0067.d77af11e9b2a74048c073462efecca12 b/machine-learning-ex6/ex6/easy_ham/0067.d77af11e9b2a74048c073462efecca12 new file mode 100644 index 0000000..acd0be5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0067.d77af11e9b2a74048c073462efecca12 @@ -0,0 +1,48 @@ +From fork-admin@xent.com Fri Aug 23 11:09:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0D1FA47C71 + for ; Fri, 23 Aug 2002 06:06:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:06:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N9vXZ19107 for ; + Fri, 23 Aug 2002 10:57:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1993F294197; Fri, 23 Aug 2002 02:55:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id D28BB294099 for ; Fri, 23 Aug 2002 02:54:38 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id ABDF4C44E; + Fri, 23 Aug 2002 11:48:33 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823094833.ABDF4C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 11:48:33 +0200 (CEST) + +I wrote: +>I personally doubt it simply because I never heard of Bush and Chirac +>going to Brighton. + +Actually it doesn't say that they did, just that Blair spoke to +Williams there. + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0068.f1c604a78739e4f966253d762c972dde b/machine-learning-ex6/ex6/easy_ham/0068.f1c604a78739e4f966253d762c972dde new file mode 100644 index 0000000..30685bf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0068.f1c604a78739e4f966253d762c972dde @@ -0,0 +1,27 @@ +From quinlan@pathname.com Fri Aug 23 11:33:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D1C5643F99 + for ; Fri, 23 Aug 2002 06:33:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 23 Aug 2002 11:33:56 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7NAVFZ20272 for + ; Fri, 23 Aug 2002 11:31:15 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17iBiq-0005K9-00; Fri, 23 Aug 2002 03:31:20 -0700 +To: zzzz@example.com, craig@deersoft.com +Subject: FYI - gone this weekend +Cc: quinlan@pathname.com +Message-Id: +From: Daniel Quinlan +Date: Fri, 23 Aug 2002 03:31:20 -0700 + +I won't be reading email until Sunday night or so. Good luck with +2.40 and don't do anything I wouldn't do. ;-) + +- Dan + diff --git a/machine-learning-ex6/ex6/easy_ham/0069.7173de1d2da14306c5a20e8abda7a6e2 b/machine-learning-ex6/ex6/easy_ham/0069.7173de1d2da14306c5a20e8abda7a6e2 new file mode 100644 index 0000000..436c10b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0069.7173de1d2da14306c5a20e8abda7a6e2 @@ -0,0 +1,113 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 16:32:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5E99643F99 + for ; Thu, 29 Aug 2002 11:32:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:32:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFWmZ18299 for + ; Thu, 29 Aug 2002 16:32:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TFN2J02111; Thu, 29 Aug 2002 17:23:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7TFM0J01934 for + ; Thu, 29 Aug 2002 17:22:00 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829171121.3b5d0506.matthias@egwn.net> +In-Reply-To: <20020829141143.61528.qmail@web20002.mail.yahoo.com> +References: <20020829133306.21299713.matthias@egwn.net> + <20020829141143.61528.qmail@web20002.mail.yahoo.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 17:11:21 +0200 +Date: Thu, 29 Aug 2002 17:11:21 +0200 + +Once upon a time, Joshua wrote : + +> Just a thought, would it be possible to generalize this ALSA +> stuff to make building a kernel with *any* custom/optional/updated +> modules an easy thing? I think some scripts or at least step-by-step +> instructions would be great. +> +> For example, to build a kernel RPM with ALSA do: +> 1. get the kernel source +> 2. get the ALSA source +> 3. run the custom-kernel.sh script +> ... +> +> Or a kernel RPM with the lastest wireless LAN drivers: +> 1. get the kernel source +> 2. get the CVS driver source +> 3. run the custom-kernel.sh script +> ... +> +> etc. + +This wouldn't be worth the effort involved IMHO, and would probably end up +in relative breakage of a few systems if not carefully tested. +Your first example is a good one, because I really think it's even easier +currently : +1. Leave your current kernel as-is +2. Get the "alsa-driver" source rpm +3. Rebuild and install resulting packages + +Drivers that are written to be easily compiled as modules (like ltmodem, +NVidia, ALSA etc.) can easily be repackaged separately as rpms and ported +as easily for various kernel rpms from the source rpm. + +Also, what you describe is sort of the opposite of what rpm packaging is in +my mind. I see it more as a "one size fits all" achievement in the general +case. And kernel isn't an exception (although there are packages optimized +for various processors) since they all come with just about all the modules +you'll ever need. Make that "one size fits many" then if you want ;-) + +Last but not least : The kernel is something I'm trying to keep away from +in my packaging since I really don't want to see newbies screwing up their +systems because of packages on my website... same goes for GNOME, KDE and +other major bits of the distribution since I also want people who happily +use my packages to be able to upgrade to the next Red Hat Linux release +without having their system turned into another Ximian mess. + +Matthias + +PS: Yes Chris, I'm worried about not giving you too much work! Less in fact +since you can easily answer "freshrpms.net!" to people asking how to play +DVDs, right? ;-)))) + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0070.4f269f2d783b479971f31006fe17ce62 b/machine-learning-ex6/ex6/easy_ham/0070.4f269f2d783b479971f31006fe17ce62 new file mode 100644 index 0000000..43a262b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0070.4f269f2d783b479971f31006fe17ce62 @@ -0,0 +1,82 @@ +From ilug-admin@linux.ie Thu Aug 29 16:42:34 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9AD0D43F99 + for ; Thu, 29 Aug 2002 11:42:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:42:34 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFYfZ18351 for + ; Thu, 29 Aug 2002 16:34:42 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA30663; Thu, 29 Aug 2002 16:32:44 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail02.svc.cra.dublin.eircom.net + (mail02.svc.cra.dublin.eircom.net [159.134.118.18]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id QAA30628 for ; Thu, + 29 Aug 2002 16:32:37 +0100 +Received: (qmail 48111 messnum 226577 invoked from + network[213.190.156.48/unknown]); 29 Aug 2002 15:15:37 -0000 +Received: from unknown (HELO XENON16) (213.190.156.48) by + mail02.svc.cra.dublin.eircom.net (qp 48111) with SMTP; 29 Aug 2002 + 15:15:37 -0000 +Message-Id: <005401c24f6f$2f797b90$e600000a@XENON16> +From: "wintermute" +To: +References: <3D6E355E.9060008@diva.ie> +Subject: Re: [ILUG] eircoms adsl modems +Date: Thu, 29 Aug 2002 16:17:26 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4522.1200 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +It will function as a router if that is what you wish. + +It even looks like the modem's embedded OS is some kind of linux, being that +it has interesting interfaces like eth0. + +I don't use it as a router though.... I just have it do the absolute minimum +DSL stuff and do all the really fun stuff like pppoe on my linux box........ + +Also the manual tells you what the default password is. + +Don't forget to run pppoe over the alcatel speedtouch 350i as in my case you +'HAVE TO' have a bridge configured in the router/modem's software........ +This lists your VCI values etc. + + +> Also, does anyone know if the high-end SpeedTouch, with +> 4 ethernet ports, can act as a full router or do I still +> need to run a pppoe stack on the linux box? +> +> Regards, +> +> Vin +> +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +information. +> List maintainer: listmaster@linux.ie +> + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0071.75403094cab986a246c1e7ce3460e827 b/machine-learning-ex6/ex6/easy_ham/0071.75403094cab986a246c1e7ce3460e827 new file mode 100644 index 0000000..1b286ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0071.75403094cab986a246c1e7ce3460e827 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Thu Aug 29 16:52:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7996B44155 + for ; Thu, 29 Aug 2002 11:52:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:52:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TFklZ18708 for ; + Thu, 29 Aug 2002 16:46:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA6122940DA; Thu, 29 Aug 2002 08:44:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 1D5E12940DA for ; + Thu, 29 Aug 2002 08:43:15 -0700 (PDT) +Received: from maya.dyndns.org (ts5-038.ptrb.interhop.net + [165.154.190.102]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7TFIpD06133; Thu, 29 Aug 2002 11:18:51 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 72BCA1C38A; + Thu, 29 Aug 2002 11:19:27 -0400 (EDT) +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Internet saturation (but not in Iceland) +References: <200208290358.03815.eh@mad.scientist.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 29 Aug 2002 11:19:27 -0400 + +>>>>> "E" == Eirikur Hallgrimsson writes: + + E> Gary's news service at teledyn.com has an article on Internet + E> Saturation. Let me ask you....If you were on a rock in the + E> middle of the Atlantic, mostly in the dark for half the year, + E> wouldn't *you* like a bit of internet distraction? They've + E> already done the obvious and fiber-ringed the island. + +There's lots of similar places. Saskatchewan, for example, once +shared with Iceland the distinction of most telephone connections per +capita, and for a long time shared the internet penetration lead with +Iceland (Sask is a land-locked massive expanse of ultra-flat dust with +only two rivers and farm sizes measured in the +hundred-thousand-hectares). + +It's still curious Iceland leads. Maybe there's just a deep cultural +curiousity and fascination with watching advertising from the rest of +the world. Maybe they're downloading Bjork videos. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0072.d1c080832388ae81835ca069e2efffa3 b/machine-learning-ex6/ex6/easy_ham/0072.d1c080832388ae81835ca069e2efffa3 new file mode 100644 index 0000000..a3bf9e8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0072.d1c080832388ae81835ca069e2efffa3 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Thu Aug 29 16:32:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C408E43F9B + for ; Thu, 29 Aug 2002 11:32:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:32:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TFU0Z18213 for ; + Thu, 29 Aug 2002 16:30:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BDDE12940F6; Thu, 29 Aug 2002 08:27:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mx.spiritone.com (mx.spiritone.com [216.99.221.5]) by + xent.com (Postfix) with SMTP id 2E151294099 for ; + Thu, 29 Aug 2002 08:26:08 -0700 (PDT) +Received: (qmail 28639 invoked from network); 29 Aug 2002 15:28:11 -0000 +Received: (ofmipd 216.99.213.165); 29 Aug 2002 15:27:49 -0000 +Message-Id: +From: "RossO" +To: fork@example.com +Subject: Re: Computational Recreations +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Content-Transfer-Encoding: 7bit +In-Reply-To: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 29 Aug 2002 08:28:13 -0700 + +On Monday, August 26, 2002, at 09:59 AM, Tom wrote: + +> Post MG in the 80's there were the colums by A K Dewdney that I dug a +> bunch put into a book called Turing Omnibus and then there is , of +> course, all the goodens put out by Dougy Hoffstadler. + +A.K. Dewdney was the name I was looking for and the column was "Computer +Recreations". Turns out he's still in Ontario and even has some homemade +Sci-Fi online... + +http://www.csd.uwo.ca/faculty/akd/TALES/index.html + +Vat Man +Programming Roger +The Homunculids +Alphie & Omega + + +...Ross... + + diff --git a/machine-learning-ex6/ex6/easy_ham/0073.cd29b8202a4b05db3c6f0d71b72a3260 b/machine-learning-ex6/ex6/easy_ham/0073.cd29b8202a4b05db3c6f0d71b72a3260 new file mode 100644 index 0000000..5c03668 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0073.cd29b8202a4b05db3c6f0d71b72a3260 @@ -0,0 +1,146 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 16:42:46 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EDB0C43F9B + for ; Thu, 29 Aug 2002 11:42:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:42:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TFYvZ18369 for ; Thu, 29 Aug 2002 16:34:58 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRI7-0008KP-00; Thu, + 29 Aug 2002 08:33:03 -0700 +Received: from moonbase.zanshin.com ([167.160.213.139]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRHG-000488-00 for + ; Thu, 29 Aug 2002 08:32:10 -0700 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g7TFW8J23933 for ; Thu, + 29 Aug 2002 08:32:08 -0700 +From: Bart Schaefer +To: Spamassassin-Talk +Subject: Re: [SAtalk] O.T. Habeus -- Why? +In-Reply-To: <3D6E255A.CB569D9B@hallikainen.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 08:32:08 -0700 (PDT) +Date: Thu, 29 Aug 2002 08:32:08 -0700 (PDT) + +On 28 Aug 2002, Daniel Quinlan wrote: + +> Dan Kohn writes: +> +> > Daniel, it's easy enough for you to change the Habeas scores yourself +> > on your installation. If Habeas fails to live up to its promise to +> > only license the warrant mark to non-spammers and to place all +> > violators on the HIL, then I have no doubt that Justin and Craig will +> > quickly remove us from the next release. But, you're trying to kill +> > Habeas before it has a chance to show any promise. +> +> I think I've worked on SA enough to understand that I can localize a +> score. I'm just not comfortable with using SpamAssassin as a vehicle +> for drumming up your business at the expense of our user base. + +I have to agree here. If Habeas is going to die just because SA does not +support it, that's a serious problem with the business model; but that is +nobody's problem but Habeas's. + +A possible solution is for Habeas's business model to include some kind of +incentive for users of SA to give it the benefit of the doubt. I have yet +to think of an incentive that fits the bill ... + +On Thu, 29 Aug 2002, Justin Mason wrote: + +> I don't see a problem supporting it in SpamAssassin -- but I see Dan's +> points. +> +> - high score: as far as I can see, that's because SpamAssassin is +> assigning such high scores to legit newsletters these days, and the +> Habeas mark has to bring it down below that. :( IMO we have to fix +> the high-scorers anyway -- no spam ever *needs* to score over 5 in our +> scoring system, 5 == tagged anyway. + +This is off the topic of the rest of this discussion, but amavisd (in all +its incarnations) and MIMEDefang and several other MTA plugins all reject +at SMTP time messages that scores higher than some threshold (often 10). +If some new release were to start scoring all spam no higher than 5.1, +there'd better be _zero_ FPs, because all those filters would drop their +thresholds to 5. + +On Thu, 29 Aug 2002, Michael Moncur wrote: + +> But I agree that there needs to be more focus on eliminating rules that +> frequently hit on newsletters. If any newsletters actually use the Habeas +> mark, that will be one way to help. + +Newsletters won't use the mark. Habeas is priced way too high -- a factor +of at least 20 over what the market will bear, IMO -- on a per-message +basis for most typical mailing lists (Lockergnome, say) to afford it. + +On Thu, 29 Aug 2002, Harold Hallikainen wrote: + +> Habeus has come up with a very clever way to use existing law to battle +> spam. It seems that at some point they could drop the licensing fee to +> $1 or less and make all their income off suing the spammers for +> copyright infringement. + +Sorry, that just can't work. + +If the Habeas mark actually becomes both widespread enough in non-spam, +and effectively-enforced enough to be absent from spam, such that, e.g., +SA could assign a positive score to messages that do NOT have it, then +spammers are out of business and Habeas has no one to sue. There's nobody +left to charge except the people who want (or are forced against their +will because their mail won't get through otherwise) to use the mark. + +Conversely, if there are enough spammers forging the mark for Habeas to +make all its income suing them, then the mark is useless for the purpose +for which it was designed. + +Either way it seems to me that, after maybe a couple of lawsuits against +real spammers and a lot of cease-and-desist letters to clueless Mom&Pops, +then either (a) they're out of business, (b) they have to sell the rights +to use the mark to increasingly questionable senders, or (c) they've both +created and monopolized a market for "internet postage stamps" that +everybody has to pay them for. + +The latter would be quite a coup if they [*] could pull it off -- they do +absolutely nothing useful, unless you consider threatening people with +lawsuits useful, yet still collect a fee either directly or indirectly +from everyone on the internet -- effectively we'll be paying them for the +privilege of policing their trademark for them. I don't believe they'll +ever get that far, but I don't particularly want to help them make it. + +[*] And I use the term "they" loosely, because the whole company could +consist of one lawyer if it really got to that point. + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/0074.78000652dcb19856e85ff9637f0e52dd b/machine-learning-ex6/ex6/easy_ham/0074.78000652dcb19856e85ff9637f0e52dd new file mode 100644 index 0000000..e49fa83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0074.78000652dcb19856e85ff9637f0e52dd @@ -0,0 +1,57 @@ +From ilug-admin@linux.ie Thu Aug 29 16:42:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 78D9143F9B + for ; Thu, 29 Aug 2002 11:42:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:42:35 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFblZ18551 for + ; Thu, 29 Aug 2002 16:37:47 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA30871; Thu, 29 Aug 2002 16:36:54 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from relay07.indigo.ie (relay07.indigo.ie [194.125.133.231]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id QAA30845 for ; + Thu, 29 Aug 2002 16:36:46 +0100 +Received: (qmail 68679 messnum 1027421 invoked from + network[194.125.130.10/unknown]); 29 Aug 2002 15:36:44 -0000 +Received: from unknown (HELO win2000) (194.125.130.10) by + relay07.indigo.ie (qp 68679) with SMTP; 29 Aug 2002 15:36:44 -0000 +Reply-To: +From: "Justin MacCarthy" +To: "Ilug@Linux.Ie" +Date: Thu, 29 Aug 2002 16:37:26 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +In-Reply-To: +Subject: [ILUG] Looking for a file / directory in zip file +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Is there a way to look for a particular file or directory in 100's of zip +files?? +Something like zgrep but for the filename instead of a word + +Thanks Justin + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0075.faa4a28fdd9a82edd6d35ebb6bae3085 b/machine-learning-ex6/ex6/easy_ham/0075.faa4a28fdd9a82edd6d35ebb6bae3085 new file mode 100644 index 0000000..d143611 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0075.faa4a28fdd9a82edd6d35ebb6bae3085 @@ -0,0 +1,88 @@ +From ilug-admin@linux.ie Thu Aug 29 16:52:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D36DD43F99 + for ; Thu, 29 Aug 2002 11:52:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:52:51 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFlwZ18861 for + ; Thu, 29 Aug 2002 16:47:58 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA31616; Thu, 29 Aug 2002 16:46:26 +0100 +Received: from dspsrv.com (vir.dspsrv.com [193.120.211.34]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id QAA31563 for ; + Thu, 29 Aug 2002 16:45:49 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host vir.dspsrv.com + [193.120.211.34] claimed to be dspsrv.com +Received: from itg-gw.cr008.cwt.esat.net ([193.120.242.226] + helo=waider.ie) by dspsrv.com with asmtp (Exim 3.35 #1) id + 17kRUR-00052Y-00; Thu, 29 Aug 2002 16:45:47 +0100 +Message-Id: <3D6E409A.9030605@waider.ie> +Date: Thu, 29 Aug 2002 16:41:14 +0100 +From: Waider +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: macarthy@iol.ie +Cc: "Ilug@Linux.Ie" +Subject: Re: [ILUG] Looking for a file / directory in zip file +References: +X-Enigmail-Version: 0.65.2.0 +X-Enigmail-Supports: pgp-inline, pgp-mime +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +-----BEGIN PGP SIGNED MESSAGE----- + +Justin MacCarthy wrote: +| Is there a way to look for a particular file or directory in 100's of zip +| files?? +| Something like zgrep but for the filename instead of a word +| +| Thanks Justin +| +| + +probably there are more elegant solutions, but if your zips are in one +directory you can do something like + +for i in *.zip +do +if unzip -v $i | grep -q FILEYOUWANT +then +~ echo $i +fi +done + +Cheers, +Waider. +- -- +waider@waider.ie / Yes, it /is/ very personal of me +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org + +iQEVAwUBPW5AmaHbXyzZsAb3AQH+qQgA1vnUjJUwGDa1yCRQd3vZAnhkCF0KDBBA +o9MYq4CUg9cEzKALkTyZu4eOprhL50ReaICUGLMMEc5htU9zove4F+CSuvbAKKHL +nx7xa6kk2V+LFnwS6hWpdQolCaT+4iGZZbdFwmyNAWb/IrEYB0R4gp05sitDOl5U +RRlzYSM3IUYDrYpDUuX7Ta7bLvSdC1PpWSqy/wXphNIh7Bs2+eB9ERAujuqi6vJo +MBichYb3f3teVCQUbxTcaMowjpmv/Xm3gdUlGrUFbpc2O7447Xi5uDfRexzzDoJT +HlFS6OO2ZqzcMrtUYEgsfyqpaF1WuD38JoFpa2TmSyX74bBhxS8ecw== +=KYCm +-----END PGP SIGNATURE----- + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0076.f565b68778786f9b9736f779489331f0 b/machine-learning-ex6/ex6/easy_ham/0076.f565b68778786f9b9736f779489331f0 new file mode 100644 index 0000000..51cb7a6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0076.f565b68778786f9b9736f779489331f0 @@ -0,0 +1,72 @@ +From ilug-admin@linux.ie Thu Aug 29 16:52:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 97DCD43F9B + for ; Thu, 29 Aug 2002 11:52:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 16:52:52 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFr2Z18960 for + ; Thu, 29 Aug 2002 16:53:02 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA31908; Thu, 29 Aug 2002 16:51:27 +0100 +Received: from hawk.dcu.ie (mail.dcu.ie [136.206.1.5]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA31829 for ; Thu, + 29 Aug 2002 16:51:17 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.dcu.ie [136.206.1.5] + claimed to be hawk.dcu.ie +Received: from prodigy.redbrick.dcu.ie (136.206.15.10) by hawk.dcu.ie + (6.0.040) id 3D6203D30003D917 for ilug@linux.ie; Thu, 29 Aug 2002 16:51:17 + +0100 +Received: by prodigy.redbrick.dcu.ie (Postfix, from userid 2027) id + 32184DA4A; Thu, 29 Aug 2002 16:51:17 +0100 (IST) +Date: Thu, 29 Aug 2002 16:51:17 +0100 +From: Colin Whittaker +To: Irish LUG list +Message-Id: <20020829165117.A16258@prodigy.Redbrick.DCU.IE> +References: <20020829143111.GN1757@jinny.ie> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020829143111.GN1757@jinny.ie>; from valen@tuatha.org on + Thu, Aug 29, 2002 at 03:31:11PM +0100 +Organization: North East Technologies Ltd. +X-Subliminal-Message: Give Colin all your money. +Subject: [ILUG] Re: serial console...not quite working +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +John P. Looney stated the following on Thu, Aug 29, 2002 at 03:31:11PM +0100 : +> I'm not sure what exactly is wrong with this, but I can't get a redhat +> 7.1 box to use ttyS0 as a console. +> +> The relevant bits of /boot/grub/grub.conf are: +> +> serial --unit=0 --speed=115200 +> terminal --timeout=2 console serial +> title=linux +> root (hd0,4) +> kernel /boot/bzImage ro root=/dev/md0 console=ttyS0,115200n81 + ^ +That 1 is unneeded and is probably whats upsetting your kernel + +we use "console=ttyS0,9600n8" but the 9600 is mainly cos we are a cisco +shop and its to keepo everyhting the same. + +Colin +-- +"Design" is like a religion - too much of it makes you inflexibly and unpopular. + Linus Torvalds + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0077.dc5578862c0e716ee82e78b0dffbc8d2 b/machine-learning-ex6/ex6/easy_ham/0077.dc5578862c0e716ee82e78b0dffbc8d2 new file mode 100644 index 0000000..2548520 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0077.dc5578862c0e716ee82e78b0dffbc8d2 @@ -0,0 +1,67 @@ +From ilug-admin@linux.ie Thu Aug 29 17:03:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8730543F99 + for ; Thu, 29 Aug 2002 12:03:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 17:03:21 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFw4Z19203 for + ; Thu, 29 Aug 2002 16:58:04 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id QAA32495; Thu, 29 Aug 2002 16:56:53 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail04.svc.cra.dublin.eircom.net + (mail04.svc.cra.dublin.eircom.net [159.134.118.20]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id QAA32465 for ; Thu, + 29 Aug 2002 16:56:45 +0100 +Received: (qmail 20521 messnum 1113064 invoked from + network[213.190.156.48/unknown]); 29 Aug 2002 15:56:14 -0000 +Received: from unknown (HELO XENON16) (213.190.156.48) by + mail04.svc.cra.dublin.eircom.net (qp 20521) with SMTP; 29 Aug 2002 + 15:56:14 -0000 +Message-Id: <006001c24f74$dc1acde0$e600000a@XENON16> +From: "wintermute" +To: +References: + <3D6E40AA.9080606@diva.ie> +Subject: Re: [ILUG] eircoms adsl modems +Date: Thu, 29 Aug 2002 16:58:04 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4522.1200 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + +Not true on the choice part. + +After three weeks of me telling eircom that I did not in fact need nor want +their ?1800 worth of router and firewall +nor their onsite survey... for the uncapped service I actually managed to +get a 4 port modem (after asking for a 1 port modem) instead of ye olde +hardware router & firewall and eircom onsite. + +I would have argued for the 1 port modem... (which I had asked for), but a +Director wanted the DSL up ... and fast.... + +Still it only took me three weeks to get (almost) what I +wanted.................................... + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0078.8481bc92aa3ab9d23ca30c0eaecfc5e4 b/machine-learning-ex6/ex6/easy_ham/0078.8481bc92aa3ab9d23ca30c0eaecfc5e4 new file mode 100644 index 0000000..fa756e7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0078.8481bc92aa3ab9d23ca30c0eaecfc5e4 @@ -0,0 +1,56 @@ +From crackmice-admin@crackmice.com Thu Aug 29 17:13:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B715843F99 + for ; Thu, 29 Aug 2002 12:13:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 17:13:43 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TG7DZ19542; + Thu, 29 Aug 2002 17:07:13 +0100 +Received: from mir.eWare.com (mail.eware.com [212.120.152.162]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TG6IZ19504 for + ; Thu, 29 Aug 2002 17:06:18 +0100 +X-Mimeole: Produced By Microsoft Exchange V6.0.5762.3 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Subject: people we know on the web +Message-Id: <0FF9F9D21D89554C8FF8930FFD39BD03A3F587@mir.eWare.com> +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: What kind of celebrity are you? quiz +Thread-Index: AcJPWriCN9BF8CjcT1CZSIoGcK21hQAG1WjQ +From: "Gerry Carr" +To: +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7TG6IZ19504 +Sender: crackmice-admin@crackmice.com +Errors-To: crackmice-admin@crackmice.com +X-Beenthere: crackmice@crackmice.com +X-Mailman-Version: 2.0.10 +Precedence: bulk +Reply-To: mice@crackmice.com +List-Unsubscribe: , + +List-Id: http://crackmice.com/ +List-Post: +List-Help: +List-Subscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 17:07:35 +0100 + +http://www.bbc.co.uk/radio1/alt/nireland/ni_team.shtml + +first of a very short series. + +gerry +_______________________________________________ +Crackmice mailing list +Crackmice@crackmice.com +http://crackmice.com/mailman/listinfo/crackmice + diff --git a/machine-learning-ex6/ex6/easy_ham/0079.083beadce354774290a4a5bc4175366e b/machine-learning-ex6/ex6/easy_ham/0079.083beadce354774290a4a5bc4175366e new file mode 100644 index 0000000..bacc59d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0079.083beadce354774290a4a5bc4175366e @@ -0,0 +1,74 @@ +From gordon@rutter.freeserve.co.uk Thu Aug 29 18:06:18 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5715544155 + for ; Thu, 29 Aug 2002 13:06:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Thu, 29 Aug 2002 18:06:17 +0100 (IST) +Received: from n32.grp.scd.yahoo.com (n32.grp.scd.yahoo.com + [66.218.66.100]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7TH1aZ21336 for ; Thu, 29 Aug 2002 18:01:36 +0100 +X-Egroups-Return: sentto-2242572-53259-1030640499-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.97] by n32.grp.scd.yahoo.com with NNFMP; + 29 Aug 2002 17:01:39 -0000 +X-Sender: gordon@rutter.freeserve.co.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 29 Aug 2002 17:01:39 -0000 +Received: (qmail 91661 invoked from network); 29 Aug 2002 17:01:38 -0000 +Received: from unknown (66.218.66.217) by m14.grp.scd.yahoo.com with QMQP; + 29 Aug 2002 17:01:38 -0000 +Received: from unknown (HELO cmailg1.svr.pol.co.uk) (195.92.195.171) by + mta2.grp.scd.yahoo.com with SMTP; 29 Aug 2002 17:01:38 -0000 +Received: from modem-280.blotto.dialup.pol.co.uk ([62.25.145.24] + helo=default) by cmailg1.svr.pol.co.uk with smtp (Exim 3.35 #1) id + 17kSfp-0000Al-00; Thu, 29 Aug 2002 18:01:37 +0100 +Message-Id: <000501c24f7d$8ceace60$1891193e@default> +To: +Cc: +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +From: "Gordon Rutter" +X-Yahoo-Profile: gordonrutter +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 29 Aug 2002 18:00:08 +0100 +Subject: [zzzzteana] Fw: [nessie] New Nessie Pics +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +Gordon Rutter +gordon@rutter.freeserve.co.uk +Join the Fortean Book Reviews list at +forteanbookreviews-subscribe@yahoogroups.com + + + +>
The latest potential pictures of Nessie - underwater - are at 
+> www.hi-lands.com
+
+
+
+------------------------ Yahoo! Groups Sponsor ---------------------~-->
+4 DVDs Free +s&p Join Now
+http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM
+---------------------------------------------------------------------~->
+
+To unsubscribe from this group, send an email to:
+forteana-unsubscribe@egroups.com
+
+ 
+
+Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ 
+
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0080.7c3a836baaa732cd915546442c0fef1a b/machine-learning-ex6/ex6/easy_ham/0080.7c3a836baaa732cd915546442c0fef1a
new file mode 100644
index 0000000..17d9952
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0080.7c3a836baaa732cd915546442c0fef1a
@@ -0,0 +1,77 @@
+From iiu-admin@taint.org  Thu Aug 29 18:06:13 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A7D3543F9B
+	for ; Thu, 29 Aug 2002 13:06:12 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Thu, 29 Aug 2002 18:06:12 +0100 (IST)
+Received: from dogma.slashnull.org (localhost [127.0.0.1]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TH7cZ21544;
+    Thu, 29 Aug 2002 18:07:38 +0100
+Received: from web05.bigbiz.com (web05.bigbiz.com [216.218.198.5]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TH6XZ21517 for
+    ; Thu, 29 Aug 2002 18:06:34 +0100
+Received: from Alfalfa.deisedesign.com ([193.193.166.41]) by
+    web05.bigbiz.com (8.8.7/8.8.7) with ESMTP id KAA26886 for ;
+    Thu, 29 Aug 2002 10:05:43 -0700
+Message-Id: <5.1.0.14.0.20020829172833.032e1350@127.0.0.1>
+X-Sender: deisedesign/mwhelan/10.0.0.1@127.0.0.1
+X-Mailer: QUALCOMM Windows Eudora Version 5.1
+To: iiu@taint.org
+From: Martin Whelan 
+MIME-Version: 1.0
+Content-Type: text/plain; charset="iso-8859-1"; format=flowed
+Content-Transfer-Encoding: 8bit
+X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org
+    id g7TH6XZ21517
+Subject: [IIU] Viruses and Bounced Mail
+Sender: iiu-admin@taint.org
+Errors-To: iiu-admin@taint.org
+X-Beenthere: iiu@iiu.taint.org
+X-Mailman-Version: 2.0.10
+Precedence: bulk
+Reply-To: iiu@taint.org
+List-Unsubscribe: ,
+    
+List-Id: Irish Internet Users 
+List-Post: 
+List-Help: 
+List-Subscribe: ,
+    
+List-Archive: 
+Date: Thu, 29 Aug 2002 18:04:41 +0100
+
+All,
+
+Is it just me or has there been a massive increase in the amount of email 
+being falsely bounced around the place? I've already received email from a 
+number of people I don't know, asking why I am sending them email. These 
+can be explained by servers from Russia and elsewhere. Coupled with the 
+false emails I received myself, it's really starting to annoy me. Am I the 
+only one seeing an increase in recent weeks?
+
+Martin
+
+
+
+========================================================================
+Martin Whelan | Déise Design | www.deisedesign.com | Tel : 086-8888975
+
+" Our core product Déiseditor © allows organisations to publish information 
+to their web site in a fast and cost effective manner. There is no need for 
+a full time web developer, as the site can be easily updated by the 
+organisations own staff.
+Instant updates to keep site information fresh. Sites which are updated 
+regularly bring users back. Visit www.deisedesign.com/deiseditor.html for a 
+demonstration "
+
+Déiseditor © " Managing Your Information "
+========================================================================
+
+_______________________________________________
+IIU mailing list
+IIU@iiu.taint.org
+http://iiu.taint.org/mailman/listinfo/iiu
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0081.9d26c2d149545a1c5d23e2cd4dca1b5f b/machine-learning-ex6/ex6/easy_ham/0081.9d26c2d149545a1c5d23e2cd4dca1b5f
new file mode 100644
index 0000000..4693e52
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0081.9d26c2d149545a1c5d23e2cd4dca1b5f
@@ -0,0 +1,97 @@
+From razor-users-admin@lists.sourceforge.net  Mon Sep  2 12:20:32 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D8F2643F9B
+	for ; Mon,  2 Sep 2002 07:20:28 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:20:30 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7TJQgZ25729 for ; Thu, 29 Aug 2002 20:26:42 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kUmz-0004JX-00; Thu,
+    29 Aug 2002 12:17:09 -0700
+Received: from mailgate.sri.com ([128.18.243.11]) by
+    usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17kUmC-0008At-00 for ; Thu,
+    29 Aug 2002 12:16:20 -0700
+Received: (qmail 23083 invoked from network); 29 Aug 2002 19:15:48 -0000
+Received: from localhost (HELO mailgate.SRI.COM) (127.0.0.1) by
+    mailgate.sri.com with SMTP; 29 Aug 2002 19:15:48 -0000
+Received: from newmail.sri.com ([128.18.30.43]) by mailgate.SRI.COM (NAVGW
+    2.5.1.18) with SMTP id M2002082912154827439 for
+    ; Thu, 29 Aug 2002 12:15:48 -0700
+Received: from sri.com ([128.18.28.107]) by newmail.sri.com (Netscape
+    Messaging Server 4.15) with ESMTP id H1MDJE00.QC6 for
+    ; Thu, 29 Aug 2002 12:16:26 -0700
+Message-Id: <3D6E7347.9090304@sri.com>
+From: "Michael Duff" 
+User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1)
+    Gecko/20020826
+X-Accept-Language: en-us, en
+MIME-Version: 1.0
+To: razor-users@example.sourceforge.net
+Content-Type: text/plain; charset=us-ascii; format=flowed
+Content-Transfer-Encoding: 7bit
+Subject: [Razor-users] Re: Can't call method "log" with SA/Razor2
+Sender: razor-users-admin@example.sourceforge.net
+Errors-To: razor-users-admin@example.sourceforge.net
+X-Beenthere: razor-users@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 29 Aug 2002 12:17:27 -0700
+Date: Thu, 29 Aug 2002 12:17:27 -0700
+
+This is happening due to insufficient write access to the
+"razor-agent.log" file. I was getting the same error, but
+only as a non-root user.  As a quick workaround, you can do
+"chmod go+w razor-agent.log".
+
+In Agent.pm, when then the Logger object is created, it
+doesn't check whether the logfile is writable by the current
+user. Then, when a write attempt is made, it bails out with
+the "unblessed reference" error.
+
+Hope that helps,
+Michael
+
+> I just noticed the following log entries in my syslog with the latest
+> Spamassassin CVS (set up using spamc/spamd) and razor-agents 2.14:
+>
+> Jul 26 17:30:09 timmy spamd[54928]: razor2 check skipped: No such file or
+> directory Can't call method "log" on unblessed reference at
+> /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Agent.pm line 211,
+>  line 25.
+>
+> I saw this after checking if my upgrade from razor-agents 2.12 to 2.14 went
+> okay, but the problem is still there after downgrading back to 2.12.  I
+> don't really know when this started happening, :-/
+>
+> Any ideas on the problem?
+>
+> - Robert
+
+
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Razor-users mailing list
+Razor-users@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/razor-users
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0082.7f7858a1a7360410ed120899504c3a25 b/machine-learning-ex6/ex6/easy_ham/0082.7f7858a1a7360410ed120899504c3a25
new file mode 100644
index 0000000..4d8fa79
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0082.7f7858a1a7360410ed120899504c3a25
@@ -0,0 +1,111 @@
+From rpm-list-admin@freshrpms.net  Mon Sep  2 12:21:22 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ABCBC43F99
+	for ; Mon,  2 Sep 2002 07:21:18 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:21:18 +0100 (IST)
+Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TJqAZ26468 for
+    ; Thu, 29 Aug 2002 20:52:10 +0100
+Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net
+    (8.11.6/8.11.6/EGWN) with ESMTP id g7TJd2J04720; Thu, 29 Aug 2002 21:39:02
+    +0200
+Received: from imf26bis.bellsouth.net (mail126.mail.bellsouth.net
+    [205.152.58.86]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id
+    g7TJcbJ04352 for ; Thu, 29 Aug 2002 21:38:37 +0200
+Received: from adsl-157-23-10.msy.bellsouth.net ([66.157.23.10]) by
+    imf26bis.bellsouth.net (InterMail vM.5.01.04.19
+    201-253-122-122-119-20020516) with ESMTP id
+    <20020829193005.FDGG5735.imf26bis.bellsouth.net@adsl-157-23-10.msy.bellsouth.net>
+    for ; Thu, 29 Aug 2002 15:30:05 -0400
+Subject: Re: ALSA (almost) made easy
+From: Lance 
+To: rpm-zzzlist@freshrpms.net
+In-Reply-To: <20020829062638.53279644.matthias@egwn.net>
+References: <20020828004215.4bca2588.matthias@rpmforge.net>
+    <1030507320.3214.39.camel@herald.dragonsdawn.net>
+    <20020828100430.378c3856.matthias@rpmforge.net>
+    <1030546780.3214.54.camel@herald.dragonsdawn.net>
+    <20020828112645.B13047@ti19>
+    <1030551945.10627.4.camel@wanderlust.prognet.com>
+    <20020828190006.2200a154.matthias@rpmforge.net>
+    <1030576177.6448.1.camel@localhost.localdomain>
+    <1030580111.1388.2.camel@localhost.localdomain>
+    <20020829062638.53279644.matthias@egwn.net>
+Content-Type: text/plain
+Content-Transfer-Encoding: 7bit
+X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6)
+Message-Id: <1030649409.4818.4.camel@localhost.localdomain>
+MIME-Version: 1.0
+X-Mailscanner: Found to be clean, Found to be clean
+Sender: rpm-zzzlist-admin@freshrpms.net
+Errors-To: rpm-zzzlist-admin@freshrpms.net
+X-Beenthere: rpm-zzzlist@freshrpms.net
+X-Mailman-Version: 2.0.11
+Precedence: bulk
+Reply-To: rpm-zzzlist@freshrpms.net
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Freshrpms RPM discussion list 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: 29 Aug 2002 14:30:08 -0500
+Date: 29 Aug 2002 14:30:08 -0500
+
+Thanks Matthias.  Actually I got all four speakers with subwoofer
+working in digital out mode with gamixer.
+(http://www1.tcnet.ne.jp/fmurata/linux/down/)
+
+However switching between analog and digital, I'm still baffled.  As I
+have a tuner and cassette deck hooked up to "Line In" on a SBLive! 5.1,
+which is in analog mode.  But digital out works great now!
+
+On Wed, 2002-08-28 at 23:26, Matthias Saou wrote:
+> Once upon a time, Lance wrote :
+> 
+> > Ok, I got ALSA installed and there is no static inbetween mp3s like
+> > before which is great!  My setup is digital 4.1 but sound is only coming
+> > from front 2 speakers and subwoofer, rear speakers there is no sound. 
+> > Also alsamixer or aumix are unresponsive as well. 
+> 
+> Maybe you could find more info or tips on the ALSA page for your card?
+> Also, you could try "alsactl store", editing /etc/asound.state" by hand
+> (for me it contains data similar to what I can control with "alsamixer")
+> then run "alsactl restore" and see if you're able to change what you want
+> that way.
+> 
+> Matthias
+> 
+> -- 
+> Matthias Saou                                World Trade Center
+> -------------                                Edificio Norte 4 Planta
+> System and Network Engineer                  08039 Barcelona, Spain
+> Electronic Group Interactive                 Phone : +34 936 00 23 23
+> 
+> _______________________________________________
+> RPM-List mailing list 
+> http://lists.freshrpms.net/mailman/listinfo/rpm-list
+-- 
+:
+####[ Linux One Stanza Tip (LOST) ]###########################
+
+Sub : Finding out files larger than given size       LOST #324
+
+To find out all files in a dir over a given size, try:
+find /path/to/dir_of_file -type f -size +Nk
+[Where N is a number like 1024 for 1mb, and multiples thereof] 
+
+####[Discussions on LIH : 04 Jul 2002]########################
+:
+
+
+_______________________________________________
+RPM-List mailing list 
+http://lists.freshrpms.net/mailman/listinfo/rpm-list
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0083.e506d3273b3dde9ae2d340cb0197a2a0 b/machine-learning-ex6/ex6/easy_ham/0083.e506d3273b3dde9ae2d340cb0197a2a0
new file mode 100644
index 0000000..555992e
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0083.e506d3273b3dde9ae2d340cb0197a2a0
@@ -0,0 +1,135 @@
+From rpm-list-admin@freshrpms.net  Mon Sep  2 12:22:38 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AEE8243F99
+	for ; Mon,  2 Sep 2002 07:22:37 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:22:37 +0100 (IST)
+Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TL1YZ28608 for
+    ; Thu, 29 Aug 2002 22:01:35 +0100
+Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net
+    (8.11.6/8.11.6/EGWN) with ESMTP id g7TKr3J12965; Thu, 29 Aug 2002 22:53:03
+    +0200
+Received: from imf13bis.bellsouth.net (mail313.mail.bellsouth.net
+    [205.152.58.173]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id
+    g7TKqXJ12902 for ; Thu, 29 Aug 2002 22:52:33 +0200
+Received: from adsl-157-23-10.msy.bellsouth.net ([66.157.23.10]) by
+    imf13bis.bellsouth.net (InterMail vM.5.01.04.19
+    201-253-122-122-119-20020516) with ESMTP id
+    <20020829205404.EXZW15998.imf13bis.bellsouth.net@adsl-157-23-10.msy.bellsouth.net>
+    for ; Thu, 29 Aug 2002 16:54:04 -0400
+Subject: Re: ALSA (almost) made easy
+From: Lance 
+To: rpm-zzzlist@freshrpms.net
+In-Reply-To: <1030649409.4818.4.camel@localhost.localdomain>
+References: <20020828004215.4bca2588.matthias@rpmforge.net>
+    <1030507320.3214.39.camel@herald.dragonsdawn.net>
+    <20020828100430.378c3856.matthias@rpmforge.net>
+    <1030546780.3214.54.camel@herald.dragonsdawn.net>
+    <20020828112645.B13047@ti19>
+    <1030551945.10627.4.camel@wanderlust.prognet.com>
+    <20020828190006.2200a154.matthias@rpmforge.net>
+    <1030576177.6448.1.camel@localhost.localdomain>
+    <1030580111.1388.2.camel@localhost.localdomain>
+    <20020829062638.53279644.matthias@egwn.net>
+    <1030649409.4818.4.camel@localhost.localdomain>
+Content-Type: text/plain
+Content-Transfer-Encoding: 7bit
+X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6)
+Message-Id: <1030654347.9760.1.camel@localhost.localdomain>
+MIME-Version: 1.0
+X-Mailscanner: Found to be clean, Found to be clean
+Sender: rpm-zzzlist-admin@freshrpms.net
+Errors-To: rpm-zzzlist-admin@freshrpms.net
+X-Beenthere: rpm-zzzlist@freshrpms.net
+X-Mailman-Version: 2.0.11
+Precedence: bulk
+Reply-To: rpm-zzzlist@freshrpms.net
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Freshrpms RPM discussion list 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: 29 Aug 2002 15:52:27 -0500
+Date: 29 Aug 2002 15:52:27 -0500
+
+I want to thank those involved in making these RPMS available.  Thanks
+guys, thanks Matthias.
+
+Lance
+
+On Thu, 2002-08-29 at 14:30, Lance wrote:
+> Thanks Matthias.  Actually I got all four speakers with subwoofer
+> working in digital out mode with gamixer.
+> (http://www1.tcnet.ne.jp/fmurata/linux/down/)
+> 
+> However switching between analog and digital, I'm still baffled.  As I
+> have a tuner and cassette deck hooked up to "Line In" on a SBLive! 5.1,
+> which is in analog mode.  But digital out works great now!
+> 
+> On Wed, 2002-08-28 at 23:26, Matthias Saou wrote:
+> > Once upon a time, Lance wrote :
+> > 
+> > > Ok, I got ALSA installed and there is no static inbetween mp3s like
+> > > before which is great!  My setup is digital 4.1 but sound is only coming
+> > > from front 2 speakers and subwoofer, rear speakers there is no sound. 
+> > > Also alsamixer or aumix are unresponsive as well. 
+> > 
+> > Maybe you could find more info or tips on the ALSA page for your card?
+> > Also, you could try "alsactl store", editing /etc/asound.state" by hand
+> > (for me it contains data similar to what I can control with "alsamixer")
+> > then run "alsactl restore" and see if you're able to change what you want
+> > that way.
+> > 
+> > Matthias
+> > 
+> > -- 
+> > Matthias Saou                                World Trade Center
+> > -------------                                Edificio Norte 4 Planta
+> > System and Network Engineer                  08039 Barcelona, Spain
+> > Electronic Group Interactive                 Phone : +34 936 00 23 23
+> > 
+> > _______________________________________________
+> > RPM-List mailing list 
+> > http://lists.freshrpms.net/mailman/listinfo/rpm-list
+> -- 
+> :
+> ####[ Linux One Stanza Tip (LOST) ]###########################
+> 
+> Sub : Finding out files larger than given size       LOST #324
+> 
+> To find out all files in a dir over a given size, try:
+> find /path/to/dir_of_file -type f -size +Nk
+> [Where N is a number like 1024 for 1mb, and multiples thereof] 
+> 
+> ####[Discussions on LIH : 04 Jul 2002]########################
+> :
+> 
+> 
+> _______________________________________________
+> RPM-List mailing list 
+> http://lists.freshrpms.net/mailman/listinfo/rpm-list
+-- 
+:
+####[ Linux One Stanza Tip (LOST) ]###########################
+
+Sub : Finding out files larger than given size       LOST #324
+
+To find out all files in a dir over a given size, try:
+find /path/to/dir_of_file -type f -size +Nk
+[Where N is a number like 1024 for 1mb, and multiples thereof] 
+
+####[Discussions on LIH : 04 Jul 2002]########################
+:
+
+
+_______________________________________________
+RPM-List mailing list 
+http://lists.freshrpms.net/mailman/listinfo/rpm-list
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0084.e84ff95488fab22c26801bcd5bae337e b/machine-learning-ex6/ex6/easy_ham/0084.e84ff95488fab22c26801bcd5bae337e
new file mode 100644
index 0000000..9451329
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0084.e84ff95488fab22c26801bcd5bae337e
@@ -0,0 +1,72 @@
+From sitescooper-talk-admin@lists.sourceforge.net  Mon Sep  2 12:22:41 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C5A1343F9B
+	for ; Mon,  2 Sep 2002 07:22:40 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:22:40 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7TLB0Z28997 for ; Thu, 29 Aug 2002 22:11:00 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kWZF-0004h8-00; Thu,
+    29 Aug 2002 14:11:05 -0700
+Received: from srv01s4.cas.org ([134.243.50.9] helo=srv01.cas.org) by
+    usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17kWZ5-0004GD-00 for ;
+    Thu, 29 Aug 2002 14:10:55 -0700
+Received: from lwv26awu.cas.org (lwv26awu [134.243.40.138]) by
+    srv01.cas.org (8.12.5/m8.12.5/CAS_MAIL_HUB-2.00) with ESMTP id
+    g7TLAlPW014804 for ;
+    Thu, 29 Aug 2002 17:10:47 -0400 (EDT)
+Received: (from lwv26@localhost) by lwv26awu.cas.org
+    (8.11.6+Sun/m4_8.11.6/CAS_CLIENT-1.18) id g7TLAlP01838; Thu,
+    29 Aug 2002 17:10:47 -0400 (EDT)
+From: "Larry W. Virden" 
+Message-Id: <20020829171046.AAB1816@cas.org>
+To: 
+Subject: [scoop] Scoop MS Word .doc file into something that plucker or other Palm app can display?
+Sender: sitescooper-talk-admin@example.sourceforge.net
+Errors-To: sitescooper-talk-admin@example.sourceforge.net
+X-Beenthere: sitescooper-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Discussion of sitescooper - see http://sitescooper.org/
+    
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 29 Aug 2002 17:10:47 -0400 (EDT)
+Date: Thu, 29 Aug 2002 17:10:47 -0400 (EDT)
+
+I am wondering whether there's a way that I can use sitescooper and/or plucker
+or some other free utility to convert word documents into something a bit
+more palmos friendly?
+
+I don't have a Windows machine, so it becomes problematic to convert them;
+I know that if this were not the case, in Word I could save them as some
+other more friendly format.
+-- 
+Tcl'2002 Sept 16, 2002, Vancouver, BC http://www.tcl.tk/community/tcl2002/
+Larry W. Virden  
+Even if explicitly stated to the contrary, nothing in this posting should 
+be construed as representing my employer's opinions.
+-><-
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Sitescooper-talk mailing list
+Sitescooper-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/sitescooper-talk
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0085.1a80e2b1720bd5cbeb900554a5477d0b b/machine-learning-ex6/ex6/easy_ham/0085.1a80e2b1720bd5cbeb900554a5477d0b
new file mode 100644
index 0000000..dbfede7
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0085.1a80e2b1720bd5cbeb900554a5477d0b
@@ -0,0 +1,81 @@
+From razor-users-admin@lists.sourceforge.net  Mon Sep  2 12:22:44 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3643543F99
+	for ; Mon,  2 Sep 2002 07:22:44 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:22:44 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7TNfsZ01475 for ; Fri, 30 Aug 2002 00:41:54 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kYnd-0002Im-00; Thu,
+    29 Aug 2002 16:34:05 -0700
+Received: from 208-150-110-21-adsl.precisionet.net ([208.150.110.21]
+    helo=neofelis.ixazon.lan) by usw-sf-list1.sourceforge.net with esmtp (Exim
+    3.31-VA-mm2 #1 (Debian)) id 17kYnY-0005zK-00 for
+    ; Thu, 29 Aug 2002 16:34:00 -0700
+Received: by neofelis.ixazon.lan (Postfix, from userid 504) id A33003C47A;
+    Thu, 29 Aug 2002 19:33:53 -0400 (EDT)
+Content-Type: text/plain; charset="iso-8859-1"
+From: "cmeclax po'u le cmevi'u ke'umri" 
+Reply-To: cmeclax@ixazon.dynip.com
+To: 
+Subject: Re: [Razor-users] Collision of hashes?
+X-Mailer: KMail [version 1.2]
+References: 
+    <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com>
+In-Reply-To: <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com>
+Comment: li 0x18080B5EBAEAEC17619A6B51DFF93585D986F633 cu sevzi le mi ckiku
+MIME-Version: 1.0
+Message-Id: <02082919334401.04648@neofelis>
+Content-Transfer-Encoding: 8bit
+Sender: razor-users-admin@example.sourceforge.net
+Errors-To: razor-users-admin@example.sourceforge.net
+X-Beenthere: razor-users@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 29 Aug 2002 19:33:44 -0400
+Date: Thu, 29 Aug 2002 19:33:44 -0400
+
+-----BEGIN PGP SIGNED MESSAGE-----
+Hash: SHA1
+
+de'i Thursday 29 August 2002 13:36 la Fox cusku di'e
+> The following was personal correspondence between two people.  I can't
+>
+> fathom how Razor thinks it is spam:
+
+Was it sent in HTML? If so, and it had a background, the background may have 
+been sent in a spam.
+
+cmeclax
+-----BEGIN PGP SIGNATURE-----
+Version: GnuPG v1.0.7 (GNU/Linux)
+
+iD8DBQE9bq9f3/k1hdmG9jMRAk4XAJ9CheEA+/hLIU9zTzfJbPyoPUm+XwCfXgZ1
+tg7Fn8JcG9Q13UlKVfaOJzk=
+=Mw8+
+-----END PGP SIGNATURE-----
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Razor-users mailing list
+Razor-users@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/razor-users
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0086.b96641b3e0a2cf8c238976336d45a86c b/machine-learning-ex6/ex6/easy_ham/0086.b96641b3e0a2cf8c238976336d45a86c
new file mode 100644
index 0000000..89348af
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0086.b96641b3e0a2cf8c238976336d45a86c
@@ -0,0 +1,85 @@
+From razor-users-admin@lists.sourceforge.net  Mon Sep  2 12:22:47 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8855D43F9B
+	for ; Mon,  2 Sep 2002 07:22:47 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:22:47 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7TNiXZ01537 for ; Fri, 30 Aug 2002 00:44:33 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kYqW-0003Xb-00; Thu,
+    29 Aug 2002 16:37:04 -0700
+Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186]
+    helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim
+    3.31-VA-mm2 #1 (Debian)) id 17kYqQ-0006NA-00 for
+    ; Thu, 29 Aug 2002 16:36:58 -0700
+Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id
+    g7TNar604179 for razor-users@lists.sourceforge.net; Thu, 29 Aug 2002
+    16:36:53 -0700
+From: Vipul Ved Prakash 
+To: razor-users@example.sourceforge.net
+Subject: Re: [Razor-users] Collision of hashes?
+Message-Id: <20020829163653.A4149@rover.vipul.net>
+Reply-To: mail@vipul.net
+Mail-Followup-To: razor-users@example.sourceforge.net
+References: 
+    <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com>
+    <02082919334401.04648@neofelis>
+MIME-Version: 1.0
+Content-Type: text/plain; charset=us-ascii
+Content-Disposition: inline
+User-Agent: Mutt/1.2.5i
+In-Reply-To: <02082919334401.04648@neofelis>; from cmeclax@gmx.co.uk on
+    Thu, Aug 29, 2002 at 07:33:44PM -0400
+X-Operating-System: Linux rover.vipul.net 2.4.18
+X-Privacy: If possible, encrypt your reply.  Key at http://vipul.net/
+Sender: razor-users-admin@example.sourceforge.net
+Errors-To: razor-users-admin@example.sourceforge.net
+X-Beenthere: razor-users@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 29 Aug 2002 16:36:53 -0700
+Date: Thu, 29 Aug 2002 16:36:53 -0700
+
+On Thu, Aug 29, 2002 at 07:33:44PM -0400, cmeclax po'u le cmevi'u ke'umri wrote:
+> 
+> Was it sent in HTML? If so, and it had a background, the background may have 
+> been sent in a spam.
+
+razor-agents 2.14 needs all parts to be spam to make a positive decision
+(though this will change with the next release), so it couldn't have been
+a background. Could you send me the debug log?
+
+cheers,
+vipul.
+
+-- 
+
+Vipul Ved Prakash          |   "The future is here, it's just not 
+Software Design Artist     |    widely distributed."
+http://vipul.net/          |              -- William Gibson
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Razor-users mailing list
+Razor-users@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/razor-users
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0087.dd5f3aa35f50008bf7dfc5059ac8a239 b/machine-learning-ex6/ex6/easy_ham/0087.dd5f3aa35f50008bf7dfc5059ac8a239
new file mode 100644
index 0000000..42c781b
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0087.dd5f3aa35f50008bf7dfc5059ac8a239
@@ -0,0 +1,95 @@
+From sitescooper-talk-admin@lists.sourceforge.net  Mon Sep  2 12:23:07 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 00C9643F9B
+	for ; Mon,  2 Sep 2002 07:23:07 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:23:07 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7U0RvZ06008 for ; Fri, 30 Aug 2002 01:27:57 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kZdr-0006yt-00; Thu,
+    29 Aug 2002 17:28:03 -0700
+Received: from [210.14.43.56] (helo=min.kssp.upd.edu.ph) by
+    usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17kZdM-0007Tc-00 for ;
+    Thu, 29 Aug 2002 17:27:33 -0700
+Received: (qmail 30374 invoked from network); 30 Aug 2002 00:27:18 -0000
+Received: from unknown (HELO elayne.kssp.upd.edu.ph) (10.34.130.14) by 0
+    with SMTP; 30 Aug 2002 00:27:18 -0000
+Received: from elayne.kssp.upd.edu.ph (localhost.kssp.upd.edu.ph
+    [127.0.0.1]) by elayne.kssp.upd.edu.ph (8.12.3/8.12.3) with ESMTP id
+    g7U0RMjS024015 for ;
+    Fri, 30 Aug 2002 08:27:23 +0800 (PHT)
+Received: (from barryg@localhost) by elayne.kssp.upd.edu.ph
+    (8.12.3/8.12.3/Submit) id g7U0R9eT031218 for
+    sitescooper-talk@lists.sourceforge.net; Fri, 30 Aug 2002 08:27:09 +0800
+    (PHT)
+X-Authentication-Warning: elayne.kssp.upd.edu.ph: barryg set sender to
+    barryg@kssp.upd.edu.ph using -f
+From: "Barry Dexter A. Gonzaga" 
+To: sitescooper-talk@example.sourceforge.net
+Subject: Re: [scoop] Scoop MS Word .doc file into something that plucker or other Palm app can display?
+Message-Id: <20020830002709.GA21600@elayne.kssp.upd.edu.ph>
+Mail-Followup-To: sitescooper-talk@example.sourceforge.net
+References: <20020829171046.AAB1816@cas.org>
+MIME-Version: 1.0
+Content-Type: text/plain; charset=us-ascii
+Content-Disposition: inline
+In-Reply-To: <20020829171046.AAB1816@cas.org>
+User-Agent: Mutt/1.3.99i
+Sender: sitescooper-talk-admin@example.sourceforge.net
+Errors-To: sitescooper-talk-admin@example.sourceforge.net
+X-Beenthere: sitescooper-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Discussion of sitescooper - see http://sitescooper.org/
+    
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Fri, 30 Aug 2002 08:27:09 +0800
+Date: Fri, 30 Aug 2002 08:27:09 +0800
+
+Good Day!
+
+On Thu, Aug 29, 2002 at 05:10:47PM -0400, Larry W. Virden wrote:
+> I am wondering whether there's a way that I can use sitescooper and/or plucker
+> or some other free utility to convert word documents into something a bit
+> more palmos friendly?
+
+	You could try antiword (http://www.winfield.demon.nl/linux/).
+It's consoled based and converts word 6+ docs to text and some images to
+postscript and png.  You could also try openoffice and/or abiword if you
+have x installed.
+
+> I don't have a Windows machine, so it becomes problematic to convert them;
+> I know that if this were not the case, in Word I could save them as some
+> other more friendly format.
+
+	Great! ;)
+
+Mabuhay! barryg
+
+-- 
+Barry Dexter A. Gonzaga, bofh
+barryg@kssp.upd.edu.ph 
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Sitescooper-talk mailing list
+Sitescooper-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/sitescooper-talk
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0088.43fa07c598e8b3d272a1a00705398e48 b/machine-learning-ex6/ex6/easy_ham/0088.43fa07c598e8b3d272a1a00705398e48
new file mode 100644
index 0000000..44d23a3
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0088.43fa07c598e8b3d272a1a00705398e48
@@ -0,0 +1,46 @@
+From pudge@perl.org  Mon Sep  2 12:23:11 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9A7C743F99
+	for ; Mon,  2 Sep 2002 07:23:11 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:23:11 +0100 (IST)
+Received: from cpu59.osdn.com (slashdot.org [64.28.67.73] (may be forged))
+    by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7U20KZ08932 for
+    ; Fri, 30 Aug 2002 03:00:21 +0100
+Received: from [10.2.181.14] (helo=perl.org) by cpu59.osdn.com with smtp
+    (Exim 3.35 #1 (Debian)) id 17kb3f-0002Em-00 for ;
+    Thu, 29 Aug 2002 21:58:47 -0400
+Date: Fri, 30 Aug 2002 02:00:24 +0000
+From: pudge@perl.org
+Subject: [use Perl] Headlines for 2002-08-30
+To: zzzz-use-perl@example.com
+Precedence: list
+X-Bulkmail: 2.051
+Message-Id: 
+
+use Perl Daily Headline Mailer
+
+Installing Perl 5.8.0 on Mac OS X 10.2
+    posted by pudge on Thursday August 29, @15:03 (releases)
+    http://use.perl.org/article.pl?sid=02/08/29/193225
+
+
+
+
+Copyright 1997-2002 pudge.  All rights reserved.
+
+
+======================================================================
+
+You have received this message because you subscribed to it
+on use Perl.  To stop receiving this and other
+messages from use Perl, or to add more messages
+or change your preferences, please go to your user page.
+
+	http://use.perl.org/my/messages/
+
+You can log in and change your preferences from there.
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0089.8b3fea141f5b2f2e5b66a9f12148b7d0 b/machine-learning-ex6/ex6/easy_ham/0089.8b3fea141f5b2f2e5b66a9f12148b7d0
new file mode 100644
index 0000000..86a1d1d
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0089.8b3fea141f5b2f2e5b66a9f12148b7d0
@@ -0,0 +1,63 @@
+From pudge@perl.org  Mon Sep  2 12:23:15 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EFFAD43F99
+	for ; Mon,  2 Sep 2002 07:23:14 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:23:15 +0100 (IST)
+Received: from cpu59.osdn.com (slashdot.org [64.28.67.73] (may be forged))
+    by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7U20QZ08937 for
+    ; Fri, 30 Aug 2002 03:00:26 +0100
+Received: from [10.2.181.14] (helo=perl.org) by cpu59.osdn.com with smtp
+    (Exim 3.35 #1 (Debian)) id 17kb3l-0002JD-01 for ;
+    Thu, 29 Aug 2002 21:58:53 -0400
+Date: Fri, 30 Aug 2002 02:00:30 +0000
+From: pudge@perl.org
+Subject: [use Perl] Stories for 2002-08-30
+To: zzzz-use-perl@example.com
+Precedence: list
+X-Bulkmail: 2.051
+Message-Id: 
+
+use Perl Daily Newsletter
+
+In this issue:
+    * Installing Perl 5.8.0 on Mac OS X 10.2
+
++--------------------------------------------------------------------+
+| Installing Perl 5.8.0 on Mac OS X 10.2                             |
+|   posted by pudge on Thursday August 29, @15:03 (releases)         |
+|   http://use.perl.org/article.pl?sid=02/08/29/193225               |
++--------------------------------------------------------------------+
+
+[0]Morbus Iff writes "The newest release of Apple's operating system, Mac
+OS X v10.2 (Jaguar) comes with perl 5.6.0, surprisingly old for their
+latest offering. In an [1]Internet Developer article, I walk the Mac OS X
+user through installing perl 5.8.0, and as well provide a brief
+introduction to CPAN."
+
+Discuss this story at:
+    http://use.perl.org/comments.pl?sid=02/08/29/193225
+
+Links:
+    0. mailto:morbus@disobey.com
+    1. http://developer.apple.com/internet/macosx/perl.html
+
+
+
+Copyright 1997-2002 pudge.  All rights reserved.
+
+
+======================================================================
+
+You have received this message because you subscribed to it
+on use Perl.  To stop receiving this and other
+messages from use Perl, or to add more messages
+or change your preferences, please go to your user page.
+
+	http://use.perl.org/my/messages/
+
+You can log in and change your preferences from there.
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0090.314ec4268af7a3a1974d5eab84ea65af b/machine-learning-ex6/ex6/easy_ham/0090.314ec4268af7a3a1974d5eab84ea65af
new file mode 100644
index 0000000..cc1b918
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0090.314ec4268af7a3a1974d5eab84ea65af
@@ -0,0 +1,98 @@
+From rpm-list-admin@freshrpms.net  Mon Sep  2 12:24:03 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 803D843F9B
+	for ; Mon,  2 Sep 2002 07:24:02 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:24:02 +0100 (IST)
+Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7U780Z16522 for
+    ; Fri, 30 Aug 2002 08:08:00 +0100
+Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net
+    (8.11.6/8.11.6/EGWN) with ESMTP id g7U754J32624; Fri, 30 Aug 2002 09:05:04
+    +0200
+Received: from cskk.homeip.net (c17877.carlnfd1.nsw.optusnet.com.au
+    [210.49.140.231]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id
+    g7U73RJ32084 for ; Fri, 30 Aug 2002 09:03:28 +0200
+Received: from amadeus.home (localhost.localdomain [127.0.0.1]) by
+    cskk.homeip.net (8.11.6/8.11.6) with ESMTP id g7U738708102 for
+    ; Fri, 30 Aug 2002 17:03:11 +1000
+From: Cameron Simpson 
+To: rpm-zzzlist@freshrpms.net
+Subject: Re: /home/dude
+Message-Id: <20020830070306.GA7959@amadeus.home>
+References: <20020828143235.A5779@bonzo.nirvana>
+    <20020829142252.7b20caab.matthias@egwn.net>
+MIME-Version: 1.0
+Content-Type: text/plain; charset=us-ascii
+Content-Disposition: inline
+In-Reply-To: <20020829142252.7b20caab.matthias@egwn.net>
+User-Agent: Mutt/1.4i
+X-Mailscanner: Found to be clean, Found to be clean
+Sender: rpm-zzzlist-admin@freshrpms.net
+Errors-To: rpm-zzzlist-admin@freshrpms.net
+X-Beenthere: rpm-zzzlist@freshrpms.net
+X-Mailman-Version: 2.0.11
+Precedence: bulk
+Reply-To: rpm-zzzlist@freshrpms.net
+X-Reply-To: cs@zip.com.au
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Freshrpms RPM discussion list 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Fri, 30 Aug 2002 17:03:06 +1000
+Date: Fri, 30 Aug 2002 17:03:06 +1000
+
+On 14:22 29 Aug 2002, Matthias Saou  wrote:
+| Once upon a time, Axel wrote :
+| > I am now relaxed again ;), and pass this info on. Probably Matthias Saou
+| > himself is "dude", and some package has hardwired a path in his build
+| > directory. It would be nice to find out which and fix it, but I am using
+| > too many of the freshrpm suite to narrow it down.
+| 
+| Indeed, my usual login is "dude" (and has been since long before "The Big
+| Lebowsky" came out ;-)), and it seems the some programs wrongly hard code
+| my home directory when being compiled :-(
+| For instance :
+| 
+| [dude@python dude]$ strings /usr/bin/gentoo | grep dude
+| /home/dude/
+| [dude@python dude]$ strings /usr/bin/xine | grep dude
+| /home/dude/redhat/tmp/xine-root/usr/share/locale
+| 
+| These should probably be considered bugs in the program's build process
+| (especially for xine, look at that!), I'll report them upstream if/when I
+| have some time.
+
+This is a standard trap for people building things from source. It's
+generally wise to have a special "build" environment to avoid these
+hassles. Most likely you have some library loading path in your env. An
+strace of the app will show it:
+
+	the-app 2>&1 | grep dude
+
+Personally, I have a script called logbuild whose entire purpose is to
+start a shell with a minimal build environment, logged with script. The
+prevents this kind of error. Since configure yanks all sorts of ill
+documented values from one's environment for use in the build (CC, ARCH,
+various LD_* variables) this kind of thing is necessary.
+
+Often the easiest thing is to have a special nonroot account with no .profile
+for building stuff.
+
+Cheers,
+-- 
+Cameron Simpson, DoD#743        cs@zip.com.au    http://www.zip.com.au/~cs/
+
+Do not taunt Happy Fun Coder.
+
+_______________________________________________
+RPM-List mailing list 
+http://lists.freshrpms.net/mailman/listinfo/rpm-list
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0091.3bdd7b578973ee005733480a8b6c9b54 b/machine-learning-ex6/ex6/easy_ham/0091.3bdd7b578973ee005733480a8b6c9b54
new file mode 100644
index 0000000..0c2a638
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0091.3bdd7b578973ee005733480a8b6c9b54
@@ -0,0 +1,116 @@
+From sitescooper-talk-admin@lists.sourceforge.net  Mon Sep  2 12:28:11 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ADEBC43F99
+	for ; Mon,  2 Sep 2002 07:28:09 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:28:09 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g7UDpYZ27586 for ; Fri, 30 Aug 2002 14:51:34 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kmB1-0003rI-00; Fri,
+    30 Aug 2002 06:51:07 -0700
+Received: from snipe.mail.pas.earthlink.net ([207.217.120.62]) by
+    usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17kmAm-0008KI-00 for ;
+    Fri, 30 Aug 2002 06:50:52 -0700
+Received: from dialup-209.245.228.178.dial1.dallas1.level3.net
+    ([209.245.228.178] helo=localhost.localdomain) by
+    snipe.mail.pas.earthlink.net with esmtp (Exim 3.33 #1) id 17kmAb-00076W-00;
+    Fri, 30 Aug 2002 06:50:42 -0700
+Subject: Re: [scoop] Scoop MS Word .doc file into something that plucker or other Palm app can display?
+From: unlisted 
+To: "Larry W. Virden" 
+Cc: sitescooper-talk@example.sourceforge.net,
+	"Barry Dexter A. Gonzaga" 
+In-Reply-To: <20020830002709.GA21600@elayne.kssp.upd.edu.ph>
+References: <20020829171046.AAB1816@cas.org>
+    <20020830002709.GA21600@elayne.kssp.upd.edu.ph>
+Content-Type: text/plain
+Content-Transfer-Encoding: 7bit
+X-Mailer: Ximian Evolution 1.0.5
+Message-Id: <1030715441.2038.31.camel@leviticus>
+MIME-Version: 1.0
+Sender: sitescooper-talk-admin@example.sourceforge.net
+Errors-To: sitescooper-talk-admin@example.sourceforge.net
+X-Beenthere: sitescooper-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Discussion of sitescooper - see http://sitescooper.org/
+    
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: 30 Aug 2002 08:50:38 -0500
+Date: 30 Aug 2002 08:50:38 -0500
+
+On Thu, 2002-08-29 at 19:27, Barry Dexter A. Gonzaga wrote:
+> On Thu, Aug 29, 2002 at 05:10:47PM -0400, Larry W. Virden wrote:
+> > I am wondering whether there's a way that I can use sitescooper and/or plucker
+> > or some other free utility to convert word documents into something a bit
+> > more palmos friendly?
+> 
+> 	You could try antiword (http://www.winfield.demon.nl/linux/).
+> It's consoled based and converts word 6+ docs to text and some images to
+> postscript and png.
+
+also there's catdoc and wv for Word --> text conversions.  actually, wv
+consists of wvWare, which as the manpage says "converts word documents
+into other formats such as PS, PDF, HTML, LaTeX, DVI, ABW".  HTML would
+probably be the best format for use with Plucker/SiteScooper, depending
+on how good the DOC --> HTML conversion is.  i haven't used either in
+over a year as AbiWord or OpenOffice work well enough.  (prefer AbiWord
+for it's light-weight size, but OpenOffice has the better DOC importer.)
+
+don't know which of these are better or worse than the other, but i
+figure, "the more the merrier". ;-)
+
+> You could also try openoffice and/or abiword if you
+> have x installed.
+
+AbiWord supports exporting to PalmDoc (.pdb) which is about as
+PalmOS-friendly as you can get.  never tried/needed it, but it's listed
+there in the "Save As" dialog box.
+
+Wine (or CrossOver Office, if you already have it) may support Word
+Viewer (free download from Microsoft), but didn't a year or so ago when
+i last tried.  Word Viewer is what i used back in the day to convert
+Word 97 docs to Word 95, as you could display the Word 97 doc and copy &
+paste the text (with formatting) into Word 95, which was the only
+version of Word that i had.  anyways, a little nostalgia.
+
+> > I don't have a Windows machine, so it becomes problematic to convert them;
+> > I know that if this were not the case, in Word I could save them as some
+> > other more friendly format.
+
+i have a windows (dual-boot) machine, but it only get used by my
+significant other and for burning multi-session cd-r/rw.  (is there any
+linux gui app that supports cdrecord's multi-session feature?)  since
+OpenOffice, i've been able to edit Word docs flawlessly (or at least the
+simple Word documents i receive from others).
+
+anyways...
+-- 
+
+PLEASE REQUEST PERMISSION TO REDISTRIBUTE
+   AUTHOR'S COMMENTS OR EMAIL ADDRESS.
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by: OSDN - Tired of that same old
+cell phone?  Get a new here for FREE!
+https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390
+_______________________________________________
+Sitescooper-talk mailing list
+Sitescooper-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/sitescooper-talk
+
diff --git a/machine-learning-ex6/ex6/easy_ham/0092.a1560d2416687b2db8204c2fa69163f2 b/machine-learning-ex6/ex6/easy_ham/0092.a1560d2416687b2db8204c2fa69163f2
new file mode 100644
index 0000000..6152b9b
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/0092.a1560d2416687b2db8204c2fa69163f2
@@ -0,0 +1,120 @@
+From DNS-swap@lists.ironclad.net.au  Mon Sep  2 12:28:53 2002
+Return-Path: 
+Delivered-To: zzzz@localhost.netnoteinc.com
+Received: from localhost (localhost [127.0.0.1])
+	by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 40C6C43F9B
+	for ; Mon,  2 Sep 2002 07:28:52 -0400 (EDT)
+Received: from phobos [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:28:52 +0100 (IST)
+Received: from lists.ironclad.net.au ([203.30.247.12]) by
+    dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7UFQvZ30600 for
+    ; Fri, 30 Aug 2002 16:27:01 +0100
+Received: from dbsinfo.com by lists.ironclad.net.au with SMTP;
+    Sat, 31 Aug 2002 01:21:00 +1000
+Message-Id: <00c401c25039$7b055460$976fa8c0@cfl.rr.com>
+From: "Bob Musser" 
+To: 
+Subject: Tiny DNS Swap
+Date: Fri, 30 Aug 2002 11:25:31 -0400
+MIME-Version: 1.0
+Content-Type: multipart/alternative;
+    boundary="----=_NextPart_000_00C1_01C25017.F2F04E20"
+X-Priority: 3
+X-Msmail-Priority: Normal
+X-Mailer: Microsoft Outlook Express 6.00.2600.0000
+X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000
+Reply-To: "DNS-swap" 
+Sender: 
+Precedence: Bulk
+List-Software: LetterRip Pro 3.0.7 by Fog City Software, Inc.
+List-Subscribe: 
+List-Digest: 
+List-Unsubscribe: 
+
+(This list is sponsored by Ironclad Networks http://www.ironclad.net.au/)
+
+This is a multi-part message in MIME format.
+
+------=_NextPart_000_00C1_01C25017.F2F04E20
+Content-Type: text/plain;
+	charset="Windows-1252"
+Content-Transfer-Encoding: quoted-printable
+
+I'm using Simple DNS from JHSoft.  We support only a few web sites and =
+I'd like to swap secondary services with someone in a similar position.
+
+We have a static IP, DSL line and a 24/7 set of web, SQL, mail and now a =
+DNS server.  As I said, we are hosting about 10 web sites, web and DNS =
+traffic is almost nothing.  Everything is on lightly loaded APC battery =
+backups so we are very seldom down.
+
+I'd like to swap with someone also using Simple DNS to take advantage of =
+the trusted zone file transfer option.
+
+
+
+Bob Musser
+Database Services, Inc.
+Makers of:
+   Process Server's Toolbox
+   Courier Service Toolbox
+BobM@dbsinfo.com
+www.dbsinfo.com
+106 Longhorn Road
+Winter Park FL 32792
+(407) 679-1539
+
+
+
+------=_NextPart_000_00C1_01C25017.F2F04E20
+Content-Type: text/html;
+	charset="Windows-1252"
+Content-Transfer-Encoding: quoted-printable
+
+
+
+
+
+
+
+
+
I'm using Simple DNS from JHSoft.  We support = +only a few=20 +web sites and I'd like to swap secondary services with someone in a = +similar=20 +position.
+
 
+
We have a static IP, DSL line and a 24/7 set of web, = +SQL, mail=20 +and now a DNS server.  As I said, we are hosting about 10 web = +sites, web=20 +and DNS traffic is almost nothing.  Everything is on lightly loaded = +APC=20 +battery backups so we are very seldom down.
+
 
+
I'd like to swap with someone also using Simple DNS = +to take=20 +advantage of the trusted zone file transfer option.
+
 
+
 
+
 
+
Bob Musser
Database Services, Inc.
Makers=20 +of:
   Process Server's Toolbox
   Courier = +Service=20 +Toolbox
BobM@dbsinfo.com
www.dbsinfo.com
106 Longhorn = +Road
Winter=20 +Park FL 32792
(407) 679-1539
+
 
+
 
+ +------=_NextPart_000_00C1_01C25017.F2F04E20-- + + +-- +To Unsubscribe: +Sponsor & Host: Ironclad Networks + diff --git a/machine-learning-ex6/ex6/easy_ham/0093.0c71febfdf6f3acbc4d0c76b777a8530 b/machine-learning-ex6/ex6/easy_ham/0093.0c71febfdf6f3acbc4d0c76b777a8530 new file mode 100644 index 0000000..6ef4f3b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0093.0c71febfdf6f3acbc4d0c76b777a8530 @@ -0,0 +1,184 @@ +From DNS-swap@lists.ironclad.net.au Mon Sep 2 12:29:02 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EE14044155 + for ; Mon, 2 Sep 2002 07:28:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:29:00 +0100 (IST) +Received: from lists.ironclad.net.au ([203.30.247.12]) by + dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7UFZJZ31030 for + ; Fri, 30 Aug 2002 16:35:19 +0100 +Received: from linkcreations.com.mx by lists.ironclad.net.au with SMTP; + Sat, 31 Aug 2002 01:30:02 +1000 +Date: Fri, 30 Aug 2002 10:30:36 -0500 +Subject: Re: Tiny DNS Swap +Content-Type: multipart/alternative; boundary=Apple-Mail-2-874629474 +MIME-Version: 1.0 (Apple Message framework v543) +From: Javier Cota +To: "DNS-swap" +In-Reply-To: <00c401c25039$7b055460$976fa8c0@cfl.rr.com> +Message-Id: <6EA7567E-BC2D-11D6-9CA1-00306565A7B2@linkcreations.com.mx> +X-Mailer: Apple Mail (2.543) +Reply-To: "DNS-swap" +Sender: +Precedence: Bulk +List-Software: LetterRip Pro 3.0.7 by Fog City Software, Inc. +List-Subscribe: +List-Digest: +List-Unsubscribe: + +(This list is sponsored by Ironclad Networks http://www.ironclad.net.au/) + + +--Apple-Mail-2-874629474 +Content-Transfer-Encoding: quoted-printable +Content-Type: text/plain; + charset=ISO-8859-1; + format=flowed + +Bob + +We are a commercial company who host around 150 web sites on each of it=20= + +servers, we can=B4t swap with you because we need someone in a similar=20= + +position. + +Thank you + +Javier + +El Viernes, 30 agosto, 2002, a las 10:25 AM, Bob Musser escribi=F3: + +> I'm using Simple DNS from JHSoft.=A0 We support only a few web sites = +and=20 +> I'd like to swap secondary services with someone in a similar > = +position. +> =A0 +> We have a static IP, DSL line and a 24/7 set of web, SQL, mail and now=20= + +> a DNS server.=A0 As I said, we are hosting about 10 web sites, web and=20= + +> DNS traffic is almost nothing.=A0 Everything is on lightly loaded APC=20= + +> battery backups so we are very seldom down. +> =A0 +> I'd like to swap with someone also using Simple DNS to take advantage=20= + +> of the trusted zone file transfer option. +> =A0 +> =A0 +> =A0 +> Bob Musser +> Database Services, Inc. +> Makers of: +> =A0=A0 Process Server's Toolbox +> =A0=A0 Courier Service Toolbox +> BobM@dbsinfo.com +> www.dbsinfo.com +> 106 Longhorn Road +> Winter Park FL 32792 +> (407) 679-1539 +> =A0 +> =A0 +> +--- +Atentamente +Javier Cota +Integraci=F3n tecnol=F3gica +52723341 +javier@linkcreations.com.mx + + +--Apple-Mail-2-874629474 +Content-Transfer-Encoding: quoted-printable +Content-Type: text/enriched; + charset=ISO-8859-1 + +Bob + + +We are a commercial company who host around 150 web sites on each of +it servers, we can=B4t swap with you because we need someone in a +similar position. + + +Thank you + + +Javier=20 + + +El Viernes, 30 agosto, 2002, a las 10:25 AM, Bob Musser escribi=F3: + + +I'm using Simple DNS from JHSoft.=A0 We support only a +few web sites and I'd like to swap secondary services with someone in +a similar position. + +=A0 + +We have a static IP, DSL line and a 24/7 set of web, SQL, +mail and now a DNS server.=A0 As I said, we are hosting about 10 web +sites, web and DNS traffic is almost nothing.=A0 Everything is on +lightly loaded APC battery backups so we are very seldom down. + +=A0 + +I'd like to swap with someone also using Simple DNS to take +advantage of the trusted zone file transfer option. + +=A0 + +=A0 + +=A0 + +Bob Musser + +Database Services, Inc. + +Makers of: + +=A0=A0 Process Server's Toolbox + +=A0=A0 Courier Service Toolbox + +1999,1999,FFFFBobM@dbsinfo.com + +www.dbsinfo.com + +106 Longhorn Road + +Winter Park FL 32792 + +(407) 679-1539 + +=A0 + +=A0 + + +--- + +Atentamente + +Javier Cota + +Integraci=F3n tecnol=F3gica + +52723341 + +javier@linkcreations.com.mx + + + +--Apple-Mail-2-874629474-- + + +-- +To Unsubscribe: +Sponsor & Host: Ironclad Networks + diff --git a/machine-learning-ex6/ex6/easy_ham/0094.b7bf14fae9c31d0516cfe00dd9ab068d b/machine-learning-ex6/ex6/easy_ham/0094.b7bf14fae9c31d0516cfe00dd9ab068d new file mode 100644 index 0000000..000aa1a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0094.b7bf14fae9c31d0516cfe00dd9ab068d @@ -0,0 +1,309 @@ +From tips@spesh.com Mon Sep 2 12:29:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BF46B43F9B + for ; Mon, 2 Sep 2002 07:29:13 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:29:13 +0100 (IST) +Received: from prune.flirble.org (prune.flirble.org [195.40.6.30]) by + dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7UFv4Z32113 for + ; Fri, 30 Aug 2002 16:57:04 +0100 +Received: (qmail 11976 invoked by uid 7789); 30 Aug 2002 15:32:37 -0000 +Mailing-List: contact ntknow-help@lists.ntk.net; run by ezmlm +Precedence: bulk +X-No-Archive: yes +Delivered-To: mailing list ntknow@lists.ntk.net +Delivered-To: moderator for ntknow@lists.ntk.net +Received: (qmail 11905 invoked from network); 30 Aug 2002 15:30:57 -0000 +Message-Id: <3.0.6.32.20020830163318.01f75d40@pop.dial.pipex.com> +X-Sender: af06@pop.dial.pipex.com +X-Mailer: QUALCOMM Windows Eudora Light Version 3.0.6 (32) +Date: Fri, 30 Aug 2002 16:33:18 +0100 +To: NTK recipient list +From: Dave Green +Subject: NTK Now, 2002-08-30 +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" + + + _ _ _____ _ __ <*the* weekly high-tech sarcastic update for the uk> +| \ | |_ _| |/ / _ __ __2002-08-30_ o join! mail an empty message to +| \| | | | | ' / | '_ \ / _ \ \ /\ / / o ntknow-subscribe@lists.ntk.net +| |\ | | | | . \ | | | | (_) \ v v / o website (+ archive) lives at: +|_| \_| |_| |_|\_\|_| |_|\___/ \_/\_/ o http://www.ntk.net/ + + + "A case in point is web designer Matt Jones, the man + responsible for how BBC News Online looked when it launched. + Since then, he has invented 'warchalking', which he recently + described as a 'curse'..." + http://news.bbc.co.uk/1/hi/2210091.stm + - but you cannot turn against me! I... created you! + + + >> HARD NEWS << + stiffening sinews + + More hot summer days in the mailinglist alleyways, + dangerously empty of sane postings, strewn with the rotting + carcasses of broiling vacation messages. Hacktress and + Silicon Valley's chief rat-keeper LILE ELAM, excitedly posts + about a new open 802.11 network she's found. "I am here at + the police station waiting to see a judge and I thought I + would check to see if there is connectivity", she writes, + somewhat recklessly, to the Bay Area Wireless list. Exit + the rest of the Wifi community through the nearest window + and out into the streets... where, cooling tempers, the + Microsoft Palladium boys are on an endless summer tour, + reassuring the experts that while, hmm, they *suppose* Pd + could *theoretically* be used as a Hollywood DRM system, + they truly have no plans to do any such thing. Cypherpunk + and friend of freedom Lucky Green hears this; thinks up four + or five of the obvious Palladium DRM implementations; sends + them off to be patented in his name. Licensing funds, we + imagine, will go on cracking his own DRMs. And so the mail + loops on. + http://lists.bawug.org/pipermail/wireless/2002-August/008507.html + - administrivia: HI MOM, I'M IN JAIL + http://www.mail-archive.com/cryptography@wasabisystems.com/msg02554.html + - Green/Palladium, like Green Kryptonite + + Could Lucky get himself arrested under the DMCA for + distributing a circumvention device? Worse: now we have the + EUCD incoming, could he here in the UK? Will Alan Cox go to + jail for posting detailed Changelogs? Will even the nicest + UK cryptographer (or curious garage tinkerer) find + themselves hauled up under our new and scarily DMCAish + copyright regime? Find out the facts at the free FAIR DEAL + FOR COPYRIGHT conference, organised by the irrepressible + FOUNDATION FOR INFORMATION POLICY RESEARCH for Wednesday + 2002-09-18 at the London School of Economics. All the usual + fun from the creators of the Scrambling for Safety crypto + cons: we confidently predict government spokesmen caught in + headlights, wanton Dave Bird heckling, some industry bigwig + fighting off the audience with a broken chairleg, and other + epiphenomena of the interzone between legal minds and hacker + ethics. Oh, and FIPR are still looking for a Programme + Director, so if you're interested, let them know. We + suggested a convention raffle (first prize: the director's + job, second prize: Ross Anderson as your personal slave for + a day). They say there's some rule that would break, though. + http://www.fipr.org/vacancy.html +- doesn't the Foundation use psychohistory for filling these positions? + + For those of us who can't read the abbreviation EULA without + thinking of Martian fighting machines and their "deafening + howls... which roared like thunder", we're sorry to report + that this weekend's multimedia performance of Jeff Wayne's WAR + OF THE WORLDS has been postponed due to "health and safety + issues". The event was to feature computer graphics, + fireworks, "60ft-tall Martian fighting machines" wreaking + "havoc and destruction", and - most terrifyingly of all - the + possibility of a David Essex tribute singer performing with + Hawkwind, but UKP18 tickets for the Sat 2002-08-31 show at + Manchester's Heaton Park will still be valid at a range of new + venues next summer. Ironically, the Martians' original + invasion plans were similarly thwarted by health and safety + issues, "slain after all man's devices had failed by the + humblest creatures that God, in his wisdom, has put upon this + earth: bacteria. Minute, invisible, bacteria. For, directly + the invaders arrived and drank and fed, our microscopic allies + attacked them..." + http://www.waroftheworlds.info/postpone.htm + - "...From that moment, they were doomed." + + + >> ANTI-NEWS << + berating the obvious + + moving on from PUERILE GOOGLE MISSPELLINGS, weird search-and- + replace artefact: http://www.google.com/search?q=consideyellow , + Japanese fan sites for "plince", "steery dan", "def reppard" + et al, plus the 18,000 or more self-referential Usenet .sigs: + http://groups.google.com/groups?q=%22get+random+signatures%22 + ...http://www.colocation-network.com/ "Zerodowntime" ad leads + to: http://www.ntk.net/2002/08/30/dohzero.gif ... slightly + harsh alt text: http://www.ntk.net/2002/08/30/dohover.gif ... + US military discovers the only "translator" those bastards + seem to understand: http://www.ntk.net/2002/08/30/dohgun.gif + ... scary blue men herald return of the bizarre BBC hacking + pics: http://news.bbc.co.uk/1/hi/1494091.stm ... reporter RYAN + DILLEY http://news.bbc.co.uk/1/hi/uk/2202552.stm pulls his + http://starwars.org.pl/galeria/e2/char/anakin/t001.jpg face + ... banjo maestro GEORGE FORMBY still alive, cooking, black: + http://www.readersheds.co.uk/readersheds/shop.cfm?WOSNAMES=Wosnames + ... thanks guys, that ought to do it: http://www.eap.ca/ ... + + + >> EVENT QUEUE << + goto's considered non-harmful + + Controversially, we're all in favour of THE GUARDIAN GREAT + BRITISH BLOG COMPETITION (closing date next Fri 2002-09-06, + first prize UKP1000, entry free), in that any initiative that + encourages this notoriously primadonna-ish "community" to try + and engage with real-world notions of editorial quality surely + has to be a good thing. Our only disappointment is that The + Guardian appears to be focussing on the "best" of the entries, + when everyone knows the real fun is to be had cruising the + truly terrible examples that the genre has to offer, mentally + allocating points for "Most Depressing Recycling Of Daypop Top + 40 URLs", "Most Unsettling Revelations About Personal Life", + plus of course "Most Tedious Linking/Reciprocal Linking To Other + Bloggers In Absence Of Having Anything Interesting To Say". + http://www.guardian.co.uk/weblog/bestbritishblog/ + - "A strange game, Professor Falken..." + http://media.guardian.co.uk/newmedia/comment/0,7496,765161,00.html + - "...the only winning move is not to play." + + + >> TRACKING << + sufficiently advanced technology : the gathering + + The respective trademark holders will hate this, but + Windows really *is* like the Sun. You have this big hulking + mass of concentrated power in the middle, with a few small + orbiting utilities - like WinZip, and PuTTY, and VNC. + Occasionally one will get a bit too close to the OS, and + Microsoft will suck it down and turn it into fuel for the + System. One such discrete satellite remains FILEZILLA, the + still-necessary ftp gui client for Windows. Those who know + it won't need the introduction, although they might + appreciate the note that it's getting close to v2.0 time. + For dogged WS_FTP users, though, it's got multiple + downloads, auto-restart of interrupted 'loads, queuing, and + sftp and Kerberos support. It's also GPL'd which makes it a + nice bit of source for anyone wanting to grok Win32 + networking from something that works. + http://filezilla.sf.net/ + - talking of trademarks, will the Godzilla people strike before MS? + + + >> MEMEPOOL << + ceci n'est pas une http://www.gagpipe.com/ + + (Not safe for work) next year's RED NOSE DAY looks more fun + than usual: http://www.threepillows.com/tour2.htm ... Mirrored + Disaster Recovery Suite - to go with mirrored bathroom etc?: + http://www.dovebid.com/Auctions/AuctionDetail.asp?AuctionID=1450 + ... and then the kid can take you to court for mental cruelty: + http://www.cnn.com/2002/TECH/ptech/08/27/turok.baby.reut/ ... + "funny" prefixes in front of "chalking" #n+1 - the actually + quite pragmatic: http://www.pinkbunny.co.uk/poochalking/ ... + no longer knowing - or caring - if these are prank AMAZON + reviews or not, for Potter's ever-popular "vibrating" broom: + http://www.amazon.com/exec/obidos/tg/stores/detail/-/toys/B00005NEBW/ + ... ditto "Use This Software At Your Own Risk" disclaimer for: + http://www.palmgear.com/software/showsoftware.cfm?prodID=41030 + ... DAFFY DUCK appears in dock - accused of "dethpicable" + behaviour?: http://news.bbc.co.uk/1/hi/england/2223065.stm , + http://www.ananova.com/news/story/sm_659889.html ... + + + >> GEEK MEDIA << + get out less + + TV>> celebrity cameo night tonight, with Brad Pitt in FRIENDS + (9pm, Fri, C4), Sydney Pollack in WILL AND GRACE (9.30pm, Fri, + C4), Dustin Hoffman in V GRAHAM NORTON (10.30pm, Fri, C4), and + a singing, dancing peanut in globalised trade documentary ALT- + TV (7.30pm, Fri, C4)... the BBC have kept McEnroe and the + heart monitor, got rid of the live crocodiles in gimmicky + quizshow THE CHAIR (6.40pm, Sat, BBC1)... and a month of + "September 11th" specials kicks off with AVENGING TERROR (8pm, + Sat & Sun, C4) - yet those responsible for BOWFINGER (9pm, + Sat, C4) and NOTTING HILL (9pm, Sun, C4) still remain + unpunished... John "The Last Seduction" Dahl's ROUNDERS (11pm, + Sat, BBC2) turns out to be about high-stakes poker, rather + than the girls' version of baseball... in the wake of DAVE + GORMAN'S IMPORTANT ASTROLOGY EXPERIMENT (10.40pm, Sun, BBC2), + how about a three-way challenge where he, Tony Hawks and Pete + McCarthy battle to come up with the most lucrative pointless + pretext for a book and TV show?... but we still have a soft + spot for Ron "Alien: Resurrection" Perlman liberal self- + flagellation THE LAST SUPPER (11.20pm, Sun, C4)... 9/11 CLEAR + THE SKIES (9pm, Sun, BBC2) is a presumably uneventful account + of "how US air defence systems responded to the events of + September 11th"... inexplicably, the three finalists in THE + TARTIEST MEN IN BRITAIN (10.30pm, Mon, ITV) all come from + Leeds... Larry Clark takes a somewhat indirect approach to + conveying his safe-sex message in New York filth-fest KIDS + (1.15am, Tue, C4)... and the September 11th build-up continues + with HOW THE TWIN TOWERS COLLAPSED (8pm, Mon, C4), LET'S ROLL: + THE STORY OF FLIGHT 93 (10.30pm, Wed, ITV), plus THE MEYSSAN + CONSPIRACY (11.05pm, Tue, C4) - ie the French guy behind: + http://www.asile.org/citoyens/numero13/pentagone/erreurs_en.htm + ... away from the polluted nightmare of modern living, a + family seek out a new way of life in Earth Summit tie-in A + LAND WORTH LOVING (7pm, Wed, BBC1)... which coincidentally + also forms the plot of this week's second Heather "Bowfinger" + Graham turkey, LOST IN SPACE (7.55pm, Wed, BBC1) - not to be + confused with the return of those annoying posh women in + WORLD'S WORST DRESSED (8pm, Wed, BBC2), who have at least shut + up about their always-doomed hideously purple e-commerce + site: http://news.bbc.co.uk/1/hi/business/712188.stm ... + + FILM>> the comic skills of Cameron Diaz, Christina Applegate + and Parker Posey combine in a cross between a teen smut comedy + and an episode of "Sex And The City", THE SWEETEST THING + ( http://www.screenit.com/movies/2002/the_sweetest_thing.html : + As [Diaz] and [Applegate] drive down the road still dressed in + just their bras and underwear, [Applegate] drops her bottle of + fingernail polish. [Diaz] then goes over to get it, with + her panty-covered butt in the air and her head down toward + [Applegate]'s legs and crotch; [Selma Blair] [has] her mouth + stuck around a man's privates after apparently performing oral + sex on him)... Robin Williams plays a surprisingly convincing + Hannibal Lecter in morally complicated Alaskan Al Pacino + murder madness INSOMNIA ( http://www.cndb.com/ : You can see + [Crystal Lowe's] tits in autopsy photos and again - along with + bush - when she's seen on a autopsy table. Nice boobs but + she's dead)... it's Eddie Murphy, Randy Quaid, Jay "Jerry + Maguire" Mohr, John Cleese and Pam Grier - together at last! - + in blaxploitation sci-fi spoof THE ADVENTURES OF PLUTO NASH + ( http://www.screenit.com/movies/2002/the_adventures_of_pluto_nash.html : + the woman then causes the image of [Rosario "Kids" Dawson] to + suddenly have much larger breasts and an exaggeratedly large + rear end)... all of which, shockingly, are an improvement on + John Woo interspersing lame battle scenes with agonising anti- + racist philosophising in WW2 Navajo crypto clunker WINDTALKERS + ( http://www.capalert.com/capreports/windtalkers.htm : + gambling; beheading; brief partial nudity of a Japanese + soldier; I have no doubt that such gore is present in war but + must it be regurgitated in and as entertainment?)... + + + >> SMALL PRINT << + + Need to Know is a useful and interesting UK digest of things that + happened last week or might happen next week. You can read it + on Friday afternoon or print it out then take it home if you have + nothing better to do. It is compiled by NTK from stuff they get sent. + Registered at the Post Office as + "yeah, but bet we were banned first" + http://www.b3ta.com/newsletter/issue54/ + + + NEED TO KNOW + THEY STOLE OUR REVOLUTION. NOW WE'RE STEALING IT BACK. + Archive - http://www.ntk.net/ + Unsubscribe? Mail ntknow-unsubscribe@lists.ntk.net + Subscribe? Mail ntknow-subscribe@lists.ntk.net + NTK now is supported by UNFORTU.NET, and by you: http://www.geekstyle.co.uk/ + + (K) 2002 Special Projects. + Copying is fine, but include URL: http://www.ntk.net/ + + Tips, news and gossip to tips@spesh.com + All communication is for publication, unless you beg. + Press releases from naive PR people to pr@spesh.com + Remember: Your work email may be monitored if sending sensitive material. + Sending >500KB attachments is forbidden by the Geneva Convention. + Your country may be at risk if you fail to comply. + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0095.b51416f612ac5737e0f4a5529ce453d1 b/machine-learning-ex6/ex6/easy_ham/0095.b51416f612ac5737e0f4a5529ce453d1 new file mode 100644 index 0000000..d1ee19c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0095.b51416f612ac5737e0f4a5529ce453d1 @@ -0,0 +1,44 @@ +From justin.armstrong@acm.org Mon Sep 2 12:29:05 2002 +Replied: Mon, 02 Sep 2002 16:16:00 +0100 +Replied: Justin Armstrong +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 059B643F9B + for ; Mon, 2 Sep 2002 07:29:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:29:03 +0100 (IST) +Received: from mail02.svc.cra.dublin.eircom.net + (mail02.svc.cra.dublin.eircom.net [159.134.118.18]) by dogma.slashnull.org + (8.11.6/8.11.6) with SMTP id g7UFaQZ31051 for ; + Fri, 30 Aug 2002 16:36:26 +0100 +Received: (qmail 43115 messnum 226689 invoked from + network[159.134.229.50/p306.as3.adl.dublin.eircom.net]); 30 Aug 2002 + 15:36:34 -0000 +Received: from p306.as3.adl.dublin.eircom.net (HELO mingmecha) + (159.134.229.50) by mail02.svc.cra.dublin.eircom.net (qp 43115) with SMTP; + 30 Aug 2002 15:36:34 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Justin Armstrong +Subject: find the bug +Date: Fri, 30 Aug 2002 16:36:46 +0100 +X-Mailer: KMail [version 1.4] +To: zzzz@example.com (Justin Mason) +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208301636.46996.justin.armstrong@acm.org> + + +//this function should print all numbers up to 100... + +void print_nums() +{ + int i; + + for(i = 0; i < 10l; i++) { + printf("%d\n",i); + } + +} + diff --git a/machine-learning-ex6/ex6/easy_ham/0096.0446f3ed63b550a8622c8671d8ae9a9c b/machine-learning-ex6/ex6/easy_ham/0096.0446f3ed63b550a8622c8671d8ae9a9c new file mode 100644 index 0000000..7a988f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0096.0446f3ed63b550a8622c8671d8ae9a9c @@ -0,0 +1,63 @@ +From DNS-swap@lists.ironclad.net.au Mon Sep 2 12:29:06 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5B22044155 + for ; Mon, 2 Sep 2002 07:29:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:29:06 +0100 (IST) +Received: from lists.ironclad.net.au ([203.30.247.12]) by + dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7UFbiZ31242 for + ; Fri, 30 Aug 2002 16:37:45 +0100 +Received: from aernet.ru by lists.ironclad.net.au with SMTP; + Sat, 31 Aug 2002 01:35:15 +1000 +Date: Fri, 30 Aug 2002 19:39:57 +0400 +From: "Andrey G. Sergeev (AKA Andris)" +X-Mailer: The Bat! (v1.60q) +Reply-To: "DNS-swap" +Organization: AerNet Ltd. +X-Priority: 3 (Normal) +Message-Id: <16279722375.20020830193957@aernet.ru> +To: "Bob Musser" +Subject: Re: Tiny DNS Swap +In-Reply-To: <00c401c25039$7b055460$976fa8c0@cfl.rr.com> +References: <00c401c25039$7b055460$976fa8c0@cfl.rr.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: +Precedence: Bulk +List-Software: LetterRip Pro 3.0.7 by Fog City Software, Inc. +List-Subscribe: +List-Digest: +List-Unsubscribe: + +(This list is sponsored by Ironclad Networks http://www.ironclad.net.au/) + +Hello! + + +Friday, August 30, 2002, 7:25:31 PM Bob Musser wrote: + +[lost] + +BM> I'd like to swap with someone also using Simple DNS to take +BM> advantage of the trusted zone file transfer option. + ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ +Are you speaking about limiting AXFR requests on IP address basis? If +yes, then virtually every BIND-equipped DNS server in the world will +be suitable for your needs. + + +-- + +Yours sincerely, + +Andrey G. Sergeev (AKA Andris) http://www.andris.msk.ru/ + + +-- +To Unsubscribe: +Sponsor & Host: Ironclad Networks + diff --git a/machine-learning-ex6/ex6/easy_ham/0097.39badf2fea6bcebc640bea05ced59b59 b/machine-learning-ex6/ex6/easy_ham/0097.39badf2fea6bcebc640bea05ced59b59 new file mode 100644 index 0000000..c7e5ccf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0097.39badf2fea6bcebc640bea05ced59b59 @@ -0,0 +1,145 @@ +From webster@ryanairmail.com Mon Sep 2 12:30:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1B3B143F9B + for ; Mon, 2 Sep 2002 07:30:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:30:37 +0100 (IST) +Received: from mail.ryanair2.ie ([193.120.152.8]) by dogma.slashnull.org + (8.11.6/8.11.6) with SMTP id g7ULMQZ08782 for ; + Fri, 30 Aug 2002 22:22:36 +0100 +From: webster@ryanairmail.com +To: "Customers" +Subject: Save up to 70% on international calls! +Date: Fri, 30 Aug 2002 17:42:52 +0100 +X-Assembled-BY: XWall v3.21 +Message-Id: +MIME-Version: 1.0 +Content-Type: multipart/mixed; + boundary="_NextPart_1_bvfoDiTVghtoCXFdvJNKcuWblFV" +List-Unsubscribe: +Reply-To: webster@ryanairmail.com + +This is a multi part message in MIME format. + +--_NextPart_1_bvfoDiTVghtoCXFdvJNKcuWblFV +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit + +........... with our telecoms partner Bumblebee ! + +Don't get ripped off by expensive hotel, payphone and mobile charges. +SAVE, SAVE, SAVE on international calls with Ryanair's phone partner. +************************************************************************ +********* + +You'll save up to 70% on international phone calls when you use our +online phone card. You can use the card from any phone in any country +you visit and you won't have to worry about high phone charges +when you call home or the office. + +Buying a card couldn't be easier and it's totally secure. Simply go to +http://www.bumblebeecommunications.com/lowcostcalls/ + to avail of this special offer for Ryanair customers. + +It's another great deal from Ryanair and our online phone +partner, Bumblebee Communications. + + + + + + + + + +===================================================================== + +E-MAIL DISCLAIMER + +This e-mail and any files and attachments transmitted with it +are confidential and may be legally privileged. They are intended +solely for the use of the intended recipient. Any views and +opinions expressed are those of the individual author/sender +and are not necessarily shared or endorsed by Ryanair Holdings plc +or any associated or related company. In particular e-mail +transmissions are not binding for the purposes of forming +a contract to sell airline seats, directly or via promotions, +and do not form a contractual obligation of any type. +Such contracts can only be formed in writing by post or fax, +duly signed by a senior company executive, subject to approval +by the Board of Directors. + +The content of this e-mail or any file or attachment transmitted +with it may have been changed or altered without the consent +of the author. If you are not the intended recipient of this e-mail, +you are hereby notified that any review, dissemination, disclosure, +alteration, printing, circulation or transmission of, or any +action taken or omitted in reliance on this e-mail or any file +or attachment transmitted with it is prohibited and may be unlawful. + +If you have received this e-mail in error +please notify Ryanair Holdings plc by emailing postmaster@ryanair.ie +or contact Ryanair Holdings plc, Dublin Airport, Co Dublin, Ireland. + +--_NextPart_1_bvfoDiTVghtoCXFdvJNKcuWblFV +Content-Type: application/ms-tnef +Content-Transfer-Encoding: base64 + +eJ8+IjUQAQaQCAAEAAAAAAABAAEAAQeQBgAIAAAA5AQAAAAAAADoAAEIgAcAGAAAAElQTS5NaWNy +b3NvZnQgTWFpbC5Ob3RlADEIAQ2ABAACAAAAAgACAAEEgAEAJwAAAFNhdmUgdXAgdG8gNzAlIG9u +IGludGVybmF0aW9uYWwgY2FsbHMhACgNAQWAAwAOAAAA0gcIAB4AEQAqADQABQBzAQEggAMADgAA +ANIHCAAeABEAKgA0AAUAcwEBCYABACEAAAAxNUNDQzU1M0ZCNjVGOTRCODJBOTE2NjI0QjY5ODI2 +NAAgBwEDkAYAYAgAADEAAAALAAIAAQAAAAMAJgAAAAAAAwA2AAAAAABAADkAOHxzSERQwgEeAD0A +AQAAAAEAAAAAAAAAAgFHAAEAAAAyAAAAYz11czthPSA7cD1SeWFuYWlyO2w9Q0hPVk1BSUwxLTAy +MDgzMDE2NDI1MlotNTY1NgAAAB4AcAABAAAAJwAAAFNhdmUgdXAgdG8gNzAlIG9uIGludGVybmF0 +aW9uYWwgY2FsbHMhAAACAXEAAQAAABYAAAABwlBESGNVR3XMDo5JP7LazaO6pGd8AAAeABoMAQAA +AAwAAABDb3lsZSwgU2VhbgAeAB0OAQAAACcAAABTYXZlIHVwIHRvIDcwJSBvbiBpbnRlcm5hdGlv +bmFsIGNhbGxzIQAAAgEJEAEAAAC7AgAAtwIAALsEAABMWkZ1TPw4mgMACgByY3BnMTI14jIDQ3Rl +eAVBAQMB908KgAKkA+MCAGNoCsBz8GV0MCAHEwKAD/MAUH8EVghVB7IRxQ5RAwEQxzL3BgAGwxHF +MwRGEMkS2xHT2wjvCfc7GL8OMDURwgxgzmMAUAsJAWQzNhFQC6YUIC4dmCAD8HRoINUIYSAOsGwF +kW0EIAqxZHRuEyFCdQbQHwBiuQngICEKogqECoBEAiBQXCc5MgVAZxEwIB0FEXAJgB6QASAgYnku +IA7AImAAgXYgcGhvZR7hLB9heXAjsB+wIPcAcCKABGBiAxAgcBDiIfCGcx4wIKRTQVZFJAA/Jlge +kAOgC4AOsASgYXTeaQIgB0AlUAdAbAQgHlPsUnkAcAtwciGSH1EkY/sfdSXWKitPLF8tby5/L0od +IKpZCGAhkiiQIHNhCSOBdXAe0G8gNzAuJSdfKeUodWgJ8CB5vwhgMfARIB6TIKQCIGwLgO8qMTPF +CyAeMCAxEShhA6D3NQIecDaUIANSJKEi8CRU1wuAOLMFoHUCMHIi8CCkvTTCdgQAHmAkozTCdyF2 +7xDwI4EyMTvQcjohAaAIYPk8QWlnHoAztSV0JeU0d/8ociOhB4AekB7BN/EioQ3grGUuIKof8HkL +gGckoHM4FDnRbGQhhSBQIwBh/wCQEyEksh5gKZQyMAGQKJC7IvARIGMIcEEgNwBTB3BbC1Ai8Gcy +QDIxaAJAcJA6Ly93R1AuYiAGfR8hbTnwDeAn8yXAHyEvpRhQdwWgc3Qocy83AP8gpDIiMcALcAMg +IqA30QQA+zGgImBjBzEikhMhAhAFwH8pJSVQNQAyMAeAERBBO0l/RJUAcCPANIAFwAnBJ/Ag/wEA +KEE4c0zmJLIeojXrIKT/H3UkAB/4CFBISyXlSkUgqgtWX1drfVigAB4ANRABAAAASAAAADxEMTNG +N0MwNTQ3RDcxRjRDQTQwNzMyN0E4MjUxMzYwMDE5Q0E5Q0BDSE9WTUFJTDEuY2hvLmNvcnAucnlh +bmFpci5jb20+AAMAgBD/////CwDyEAEAAAAfAPMQAQAAAFoAAABTAGEAdgBlACAAdQBwACAAdABv +ACAANwAwACUAMgA1ACAAbwBuACAAaQBuAHQAZQByAG4AYQB0AGkAbwBuAGEAbAAgAGMAYQBsAGwA +cwAhAC4ARQBNAEwAAAAAAAsA9hAAAAAAQAAHMN0ZcUhEUMIBQAAIMJPedUhEUMIBAwDeP59OAAAD +APE/CQQAAB4A+D8BAAAADAAAAENveWxlLCBTZWFuAAIB+T8BAAAAXQAAAAAAAADcp0DIwEIQGrS5 +CAArL+GCAQAAAAAAAAAvTz1SWUFOQUlSL09VPUZJUlNUIEFETUlOSVNUUkFUSVZFIEdST1VQL0NO +PVJFQ0lQSUVOVFMvQ049Q09ZTEVTAAAAAB4A+j8BAAAAFQAAAFN5c3RlbSBBZG1pbmlzdHJhdG9y +AAAAAAIB+z8BAAAAHgAAAAAAAADcp0DIwEIQGrS5CAArL+GCAQAAAAAAAAAuAAAAAwAZQAAAAAAD +ABpAAAAAAB4AMEABAAAABwAAAENPWUxFUwAAHgAxQAEAAAAHAAAAQ09ZTEVTAAAeADhAAQAAAAcA +AABDT1lMRVMAAB4AOUABAAAAAgAAAC4AAAADAAlZAQAAAAsAWIEIIAYAAAAAAMAAAAAAAABGAAAA +AA6FAAAAAAAAAwBwgQggBgAAAAAAwAAAAAAAAEYAAAAAUoUAAFmUAQAeAHGBCCAGAAAAAADAAAAA +AAAARgAAAABUhQAAAQAAAAUAAAAxMC4wAAAAAAMAuIEIIAYAAAAAAMAAAAAAAABGAAAAAAGFAAAA +AAAAQAC6gQggBgAAAAAAwAAAAAAAAEYAAAAAYIUAAAAAAAAAAAAACwC9gQggBgAAAAAAwAAAAAAA +AEYAAAAAA4UAAAAAAAADAMeBCCAGAAAAAADAAAAAAAAARgAAAAAQhQAAAAAAAAMAzoEIIAYAAAAA +AMAAAAAAAABGAAAAABiFAAAAAAAACwDlgQggBgAAAAAAwAAAAAAAAEYAAAAABoUAAAAAAAALAOmB +CCAGAAAAAADAAAAAAAAARgAAAACChQAAAAAAAAsAKQAAAAAACwAjAAAAAAADAAYQHr1S2QMABxB/ +AgAAAwAQEAsAAAADABEQAQAAAB4ACBABAAAAZQAAAFdJVEhPVVJURUxFQ09NU1BBUlRORVJCVU1C +TEVCRUVET05UR0VUUklQUEVET0ZGQllFWFBFTlNJVkVIT1RFTCxQQVlQSE9ORUFORE1PQklMRUNI +QVJHRVNTQVZFLFNBVkUsU0EAAAAAAgF/AAEAAABIAAAAPEQxM0Y3QzA1NDdENzFGNENBNDA3MzI3 +QTgyNTEzNjAwMTlDQTlDQENIT1ZNQUlMMS5jaG8uY29ycC5yeWFuYWlyLmNvbT4AEOQ= + + +--_NextPart_1_bvfoDiTVghtoCXFdvJNKcuWblFV +Content-Type: text/plain; charset="us-ascii" +Content-description: footer + +--- +You are currently subscribed to customers as: zzzz-ryanair@example.com +To unsubscribe send a blank email to leave-customers-949326K@mail.ryanairmail.com + +--_NextPart_1_bvfoDiTVghtoCXFdvJNKcuWblFV-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0098.5053f669dda8f920e5300ed327cdd986 b/machine-learning-ex6/ex6/easy_ham/0098.5053f669dda8f920e5300ed327cdd986 new file mode 100644 index 0000000..67fa6d4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0098.5053f669dda8f920e5300ed327cdd986 @@ -0,0 +1,137 @@ +From updates-admin@ximian.com Mon Sep 2 12:29:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5EA4843F99 + for ; Mon, 2 Sep 2002 07:29:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:29:37 +0100 (IST) +Received: from trna.ximian.com (trna.ximian.com [141.154.95.22]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7UIZpZ04242; + Fri, 30 Aug 2002 19:35:51 +0100 +Received: from trna.ximian.com (localhost [127.0.0.1]) by trna.ximian.com + (8.11.6/8.11.6) with ESMTP id g7UHqm306561; Fri, 30 Aug 2002 13:52:48 + -0400 +Received: from peabody.ximian.com (peabody.ximian.com [141.154.95.10]) by + trna.ximian.com (8.11.6/8.11.6) with ESMTP id g7UHEO301839 for + ; Fri, 30 Aug 2002 13:14:24 -0400 +Date: Fri, 30 Aug 2002 13:14:24 -0400 +Message-Id: <200208301714.g7UHEO301839@trna.ximian.com> +Received: (qmail 30686 invoked from network); 30 Aug 2002 17:14:34 -0000 +Received: from localhost (127.0.0.1) by localhost with SMTP; + 30 Aug 2002 17:14:34 -0000 +From: Ximian GNOME Security Team +To: Ximian Desktop Updates List +Cc: BugTraq Mailing List +Subject: [Ximian Updates] Hyperlink handling in Gaim allows arbitrary code to be executed +Sender: updates-admin@ximian.com +Errors-To: updates-admin@ximian.com +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Announcements about updates to the Ximian GNOME distribution. + +X-Beenthere: updates@ximian.com + +Severity: Security +Product: gaim +Keywords: gaim hyperlink manual +References: + CAN-2002-0989 + http://cve.mitre.org/cgi-bin/cvename.cgi?name=CAN-2002-0989 + Gaim Changelog + http://gaim.sourceforge.net/ChangeLog + +Gaim is an instant messaging client based on the published TOC +protocol from AOL. The developers of Gaim, an instant messenger client +that combines several different networks, found a vulnerability in the +hyperlink handling code. The 'Manual' browser command passes an +untrusted string to the shell without escaping or reliable quoting, +permitting an attacker to execute arbitrary commands on the users +machine. Unfortunately, Gaim doesn't display the hyperlink before the +user clicks on it. Users who use other inbuilt browser commands aren't +vulnerable. + +The fixed version of Gaim no longer passes the user's manual browser +command to the shell. Commands which contain the %s in quotes will +need to be amended, so they don't contain any quotes. The 'Manual' +browser command can be edited in the 'General' pane of the +'Preferences' dialog, which can be accessed by clicking 'Options' from +the login window, or 'Tools' and then 'Preferences' from the menu bar +in the buddy list window. + +Please download Gaim 0.59.1 or later using Red Carpet. You may also +obtain this update from the Ximian FTP site. + +Debian Potato +ftp://ftp.ximian.com/pub/ximian-gnome/debian-potato-i386/gaim_0.59.1-1.ximian.2_i386.deb +ftp://ftp.ximian.com/pub/ximian-gnome/debian-potato-i386/gaim-common_0.59.1-1.ximian.2_i386.deb +ftp://ftp.ximian.com/pub/ximian-gnome/debian-potato-i386/gaim-gnome_0.59.1-1.ximian.2_i386.deb + +Mandrake 8.0 +ftp://ftp.ximian.com/pub/ximian-gnome/mandrake-80-i586/gaim-0.59.1-1.ximian.2.i586.rpm + +Mandrake 8.1 +ftp://ftp.ximian.com/pub/ximian-gnome/mandrake-81-i586/gaim-0.59.1-1.ximian.2.i586.rpm + +Mandrake 8.2 +ftp://ftp.ximian.com/pub/ximian-gnome/mandrake-82-i586/gaim-0.59.1-1.ximian.2.i586.rpm + +Redhat 6.2 +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-62-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-62-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Redhat 7.0 +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-70-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-70-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Redhat 7.1 +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-71-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-71-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Redhat 7.2 +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-72-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-72-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Redhat 7.3 +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-73-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/redhat-73-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Solaris 7/8 +ftp://ftp.ximian.com/pub/ximian-gnome/solaris-7-sun4/gaim-0.59.1-2.ximian.1.sparc.rpm + +SuSE 7.1 +ftp://ftp.ximian.com/pub/ximian-gnome/suse-71-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/suse-71-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +SuSE 7.2 +ftp://ftp.ximian.com/pub/ximian-gnome/suse-72-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/suse-72-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +SuSE 7.3 +ftp://ftp.ximian.com/pub/ximian-gnome/suse-73-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/suse-73-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +SuSE 8.0 +ftp://ftp.ximian.com/pub/ximian-gnome/suse-80-i386/gaim-0.59.1-1.ximian.2.i386.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/suse-80-i386/gaim-applet-0.59.1-1.ximian.2.i386.rpm + +Yellowdog 2.0 +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-20-ppc/gaim-0.59.1-1.ximian.2.ppc.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-20-ppc/gaim-applet-0.59.1-1.ximian.2.ppc.rpm + +Yellowdog 2.1 +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-21-ppc/gaim-0.59.1-1.ximian.2.ppc.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-21-ppc/gaim-applet-0.59.1-1.ximian.2.ppc.rpm + +Yellowdog 2.2 +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-22-ppc/gaim-0.59.1-1.ximian.2.ppc.rpm +ftp://ftp.ximian.com/pub/ximian-gnome/yellowdog-22-ppc/gaim-applet-0.59.1-1.ximian.2.ppc.rpm + + + +_______________________________________________ +updates maillist - updates@ximian.com +To unsubscribe from this list, or to change your subscription options, follow the link below: +http://lists.ximian.com/mailman/listinfo/updates + diff --git a/machine-learning-ex6/ex6/easy_ham/0099.9f54be08406e67fd8944f2f1d0fbdd90 b/machine-learning-ex6/ex6/easy_ham/0099.9f54be08406e67fd8944f2f1d0fbdd90 new file mode 100644 index 0000000..c1a497f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0099.9f54be08406e67fd8944f2f1d0fbdd90 @@ -0,0 +1,61 @@ +From 0xdeadbeef-request@petting-zoo.net Mon Sep 2 12:31:10 2002 +Return-Path: <0xdeadbeef-request@petting-zoo.net> +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 679CA43F9B + for ; Mon, 2 Sep 2002 07:31:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:31:09 +0100 (IST) +Received: from petting-zoo.net (petting-zoo.net [64.166.12.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7UMh7Z10885 for + ; Fri, 30 Aug 2002 23:43:08 +0100 +Received: by petting-zoo.net (Postfix, from userid 1004) id 6770BEA3D; + Fri, 30 Aug 2002 15:42:18 -0700 (PDT) +Old-Return-Path: +Delivered-To: 0xdeadbeef@petting-zoo.net +Received: from petting-zoo.net (localhost [127.0.0.1]) by petting-zoo.net + (Postfix) with ESMTP id 53DEBEA0A for <0xdeadbeef@petting-zoo.net>; + Fri, 30 Aug 2002 15:42:07 -0700 (PDT) +From: gkm@petting-zoo.net (glen mccready) +To: 0xdeadbeef@petting-zoo.net +Subject: Promises. +Date: Fri, 30 Aug 2002 15:41:47 -0700 +Sender: gkm@petting-zoo.net +Message-Id: <20020830224207.53DEBEA0A@petting-zoo.net> +Resent-Message-Id: <1GcX0D.A.UFH.ET_b9@petting-zoo.net> +Resent-From: 0xdeadbeef@petting-zoo.net +X-Mailing-List: <0xdeadbeef@petting-zoo.net> archive/latest/532 +X-Loop: 0xdeadbeef@petting-zoo.net +List-Post: +List-Help: +List-Subscribe: +List-Unsubscribe: +Precedence: list +Resent-Sender: 0xdeadbeef-request@petting-zoo.net +Resent-Date: Fri, 30 Aug 2002 15:42:18 -0700 (PDT) + + +Forwarded-by: Rob Windsor +Forwarded-by: "Shirley Baer" +Forwarded-by: cjw59068 +Forwarded-by: Joe & Allie Greenough + +There were four buddies golfing and the first guy said, "I had to +promise my wife that I would paint the whole outside of the house +just to go golfing." + +The second guy said, "I promised my wife that I would remodel the +kitchen for her." + +The third guy said, "You guys have it easy! I promised my wife that +I would build her a new deck." They continued to play the hole. +Then the first guy said to the fourth guy, "What did you have to +promise your wife?" + +The fourth guy replied, "I didn't promise anything." All the guys +were shocked, "How did you do it?!" He replied, "It's simple. I +set the alarm clock for 5:30. Then I poked my wife and asked, 'Golf +course or intercourse?' And she said, 'Wear your sweater.'" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0100.1728f45047ff2a1601d4e3ee91f26a00 b/machine-learning-ex6/ex6/easy_ham/0100.1728f45047ff2a1601d4e3ee91f26a00 new file mode 100644 index 0000000..9a8e6c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0100.1728f45047ff2a1601d4e3ee91f26a00 @@ -0,0 +1,98 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:32:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0D5E343F99 + for ; Mon, 2 Sep 2002 07:32:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:32:39 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7V30HZ20462 for + ; Sat, 31 Aug 2002 04:00:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7V2w2J09642; Sat, 31 Aug 2002 04:58:02 + +0200 +Received: from relay1.EECS.Berkeley.EDU (relay1.EECS.Berkeley.EDU + [169.229.60.163]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7V2uqJ28499 for ; Sat, 31 Aug 2002 04:56:52 +0200 +Received: from relay3.EECS.Berkeley.EDU (localhost.Berkeley.EDU + [127.0.0.1]) by relay1.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id + TAA11365 for ; Fri, 30 Aug 2002 19:56:50 -0700 + (PDT) +Received: from eecs.berkeley.edu (brawnix.CS.Berkeley.EDU [128.32.35.162]) + by relay3.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id TAA20554 for + ; Fri, 30 Aug 2002 19:56:47 -0700 (PDT) +Message-Id: <3D70306F.8090201@eecs.berkeley.edu> +From: Ben Liblit +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020606 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: alsa-driver rebuild fails with undeclared USB symbol +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 30 Aug 2002 19:56:47 -0700 +Date: Fri, 30 Aug 2002 19:56:47 -0700 + +I am trying to rebuild the recently posted ALSA driver package for my +kernel. Although I run Red Hat 7.3, I am not using a Red Hat kernel +package: my kernel is lovingly downloaded, configured, and built by +hand. Call me old fashioned. + +Sadly, the RPM rebuild fails part way through: + + % rpm --rebuild alsa-driver-0.9.0rc3-fr6.src.rpm + + gcc -DALSA_BUILD -D__KERNEL__ -DMODULE=1 \ + -I/usr/src/redhat/BUILD/alsa-driver-0.9.0rc3/include \ + -I/lib/modules/2.4.18/build/include -O2 \ + -mpreferred-stack-boundary=2 -march=i686 -DLINUX -Wall \ + -Wstrict-prototypes -fomit-frame-pointer -pipe -DEXPORT_SYMTAB \ + -c sound.c + + sound.c:41: `snd_hack_usb_set_interface' undeclared here (not in a \ + function) + + sound.c:41: initializer element is not constant + + sound.c:41: (near initialization for \ + __ksymtab_snd_hack_usb_set_interface.value') + + make[1]: *** [sound.o] Error 1 + +The line in question looks like this: + + /* USB workaround */ + #if LINUX_VERSION_CODE < KERNEL_VERSION(2, 5, 24) + #if defined(CONFIG_SND_USB_AUDIO) || \ + defined(CONFIG_SND_USB_AUDIO_MODULE) || \ + defined(CONFIG_SND_USB_MIDI) || \ + defined(CONFIG_SND_USB_MIDI_MODULE) +-41-> +EXPORT_SYMBOL(snd_hack_usb_set_interface); + #endif + #endif + +Any suggestions? + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0101.48557f7f38d947eab77aefc03d0520a3 b/machine-learning-ex6/ex6/easy_ham/0101.48557f7f38d947eab77aefc03d0520a3 new file mode 100644 index 0000000..d956aea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0101.48557f7f38d947eab77aefc03d0520a3 @@ -0,0 +1,135 @@ +From fork-admin@xent.com Fri Aug 23 11:08:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6378747C6B + for ; Fri, 23 Aug 2002 06:06:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MLNVZ25364 for ; + Thu, 22 Aug 2002 22:23:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4D7A62940B5; Thu, 22 Aug 2002 14:21:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 690A6294099 for + ; Thu, 22 Aug 2002 14:20:47 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17hzMf-0000L2-00; Thu, 22 Aug 2002 18:19:37 -0300 +Message-Id: <3D6556DC.5070408@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Bill Stoddard +Cc: "Fork@Xent.Com" +Subject: Re: The case for spam +References: +Content-Type: multipart/related; + boundary="------------080808010909060409040405" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 18:25:48 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + + +--------------080808010909060409040405 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit + +Bill Stoddard wrote: + +>>No one likes commercial spam. +>> +>> +>And no one like unsolicited political spam. End of story. +> +>Bill +>http://xent.com/mailman/listinfo/fork +> +> +Except perhaps for the people in charge. +Owen + +http://zdnet.com.com/2100-1105-954903.html + + +*Political spam on your cell phone?* +By Lisa M. Bowman +Special to ZDNet News +August 22, 2002, 12:05 PM PT +URL: http://zdnet.com.com/2100-1105-954909.html +<%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20http://zdnet.com.com/2100-1105-954909.html%0A%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20%20> + + +*In a decision that treats text messaging on mobile phones essentially +the same as bumper stickers, the Federal Election Commission has +declared that senders of text-based political ads don't have to disclose +who funded them.* + +In an advisory opinion issued Thursday, the FEC also suggested such +messages include either a phone number or Web site link, so people could +easily learn who paid for the message. However, the additional +information won't be required. + +The opinion could encourage the adoption of text-based political ads, as +campaign experts look for new technological ways to sway voters. At the +same time, opponents of the plan fear it could lead to anonymous +political spam. + +Target Wireless, a small New Jersey-based wireless media company, had +asked the FEC for an opinion on the matter, saying that requiring +financial disclosures on short messaging service (SMS) mailings would +use up too much of the 160 character-maximum. + +Political messages on bumper stickers and buttons are also exempt from +the financial disclosure requirement. Target Wireless' petition was +supported by the National Republican Senatorial Committee, the Cellular +Telecommunications and Internet Association, and some advertising trade +groups. + +FEC spokesman Bob Biersack said the opinion was in keeping with the +commission's policy not to meddle with new technology that has the +potential to reach more voters. + +"We have tried very hard not to get in the way--particularly before +everyone understands how the technology is going to work," he said. + +Opponents of the plan have worried the exemption might encourage spam or +allow senders to blast people with mass amounts of negative political +messages while remaining anonymous. + +Biersack said the FEC can revisit the issue if those problems surface. + +Target Wireless President Craig Krueger characterized the opinion as +"good for America." + +"It will allow people to receive more communication from those running +for office," he said. "We have free speech on our side." + + + + +--------------080808010909060409040405-- + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0102.ba8679813c4b5f424fb225f09b2fb1f2 b/machine-learning-ex6/ex6/easy_ham/0102.ba8679813c4b5f424fb225f09b2fb1f2 new file mode 100644 index 0000000..f36f2d9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0102.ba8679813c4b5f424fb225f09b2fb1f2 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Fri Aug 23 16:44:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F416A44155 + for ; Fri, 23 Aug 2002 11:44:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 16:44:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NFdcZ30086 for ; + Fri, 23 Aug 2002 16:39:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 34D642940D3; Fri, 23 Aug 2002 08:37:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id E3396294099 for ; Fri, + 23 Aug 2002 08:36:57 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D68603ECDE; + Fri, 23 Aug 2002 11:40:46 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id D500F3EB2E; Fri, 23 Aug 2002 11:40:46 -0400 (EDT) +From: Tom +To: Robert Harley +Cc: fork@example.com +Subject: Re: Entrepreneurs +In-Reply-To: <20020823084435.D5070C44E@argote.ch> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 11:40:46 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Fri, 23 Aug 2002, Robert Harley wrote: + +--]Next time I hear a joke, I promise not to laugh until I have checked +--]out primary sources for confirmation in triplicate, OK? + + +Oh please. Walking sideways like that is bad for your shoes. + +Though it is kinda cute when you get all reasonomatic + +bang bang + +have a nice day. + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0103.3fc5444196f4726ee138fbabc5086ea1 b/machine-learning-ex6/ex6/easy_ham/0103.3fc5444196f4726ee138fbabc5086ea1 new file mode 100644 index 0000000..89ccd03 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0103.3fc5444196f4726ee138fbabc5086ea1 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Aug 26 15:31:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1144B4416B + for ; Mon, 26 Aug 2002 10:25:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NKcVZ07401 for ; + Fri, 23 Aug 2002 21:38:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 75D1F2940E3; Fri, 23 Aug 2002 13:36:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail3.panix.com (mail3.panix.com [166.84.1.74]) by xent.com + (Postfix) with ESMTP id 8A596294099 for ; Fri, + 23 Aug 2002 13:35:46 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail3.panix.com (Postfix) with ESMTP id CB5F09844B for + ; Fri, 23 Aug 2002 16:37:33 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: "Fork@Xent.Com" +Subject: Re: The case for spam +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 16:30:01 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Dan Brickley wrote: +> Except that thanks to the magic of spam, it's usually some else's locale + +yeah, physical mail makes more sense for physical locales. + +> There are better technical solutions to privacy +> protection than sending a copy of the same message to everyone on the +> Internet, so the recipients can't be blamed for reading it. + +Such as? + +Anything equivalent will be spam, just not email spam. Dump entry IPs for +an anonymizing network onto a public bulletin board that's used for other +purposes -- still spam. Etc etc. + +I'm not arguing against other solutions, I'm arguing that spam is speech. +If you let governments ban it, you're giving them the power to choose who +gets to speak. + +- Lucas + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0104.cbb1681451b2525d7aeec9eeb285306d b/machine-learning-ex6/ex6/easy_ham/0104.cbb1681451b2525d7aeec9eeb285306d new file mode 100644 index 0000000..d9efd4d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0104.cbb1681451b2525d7aeec9eeb285306d @@ -0,0 +1,80 @@ +From fork-admin@xent.com Mon Aug 26 15:30:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 82A234416A + for ; Mon, 26 Aug 2002 10:25:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NKJVZ06924 for ; + Fri, 23 Aug 2002 21:19:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C9FFD2940C5; Fri, 23 Aug 2002 13:17:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail1.panix.com (mail1.panix.com [166.84.1.72]) by xent.com + (Postfix) with ESMTP id F1972294099 for ; Fri, + 23 Aug 2002 13:16:24 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail1.panix.com (Postfix) with ESMTP id EF7E948AD7; + Fri, 23 Aug 2002 16:18:11 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +To: Russell Turpin +Cc: fork@example.com +Subject: Re: The case for spam +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 16:10:39 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,OPT_IN,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_03_05,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + +me: +> >Spam is *the* tool for dissident news, since the fact that it's unsolicited +> >means that recipients can't be blamed for being on a mailing list. +> + +Russell Turpin: +> That depends on how the list is collected, or +> even on what the senders say about how the list +> is collected. Better to just put it on a website, +> and that way it can be surfed anonymously. AND +> it doesn't clutter my inbox. + +It doesn't work that way. A website is opt-in, spam is no-opt. If you +visit a samizdat site you can get in trouble. If you get samizdat spam, +the worst that can be said is that you might have read it. And as long as +the mailers send to individuals who clearly didn't opt-in, like party +officials, then other recipients can't get in trouble for requesting the +mail. + +Plus, it's much harder to block spam than web sites. + +But this shouldn't come as a surprize. Spam is speech. It may be sleazy, +but so what. + +- Lucas + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0105.be508e1b909bae328d4a13fe898f60fb b/machine-learning-ex6/ex6/easy_ham/0105.be508e1b909bae328d4a13fe898f60fb new file mode 100644 index 0000000..2a7631c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0105.be508e1b909bae328d4a13fe898f60fb @@ -0,0 +1,117 @@ +From fork-admin@xent.com Mon Aug 26 15:31:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 787FE47C80 + for ; Mon, 26 Aug 2002 10:25:23 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NMWWZ10641 for ; + Fri, 23 Aug 2002 23:32:33 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6C8922940AD; Fri, 23 Aug 2002 15:30:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 62D44294099 for ; Fri, + 23 Aug 2002 15:29:50 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 7C7BB3EDA5; + Fri, 23 Aug 2002 18:33:37 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 7ADD23ED11; Fri, 23 Aug 2002 18:33:37 -0400 (EDT) +From: Tom +To: fork@example.com +Cc: vox@mindvox.com +Subject: GPL limits put to a test +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 18:33:37 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_03_05,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + +XviD [1] is a project to make GPL divx codecs. Sigma Designs [1] is a +company looking to put out hardware to playback, amongst other things, +divx files. Problem is Sigma is using XviDs gpled code in ways not very +gpl. The results....XviD stops work on thier code and ask the users to +put preasure on Sigma to honor the GPL. + +Some notes from other places.... + +>>From Doom9 [3] +"XviD development has been stopped! The Sigma Designs REALMagic MPEG-4 +Video Codec contains wide portions of code taken from the XviD project. +Soon after the initial release of the REALMagic codec the XviD developers +have contacted Sigma and informed them about the GPL violation (for those +who don't know, XviD is distributed under the GNU Public License - GPL - +which demands that if you modify a GPL program you have to release it +under the GPL, which in this case means that the source code of the Sigma +codec must be freely available). Sigma promised to replace the stolen +code, but the new version of the codec which was released this month only +disguises the stolen code, it was not actually removed. Sigma was once +again contacted and asked to remove the offending code but until today +nothing has happened. Therefore the XviD team is now turning to the public +in the hope to receive wide public support in their efforts to convince +Sigma Designs to respect the terms of the GPL. And until the matter has +been resolved XviD development will not continue. + +That being said I hope all the forum members who saw their threads about +the Sigma Codecs being closed will understand our motivation now. +Internally we already knew what was going on but since the XviD authors +first wanted to try and resolve this internally we respected their wishes +and kept quiet about the matter at hand. + +[Update] Sigma has issued a press release announcing the availability of +the source code of their MPEG-4 codec and it's already up for download. +However, not a word was lost about the XviD issue and the press release +makes one think that the Sigma codec was entirely developed by Sigma so we +might be hearing more about this. + +[Update] I found a GPL notice in some of the source code files, but it +also looks like Sigma placed their own copyright lines there and XviD +doesn't get any credit in the source either. The GPL notice also collides +with Sigma's Software Licensing Agreement that you have to sign before +downloading codec or source. On on the same issue DivXNetworks said they'd +fully support XviD in this issue and apparently DXn's relationship with +Sigma didn't really work out either, as Sigma's Xcard is not as DivX +compatible as it was advertised. + +[Update]First an update on the XviD situation. The release of the Sigma +source code does not mean it's all over, it's far from being over. The +license agreement which you have to agree to before you can download, and +install the codec is not compatible with the GPL. Furthermore, it can now +clearly be seen (download the source code and have a look for yourself) +that the Sigma codec is pretty much a copy of the XviD codec, but all the +copyright notices of the original developers have been removed and +replaced. This does not only violate the GPL but copyright laws - you +can't just take a program, change a few lines and change the copyright +statements, you only have copyright protection for the parts you wrote on +your own. And related to this the Sigma codec also contains code taken +from the OpenDivX project, the files were outfitted with 2 different +copyright notices which is quite funny." + + + +[1] http://www.xvid.org/ +[2] http://www.sigmadesigns.com +[3] http://www.doom9.org/ + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0106.808c5e5ed0b801f667a34ead8221972e b/machine-learning-ex6/ex6/easy_ham/0106.808c5e5ed0b801f667a34ead8221972e new file mode 100644 index 0000000..be58bc6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0106.808c5e5ed0b801f667a34ead8221972e @@ -0,0 +1,63 @@ +From fork-admin@xent.com Mon Aug 26 15:31:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 22FBD47C7F + for ; Mon, 26 Aug 2002 10:25:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NKfYZ07433 for ; + Fri, 23 Aug 2002 21:41:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E2A8329413D; Fri, 23 Aug 2002 13:39:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail1.panix.com (mail1.panix.com [166.84.1.72]) by xent.com + (Postfix) with ESMTP id A28532940F4 for ; Fri, + 23 Aug 2002 13:39:00 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail1.panix.com (Postfix) with ESMTP id D6D27487BF for + ; Fri, 23 Aug 2002 16:40:47 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re: The case for spam +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 16:33:15 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +> Russell Turpin: +> > That depends on how the list is collected, or +> > even on what the senders say about how the list +> > is collected. + +Senders should vary the recipient list to include non-targets, like party +officials, and to exclude targets enough to give them plausible +deniability. + +- Lucas + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0107.2447a90f32ab7642ff8309d41c242db2 b/machine-learning-ex6/ex6/easy_ham/0107.2447a90f32ab7642ff8309d41c242db2 new file mode 100644 index 0000000..66f5092 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0107.2447a90f32ab7642ff8309d41c242db2 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Mon Aug 26 15:31:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C0B6F4415D + for ; Mon, 26 Aug 2002 10:25:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NNfVZ13285 for ; + Sat, 24 Aug 2002 00:41:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 07BEA2940A9; Fri, 23 Aug 2002 16:39:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 7C140294099 for ; Fri, + 23 Aug 2002 16:38:52 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 5F3243EDE8; + Fri, 23 Aug 2002 19:42:44 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 5DB833EDE6; Fri, 23 Aug 2002 19:42:44 -0400 (EDT) +From: Tom +To: vox@mindvox.com +Cc: fork@example.com +Subject: Re: [vox] GPL limits put to a test +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 19:42:44 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Fri, 23 Aug 2002, Tom wrote: + +--] +--]XviD [1] is a project to make GPL divx codecs. Sigma Designs [1] is a + + +Sorry, Sigma Designs should be the [2] not the [1] + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0108.e6e9cb097a3b5e37d94a7ff29bc4412a b/machine-learning-ex6/ex6/easy_ham/0108.e6e9cb097a3b5e37d94a7ff29bc4412a new file mode 100644 index 0000000..fb0432c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0108.e6e9cb097a3b5e37d94a7ff29bc4412a @@ -0,0 +1,133 @@ +From fork-admin@xent.com Mon Aug 26 15:31:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D129F4415C + for ; Mon, 26 Aug 2002 10:25:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:25:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7NN0WZ11779 for ; + Sat, 24 Aug 2002 00:00:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 842DE2940F4; Fri, 23 Aug 2002 15:58:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id A04E4294099 for ; Fri, + 23 Aug 2002 15:57:53 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 6913F3EDB5; + Fri, 23 Aug 2002 19:01:45 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 674703ED5C; Fri, 23 Aug 2002 19:01:45 -0400 (EDT) +From: Tom +To: fork@example.com +Cc: vox@mindvox.com +Subject: The GOv gets tough on Net Users.....er Pirates.. +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 19:01:45 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,ONLY_COST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +from http://www.arstechnica.com/ + +"There has mostly been talk thus far and little action, but the Department +of Justice says it may be ready to file criminal lawsuits against +individuals [1] who distribute or receive unauthorized copyrighted +material over the Internet. Deputy Assistant Attorney General John Malcolm believes +that "criminal prosecutions of copyright offenders are now necessary to +preserve the viability of America's content industries." Malcolm also +believes that people who trade copyrighted material think they are +participating in a legal activity. I certainly think people who download +copyrighted works understand that such distribution--barring provisions +such as fair use--is not authorized, and it is not surprising to see +businesses continue to look for means to discourage distribution of +copyrighted works. + + +"Some prosecutions that make that clear could be very helpful...I think +they would think twice if they thought there was a risk of criminal +prosecution," said [RIAA President Cary] Sherman, who was on the same +conference panel. + +I'm not too confident that lawsuits would have the effect Sherman is +hoping for. Although infrequent, there have already been civil suits or +warnings issued to private individuals, and they have served as minor +deterrents to the file-sharing community at large. Criminal lawsuits +carrying with them the possibility of prison sentences may generate +further animosity against groups such as the RIAA and may be difficult to +initiate because of the "schooling" effect of millions of systems +participating in file sharing. Only servers would seem to stand out from +the crowd. + +The article cites the No Electronic Theft (NET) Act [2], which defines +illegal activity and maximum penalties for copyright infringement: + + +Criminal infringement: Any person who infringes a copyright willfully for +purposes of commercial advantage or private financial gain, or by the +reproduction or distribution, including by electronic means, during any +180-day period, of 1 or more copies or phonorecords of 1 or more +copyrighted works, which have a total retail value of more than $1,000.... +For purposes of this subsection, evidence of reproduction or distribution +of a copyrighted work, by itself, shall not be sufficient to establish +willful infringement. +... +The term "financial gain" includes receipt, or expectation of receipt, of +anything of value, including the receipt of other copyrighted works. + + +Therefore, receipt of a work of value would be defined as "financial gain" +even if no money is involved. The NET Act excerpt does not clarify how the +value of a work is determined; an album or movie could be worth only $15 +to millions of dollars depending on whether the value is assessed from the +perspective of the consumer or copyright holder. + +The statute of limitations: + + +507. Limitations on actions + +(a) Criminal Proceedings.--No criminal proceeding shall be maintained +under the provisions of this title unless it is commenced within five +years after the cause of action arose. + +(b) Civil Actions.--No civil action shall be maintained under the +provisions of this title unless it is commenced within three years after +the claim accrued. + +The penalties are too extensive to list here, but they can be found in +Section 2319: Criminal infringement of a copyright. In general, first-time +criminal offenses will carry a maximum prison sentence of 1 year. + +I'm still not sure where the DOJ would start in choosing people to +prosecute because of the aforementioned "schooling" effect, but my guess +would be that, just like speeding, primarily the most prominent +individuals who operate large servers or transfer the most data will be +targeted in order to discourage more recreational file sharers. Thanks to +MonaLisaOverdrive for pointing out this story. +" + +[1] http://news.com.com/2100-1023-954591.html?tag=fd_top +[2] http://www.usdoj.gov/criminal/cybercrime/17-18red.htm + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0109.4ccc46c546b93015aafdfc40495f187d b/machine-learning-ex6/ex6/easy_ham/0109.4ccc46c546b93015aafdfc40495f187d new file mode 100644 index 0000000..daf6422 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0109.4ccc46c546b93015aafdfc40495f187d @@ -0,0 +1,75 @@ +From fork-admin@xent.com Mon Aug 26 15:31:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 712CB4416C + for ; Mon, 26 Aug 2002 10:26:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7O8DXZ28808 for ; + Sat, 24 Aug 2002 09:13:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 373BC2940C4; Sat, 24 Aug 2002 01:11:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id B88CC2940BF for ; + Sat, 24 Aug 2002 01:10:46 -0700 (PDT) +Received: (qmail 25237 invoked by uid 1111); 24 Aug 2002 08:12:31 -0000 +From: "Adam L. Beberg" +To: Tom +Cc: +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 01:12:31 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Fri, 23 Aug 2002, Tom wrote: + +> from http://www.arstechnica.com/ +> +> "There has mostly been talk thus far and little action, but the +> Department of Justice says it may be ready to file criminal lawsuits +> against individuals [1] who distribute or receive unauthorized +> copyrighted material over the Internet. + +And yet STILL noone is out there creating _public domain_ content. Is there +even one person out there can can even begin to talk without being a +complete hypocrite? And no the "open source" people cant talk either, the +GPL aint even close. I know I cant talk. + +If the creator didnt say you could have it without paying, it's theft, so +simple, hell that's even in all the major holy books. + +Fair use needs to be clarified a bit and then I hope they start locking +people up. How else do i ever have hope of finding a job working for someone +that makes things people are supposed to ... *drumroll* pay for. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0110.0bb9a36c3037be09867c0251e0fd6a3a b/machine-learning-ex6/ex6/easy_ham/0110.0bb9a36c3037be09867c0251e0fd6a3a new file mode 100644 index 0000000..b60c6a9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0110.0bb9a36c3037be09867c0251e0fd6a3a @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 2 16:22:23 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7E0254415B + for ; Mon, 2 Sep 2002 11:21:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g823UQZ18033 for ; + Mon, 2 Sep 2002 04:30:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6CDC1294178; Sun, 1 Sep 2002 20:24:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 4E8C529410A for + ; Sun, 1 Sep 2002 20:23:56 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 02 Sep 2002 01:07:29 -08:00 +Message-Id: <3D72B9D1.20101@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: rbfar@ebuilt.com +Cc: Robert Harley , fork@example.com +Subject: Re: Java is for kiddies +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 18:07:29 -0700 + +Reza B'Far (eBuilt) wrote: +> problems.... Why do most computer scientists insist on solving the same +> problems over and over again when there are some many more important and +> interesting problems (high level) to be solved ????? + +Amen! + +Doing it in an (unecessarily) harder way does NOT make you more of a man +(or less of a kiddie). + +- Joe + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0111.e10679164e671fd9211c0303af7ee9f0 b/machine-learning-ex6/ex6/easy_ham/0111.e10679164e671fd9211c0303af7ee9f0 new file mode 100644 index 0000000..31c061e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0111.e10679164e671fd9211c0303af7ee9f0 @@ -0,0 +1,72 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 13:12:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2EFA247C69 + for ; Mon, 2 Sep 2002 07:39:40 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:39:40 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g821EKZ14494 for + ; Mon, 2 Sep 2002 02:14:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g821C1J07101; Mon, 2 Sep 2002 03:12:01 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g821BSJ06974 + for ; Mon, 2 Sep 2002 03:11:28 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17lfkz-0002He-00 for rpm-list@freshrpms.net; + Sun, 01 Sep 2002 21:11:57 -0400 +X-Originating-Ip: [207.172.11.147] +From: "" Angles " Puglisi" +To: "FreshRPMs List" +Subject: package my stuff please :P +Message-Id: <20020901.lpt.78839000@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 02 Sep 2002 01:10:33 +0000 +Date: Mon, 02 Sep 2002 01:10:33 +0000 + +If I have any RPMS in + +http://www.dudex.net/rpms/ + +that could be useful to some one with a real apt repository or someone who wants to +maintain a package, be it known I am not selfish :) + +I found stuff I thought would later get popular so I would not have to maintain the +RPMs for them after they hit the big time. Gnump3d is an exapmple of this. + +So if anyone is psyched, go for it. If so, let me know so I can get the RPMs from +you in the future. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0112.b6c2ea75f9f7efcd3d0e4c43a751479c b/machine-learning-ex6/ex6/easy_ham/0112.b6c2ea75f9f7efcd3d0e4c43a751479c new file mode 100644 index 0000000..a19bd24 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0112.b6c2ea75f9f7efcd3d0e4c43a751479c @@ -0,0 +1,83 @@ +From fork-admin@xent.com Mon Sep 2 16:22:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E450743F9B + for ; Mon, 2 Sep 2002 11:21:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g822MpZ16361 for ; + Mon, 2 Sep 2002 03:22:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5EB982940DE; Sun, 1 Sep 2002 19:20:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 6E01D294099 for ; + Sun, 1 Sep 2002 19:19:16 -0700 (PDT) +Received: (qmail 3268 invoked by uid 1111); 2 Sep 2002 02:21:33 -0000 +From: "Adam L. Beberg" +To: "Reza B'Far (eBuilt)" +Cc: +Subject: RE: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 19:21:33 -0700 (PDT) + +On Sun, 1 Sep 2002, Reza B'Far (eBuilt) wrote: + +> 2. C and C++ forces the developer to solve problems such as memory +> management over and over again. IMHO, Java is superior because the problem +> of programming in the future is not about 0's and 1's, making the compiler +> 2% faster, or making your code take 5% less memory... It's about design +> patterns, architecture, high level stuff... + +Considering 90% of the fake job posting I see are for embedded systems or +device drivers - C still rules the world. + +> 3. Java is not just a programming language! It's also a platform... There +> is NOTHING like the standard API's in Java in C and C++. Everyone defines +> their own API's, people end up solving the same problems ten different ways + +The problem is the problem you're trying to solve is never the same. Java +will soon suffer API-rot (alot of poeple are already complaining about it), +it's just new. C was clean in the beginning too. API-rot is PURELY a +function of age. + +> 4. If you have a program of any type of high complexity written in C, you +> can't possibly think that you could port it to different platforms within +> the same magnitude of cost as Java.... + +I do this all the time, It's alot easier then you think if the original +programmer had a clue at all... Java does remove the clue requirement tho, +just adds a huge testing requirement, QA guys aren't as cheap ;) + +> 5. Makes no sense for a scientific or a business project to depend on a +> person... Java, IMHO, reduces the dependence of these entities on the +> individual developer as it is much easier to reverse engineer Java as it is +> to reverse engineer C (large applications). + +No it's not, but you can hire teams of Javites for cheap at your local high +school. Java is about cutting costs and commoditizing programming - and it's +working! + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0113.55a6bf6a4534d447af2060b174c0d70a b/machine-learning-ex6/ex6/easy_ham/0113.55a6bf6a4534d447af2060b174c0d70a new file mode 100644 index 0000000..5493fd4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0113.55a6bf6a4534d447af2060b174c0d70a @@ -0,0 +1,56 @@ +From fork-admin@xent.com Mon Sep 2 16:22:24 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4D8384415C + for ; Mon, 2 Sep 2002 11:22:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:22:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g823eoZ18207 for ; + Mon, 2 Sep 2002 04:40:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 625C529416E; Sun, 1 Sep 2002 20:38:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav32.law15.hotmail.com [64.4.22.89]) by + xent.com (Postfix) with ESMTP id B44F7294099 for ; + Sun, 1 Sep 2002 20:37:40 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sun, 1 Sep 2002 20:40:02 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: +Subject: Re: Java is for kiddies +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Sep 2002 03:40:02.0181 (UTC) FILETIME=[6B4C7350:01C25232] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 20:43:51 -0700 + + +> +> 6. Hardware is getting so fast that I'm not sure if the performance +> difference between Java and C/C++ are relevant any more. + +When out-of-the-box parsing & transform of XML in java is 25x slower than +C++ on the same hardware then it does matter. + diff --git a/machine-learning-ex6/ex6/easy_ham/0114.72c7d2d85d9d99ce3ce268d09147bdea b/machine-learning-ex6/ex6/easy_ham/0114.72c7d2d85d9d99ce3ce268d09147bdea new file mode 100644 index 0000000..e77430a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0114.72c7d2d85d9d99ce3ce268d09147bdea @@ -0,0 +1,62 @@ +From fork-admin@xent.com Mon Sep 2 16:22:33 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BA1A444160 + for ; Mon, 2 Sep 2002 11:22:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:22:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g826juZ22846 for ; + Mon, 2 Sep 2002 07:45:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7006C294183; Sun, 1 Sep 2002 23:43:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f98.law15.hotmail.com [64.4.23.98]) by + xent.com (Postfix) with ESMTP id 2C3F8294099 for ; + Sun, 1 Sep 2002 23:42:04 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sun, 1 Sep 2002 23:44:26 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Mon, 02 Sep 2002 06:44:25 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: RE: Java is for kiddies +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 02 Sep 2002 06:44:26.0154 (UTC) FILETIME=[2DF0C0A0:01C2524C] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 06:44:25 +0000 + +Adam Beberg: +>Considering 90% of the fake job posting I see are for embedded systems or +>device drivers - C still rules the world. + +There is a lot of C++ in the embedded world. With +static object allocation and a few other programming +techniques, performance differences disappear, but +C++ gives a boost in development and maintainability. +The real issue is compiler availability. Almost every +embedded platform has C cross-compilers. Many have +C++ compilers. But there is still a range of +platforms that have the first but not the second. Or +at least, that was the story a few years ago. + +_________________________________________________________________ +Send and receive Hotmail on your mobile device: http://mobile.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0115.41825f367f7f1efcc31e12376d82a994 b/machine-learning-ex6/ex6/easy_ham/0115.41825f367f7f1efcc31e12376d82a994 new file mode 100644 index 0000000..52bc113 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0115.41825f367f7f1efcc31e12376d82a994 @@ -0,0 +1,74 @@ +From ilug-admin@linux.ie Mon Sep 2 13:14:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C2E7C47C74 + for ; Mon, 2 Sep 2002 07:42:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:42:03 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g827VJZ23920 for + ; Mon, 2 Sep 2002 08:31:19 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id IAA22561; Mon, 2 Sep 2002 08:30:44 +0100 +Received: from moe.jinny.ie (homer.jinny.ie [193.120.171.3]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id IAA22526 for ; + Mon, 2 Sep 2002 08:30:36 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host homer.jinny.ie + [193.120.171.3] claimed to be moe.jinny.ie +Received: from jlooney.jinny.ie (fw.jinny.ie [193.120.171.2]) by + moe.jinny.ie (Postfix) with ESMTP id 3F9167FC40 for ; + Mon, 2 Sep 2002 08:30:35 +0100 (IST) +Received: by jlooney.jinny.ie (Postfix, from userid 500) id 58AA19A5; + Mon, 2 Sep 2002 08:30:58 +0100 (IST) +Date: Mon, 2 Sep 2002 08:30:57 +0100 +From: "John P. Looney" +To: ILUG main list +Subject: Re: [ILUG] Seconds to date? +Message-Id: <20020902073057.GT1757@jinny.ie> +Reply-To: ilug@linux.ie +Mail-Followup-To: ILUG main list +References: <20020901004414.A15357@ie.suberic.net> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-Os: Red Hat Linux 7.3/Linux 2.4.18-3 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Sun, Sep 01, 2002 at 04:14:17PM +0100, Paul Jakma mentioned: +> On Sun, 1 Sep 2002, kevin lyda wrote: +> +> > gnu date is limited by time_t. but i thought time_t expired in 2037? +> > this seems to show it expiring in 2038: +> +> (2^31-1)/3600/24/365+1970 +> 2038 +> +> course, on UltraSparc, x86-64, IA64, alpha, etc: +> +> (2^63-1)/3600/24/365+1970 +> 292471210647 +> +> so we should be safe enough. + + May I assume that x86-64 will be able to use a 64bit time_t too? + +Kate + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0116.4cfce953cce07ef03a0cd55ca18053ba b/machine-learning-ex6/ex6/easy_ham/0116.4cfce953cce07ef03a0cd55ca18053ba new file mode 100644 index 0000000..6d61ff7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0116.4cfce953cce07ef03a0cd55ca18053ba @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 2 16:22:38 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6FB924415A + for ; Mon, 2 Sep 2002 11:22:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:22:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g827cpZ24134 for ; + Mon, 2 Sep 2002 08:38:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2C49E2941BC; Mon, 2 Sep 2002 00:36:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id C53D9294189 for ; + Mon, 2 Sep 2002 00:35:22 -0700 (PDT) +Received: (qmail 4598 invoked by uid 1111); 2 Sep 2002 07:37:39 -0000 +From: "Adam L. Beberg" +To: Russell Turpin +Cc: +Subject: RE: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 00:37:39 -0700 (PDT) + +On Mon, 2 Sep 2002, Russell Turpin wrote: + +> Adam Beberg: +> >Considering 90% of the fake job posting I see are for embedded systems or +> >device drivers - C still rules the world. +> +> There is a lot of C++ in the embedded world. With static object +> allocation and a few other programming techniques, performance +> differences disappear, but C++ gives a boost in development and +> maintainability. + +Agreed, not much difference there. With C it just doesnt seem as wrong to +be crawling around in registers and things. Quite frankly you cant fit +_that_ big of a project into a 32K ROM, so large project issues dont matter +as much in the embedded world. + +And in the realtime space, or when you have data coming in at 2Gbit/sec +[fibrechannel], every cycle DOES count. + +> The real issue is compiler availability. Almost every embedded platform +> has C cross-compilers. Many have C++ compilers. But there is still a +> range of platforms that have the first but not the second. Or at least, +> that was the story a few years ago. + +Definately still very very true. C++ compilers are still a rarity. + + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0117.fbc79c02a2c13d6c9b36f9ba38a09170 b/machine-learning-ex6/ex6/easy_ham/0117.fbc79c02a2c13d6c9b36f9ba38a09170 new file mode 100644 index 0000000..c475779 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0117.fbc79c02a2c13d6c9b36f9ba38a09170 @@ -0,0 +1,61 @@ +From ilug-admin@linux.ie Mon Sep 2 13:14:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 117D947C76 + for ; Mon, 2 Sep 2002 07:42:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:42:12 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g829uBZ27652 for + ; Mon, 2 Sep 2002 10:56:11 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA28572; Mon, 2 Sep 2002 10:55:45 +0100 +Received: from intmailsrv02.fleishman.mail (mail.fleishman.com + [207.193.111.249]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id KAA28537 + for ; Mon, 2 Sep 2002 10:55:29 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.fleishman.com + [207.193.111.249] claimed to be intmailsrv02.fleishman.mail +Received: from ims01east.fleishman.com ([207.193.111.247]) by + intmailsrv02.fleishman.mail with Microsoft SMTPSVC(5.0.2195.2966); + Mon, 2 Sep 2002 04:55:27 -0500 +Received: by ims01east with Internet Mail Service (5.5.2654.89) id + ; Mon, 2 Sep 2002 04:54:47 -0500 +Message-Id: +From: "Quinn, Dell" +To: "'ilug@linux.ie'" +Date: Mon, 2 Sep 2002 04:53:53 -0500 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2654.89) +Content-Type: text/plain; charset="iso-8859-1" +X-Originalarrivaltime: 02 Sep 2002 09:55:27.0714 (UTC) FILETIME=[DD900420:01C25266] +Subject: [ILUG] Can I be added to your email distribution lists? +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + + + + +Dell Quinn +Account Executive +Fleishman-Hillard Saunders +15 Fitzwilliam Quay +Dublin 4 +Ireland +Tel: 01 6188428 +Fax: 01 6602244 +Mobile: 086 6048101 + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0118.4ebb343d73a83dc935197850e507aad6 b/machine-learning-ex6/ex6/easy_ham/0118.4ebb343d73a83dc935197850e507aad6 new file mode 100644 index 0000000..185aa91 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0118.4ebb343d73a83dc935197850e507aad6 @@ -0,0 +1,165 @@ +From fork-admin@xent.com Mon Sep 2 16:22:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E18EC44161 + for ; Mon, 2 Sep 2002 11:22:07 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:22:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g829uqZ27657 for ; + Mon, 2 Sep 2002 10:56:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E5391294189; Mon, 2 Sep 2002 02:54:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id E262F294099 for ; Mon, 2 Sep 2002 02:53:06 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id EDC5CC44D; + Mon, 2 Sep 2002 11:54:55 +0200 (CEST) +To: fork@example.com +Subject: RE: Java is for kiddies +Message-Id: <20020902095455.EDC5CC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 11:54:55 +0200 (CEST) + +Reza B'Far wrote: +>This thread kind of surprises me... I started coding with C, then C++, and +>moved on to Java... And, I think that: + +Looks like a case of "MY experience is comprehensive, YOUR'S is +anecdotal, THEY don't know what they're talking about". + + +>1. The people who pay the wages don't give a flyin' heck what programming +>language you write things in... they just want it to work. + +In my experience, they do care. It has to work certainly, and in +particular it has to work with what they've already got, and it has to +work on client's systems. + +My limited experience of Java started a few years ago when support on +Linux was so terrible that I ran away screaming and haven't come back yet. + +Microsoft has announced that they plan to remove Java from Windows. +They took it out of XP already and it has to be installed with a +service pack. Somehow, I can't imagine them removing the ability to +run C programs. + + +>2. C and C++ forces the developer to solve problems such as memory +>management over and over again. + +Can't say I spend any noticeable amount of time on memory management +issues, apart from the fact that I frequently need > 4 GB. + + +>It's about design patterns, architecture, high level stuff... + +If your problem just requires application of a "design pattern" to solve, +then it's trivial anyway irrespective of language. + + +>I am amazed by the amount of time wasted by people talking about low +>level problems that have been solved 10 million times over and over +>and over again... + +You appear to be gratuitously asserting that C programmers waste time +on irrelevant low-level problems and Java programmers don't. Depends +entirely on the programmer, not the language. + + +>3. Java is not just a programming language! It's also a platform... + +Buzzword. + + +>a monolithic set of API's or a crap load of different API's slicing +>and dicing the same problems 50 different ways? + +Unsupported assertion. + + +>4. If you have a program of any type of high complexity written in C, you +>can't possibly think that you could port it to different platforms within +>the same magnitude of cost as Java.... + +Dunno. E.g., I ported a wee 15000-line C program to Darwin on PowerPC +in a few minutes yesterday. Sure if it was badly designed it would be +10 times the size and harder to port. If it depended on unavailable +libraries it would be much harder. Portable code is easy to port. +At least that is the case when then language you used is available on +the target platform: I also run on ARM systems with no proper Java. + + +>5. Makes no sense for a scientific or a business project to depend on a +>person... Java, IMHO, reduces the dependence of these entities on the +>individual developer as it is much easier to reverse engineer Java as it is +>to reverse engineer C (large applications). + +You can pay a good programmer to solve your problem now, or else get +some kids to hack spaghetti Fortran in any language and then pay for +maintenance headaches ad infinitum. + + +>6. Hardware is getting so fast that I'm not sure if the performance +>difference between Java and C/C++ are relevant any more. + +Whoah!!! Performance matters to me every day. (Right now I'm taking +time out to write email while waiting for a job to run). Sure I could +wait 5 years until everyone's PC is fast enough to generate random EC's +in no time, when any twit will be able to program inefficient code +that is fast enough and the market will be overrun by competitors, +or I can do it now when very few people can. + + +>The end goal is the scientific or business problem to be solved. + +Yes. + + +>And for those problems, languages such as Java, SmallTalk, and others +>allow you to think more high level than low level. Thinking of bits +>and bytes takes too much gray matter away from the real important +>problems.... + +It's true! I admit everything! Mea maxima culpa! Working in C makes +me spend all day thinking base, rank thoughts about hard-core bitography! +Not. + +Actually I spend most of my time thinking in high-level mathematics. + + +>Why do most computer scientists insist on solving the same problems +>over and over again [...] + +Dunno, and frankly I don't see the relevance to the issue at hand. + + +I'm sure Java is fine for some stuff, as is C or whatever. Horses for +courses. + + +Bye, + Rob. + .-. .-. + / \ .-. .-. / \ + / \ / \ .-. _ .-. / \ / \ + / \ / \ / \ / \ / \ / \ / \ + / \ / \ / `-' `-' \ / \ / \ + \ / `-' `-' \ / + `-' `-' + diff --git a/machine-learning-ex6/ex6/easy_ham/0119.98b90763eec7b4e91c06939eea2d2361 b/machine-learning-ex6/ex6/easy_ham/0119.98b90763eec7b4e91c06939eea2d2361 new file mode 100644 index 0000000..e98f32c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0119.98b90763eec7b4e91c06939eea2d2361 @@ -0,0 +1,68 @@ +From ilug-admin@linux.ie Mon Sep 2 13:14:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1634847C79 + for ; Mon, 2 Sep 2002 07:42:31 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:42:31 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82AEwZ28230 for + ; Mon, 2 Sep 2002 11:14:58 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA29406; Mon, 2 Sep 2002 11:14:15 +0100 +Received: from mail.magicgoeshere.com (nw152-60.indigo.ie [194.125.152.60] + (may be forged)) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id LAA29324 + for ; Mon, 2 Sep 2002 11:13:49 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host nw152-60.indigo.ie + [194.125.152.60] (may be forged) claimed to be mail.magicgoeshere.com +Received: from bagend.magicgoeshere.com (ts15-158.dublin.indigo.ie + [194.125.176.158]) by mail.magicgoeshere.com (Postfix) with ESMTP id + 15675FB4F for ; Mon, 2 Sep 2002 10:57:18 +0100 (IST) +Received: by bagend.magicgoeshere.com (Postfix, from userid 501) id + BE05D61DEF; Mon, 2 Sep 2002 11:00:17 +0100 (IST) +Date: Mon, 2 Sep 2002 11:00:17 +0100 +From: Niall O Broin +To: ilug@linux.ie +Message-Id: <20020902100017.GB2041@bagend.makalumedia.com> +Reply-To: ilug@linux.ie +Mail-Followup-To: Niall O Broin , ilug@linux.ie +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.27i +Subject: [ILUG] VPN implementation +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +I need to setup a VPN between a few sites. From what I've read, the the +choices come down (on the Linux side) to IPsec (using FreeSWAN) or CIPE. +It seems that FreeSWAN is 'better', being an implementation of IPsec which +is a standard. However, CIPE does the job as well for Linux clients and is +somewhat simpler to setup. + +The problem is that it's not a pure Linux situation - a couple of the sites +run OS-X. I'm pretty sure that I'll be able to find an implementation of +IPsec for OS-X, but I think CIPE is Linux only. + +So, the question is for those of you have have implemented BOTH - is there a +significant difference in setup time and hassle between CIPE and FreeSWAN ? +If CIPE is going to be much easier than dealing with FreeSWAN (and whatever +on the OS-X sites) then I'll simply get a Linux box for each of the remote +sites - with the low price of hardware, it doesn't take much more complexity +in software to make buying hardware to use simpler software economic. + + + +Niall + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0120.27898b8f966a9c687b1f93fcba5afd43 b/machine-learning-ex6/ex6/easy_ham/0120.27898b8f966a9c687b1f93fcba5afd43 new file mode 100644 index 0000000..96192ca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0120.27898b8f966a9c687b1f93fcba5afd43 @@ -0,0 +1,78 @@ +From ilug-admin@linux.ie Mon Sep 2 13:12:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0FB2C47C7B + for ; Mon, 2 Sep 2002 07:43:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:43:00 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82AagZ28789 for + ; Mon, 2 Sep 2002 11:36:42 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA30797; Mon, 2 Sep 2002 11:36:06 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from bramg1.net.external.hp.com (bramg1.net.external.hp.com + [192.6.126.73]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id LAA30760 + for ; Mon, 2 Sep 2002 11:35:56 +0100 +Received: from fowey.BR.ITC.HP.COM (fowey.br.itc.hp.com [15.145.8.186]) by + bramg1.net.external.hp.com (Postfix) with SMTP id 9346213A for + ; Mon, 2 Sep 2002 12:35:55 +0200 (METDST) +Received: from 15.145.8.186 by fowey.BR.ITC.HP.COM (InterScan E-Mail + VirusWall NT); Mon, 02 Sep 2002 11:35:54 +0100 +Received: by fowey.br.itc.hp.com with Internet Mail Service (5.5.2655.55) + id ; Mon, 2 Sep 2002 11:35:54 +0100 +Message-Id: <253B1BDA4E68D411AC3700D0B77FC5F807C0F3EF@patsydan.dublin.hp.com> +From: "HAMILTON,DAVID (HP-Ireland,ex2)" +To: "'ilug@linux.ie'" +Date: Mon, 2 Sep 2002 11:35:53 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2655.55) +Content-Type: text/plain +Subject: [ILUG] The Age Old 'Which Mailer' Question +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +I am trying to manage the email for a domain which I have hosted with +hosting365, and am trying to get the whole email send and receive thing +working nice and easily. +At the moment I have configured Fetchmail to poll the different pop3 +mailboxes and deliver the mail accordingly, although it appears that I have +to have only one unix user being able to receive from each pop3 mailbox. +This could be a limitation of the fetchmailconf programme, I'm not sure, but +It would be much handier if I could just tell it to collect all of the mail +from the different mailboxes, and then deliver it locally according to the +"To:" header instead of the pop3 mailbox it came from. +The other issue I am having is sending outgoing mail. I have been trying to +use sendmail, but am finding it to be an absolute pain in the posterior, and +when the relay server will only accept outgoing connections if I have +checked for incoming mail in the last twenty minutes, and I don't know how +to set sendmail to run a command before it sends out the mail. Do any of +the outgoing mailer programs, exim or postfix or whatever, have a 'nice' +configuration interface, or do they all have nice friendly configuration +files like sendmail. + +Any suggestions of alternative solutions would be much appreciated. There +are only three or four email addresses in my domain, and setting it up for +scheduled collection and either scheduled or immediate delivery would do me +fine. + +Thanks, + + David. + +David Hamilton +Senior Technical Consultant +HP Ireland + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0121.b475478456e52de66ef0b0fb501bbfd3 b/machine-learning-ex6/ex6/easy_ham/0121.b475478456e52de66ef0b0fb501bbfd3 new file mode 100644 index 0000000..ee9afcb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0121.b475478456e52de66ef0b0fb501bbfd3 @@ -0,0 +1,74 @@ +From ilug-admin@linux.ie Mon Sep 2 13:13:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0430947C7A + for ; Mon, 2 Sep 2002 07:42:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:42:48 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82AaFZ28780 for + ; Mon, 2 Sep 2002 11:36:15 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA30726; Mon, 2 Sep 2002 11:35:06 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from [193.95.181.146] ([193.95.181.146]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id LAA30670 for ; Mon, + 2 Sep 2002 11:34:56 +0100 +Received: from athens.itsmobile.com by [193.95.181.146] via smtpd (for + lugh.tuatha.org [194.125.145.45]) with SMTP; 2 Sep 2002 10:26:06 UT +X-Mimeole: Produced By Microsoft Exchange V6.0.5762.3 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Date: Mon, 2 Sep 2002 11:45:50 +0100 +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: What HOWTOs for SOHO system +Thread-Index: AcJSbGP3hSOj275NEdaF/AABAgjiLA== +From: "Dermot Daly" +To: +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by lugh.tuatha.org id + LAA30670 +Subject: [ILUG] What HOWTOs for SOHO system +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi All, +I'm trying to set up the following: + +1. A Linux server running with a modem for internet connectivity and an +ethernet card for LAN connectivity +2. Other LAN pcs with ethernet cards, using the Linux server for +DNS/DHCP etc. + +Basically, I want to route any non LAN traffic through the ppp0. + +I've got some of the way, but like a similar post earlier about modem +problems, when I am connected to the internet with eht0 up, the routing +is all incorrect and noting goes out through ppp0 (eh0 must be the +default route or something). + +Is there standard "out of the box" Linux tools that will carry out +portmapping on behalf of the LAN PCs ? (I'm planning on non routable +addresses 192.168.x.x for the LAN, routed outwards via the ppp0 +interface). + +Can someone point me at the right HOWTOs or routing documentation I need +to follow ? +Thanks, +Dermot. + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0122.4c48475d458bbca7a14270745e452dd7 b/machine-learning-ex6/ex6/easy_ham/0122.4c48475d458bbca7a14270745e452dd7 new file mode 100644 index 0000000..6e1ddde --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0122.4c48475d458bbca7a14270745e452dd7 @@ -0,0 +1,99 @@ +From ilug-admin@linux.ie Mon Sep 2 13:13:50 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6A0CD47C7C + for ; Mon, 2 Sep 2002 07:43:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:43:01 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82Am8Z29220 for + ; Mon, 2 Sep 2002 11:48:08 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA31421; Mon, 2 Sep 2002 11:47:10 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from relay05.indigo.ie (relay05.indigo.ie [194.125.133.229]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id LAA31379 for ; + Mon, 2 Sep 2002 11:46:27 +0100 +Received: (qmail 97613 messnum 1200606 invoked from + network[194.125.130.10/unknown]); 2 Sep 2002 10:46:25 -0000 +Received: from unknown (HELO win2000) (194.125.130.10) by + relay05.indigo.ie (qp 97613) with SMTP; 2 Sep 2002 10:46:25 -0000 +Reply-To: +From: "Justin MacCarthy" +To: "Dermot Daly" +Cc: "Ilug@Linux.Ie" +Subject: RE: [ILUG] What HOWTOs for SOHO system +Date: Mon, 2 Sep 2002 11:46:57 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi Dermot, if have a look at one of the dists. like www.smoothwall.org, it +will save you lots of time and effort, and should do eveything you want. + +Justin + +> -----Original Message----- +> From: ilug-admin@linux.ie [mailto:ilug-admin@linux.ie]On Behalf Of +> Dermot Daly +> Sent: Monday, September 02, 2002 11:46 AM +> To: ilug@linux.ie +> Subject: [ILUG] What HOWTOs for SOHO system +> +> +> Hi All, +> I'm trying to set up the following: +> +> 1. A Linux server running with a modem for internet connectivity and an +> ethernet card for LAN connectivity +> 2. Other LAN pcs with ethernet cards, using the Linux server for +> DNS/DHCP etc. +> +> Basically, I want to route any non LAN traffic through the ppp0. +> +> I've got some of the way, but like a similar post earlier about modem +> problems, when I am connected to the internet with eht0 up, the routing +> is all incorrect and noting goes out through ppp0 (eh0 must be the +> default route or something). +> +> Is there standard "out of the box" Linux tools that will carry out +> portmapping on behalf of the LAN PCs ? (I'm planning on non routable +> addresses 192.168.x.x for the LAN, routed outwards via the ppp0 +> interface). +> +> Can someone point me at the right HOWTOs or routing documentation I need +> to follow ? +> Thanks, +> Dermot. +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +> information. +> List maintainer: listmaster@linux.ie +> +> +> + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0123.32e1738c4171dd9d70b727fd7973a291 b/machine-learning-ex6/ex6/easy_ham/0123.32e1738c4171dd9d70b727fd7973a291 new file mode 100644 index 0000000..09c0582 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0123.32e1738c4171dd9d70b727fd7973a291 @@ -0,0 +1,68 @@ +From ilug-admin@linux.ie Mon Sep 2 13:13:28 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9A0DA47C7D + for ; Mon, 2 Sep 2002 07:43:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:43:03 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82AmlZ29246 for + ; Mon, 2 Sep 2002 11:48:47 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA31509; Mon, 2 Sep 2002 11:48:02 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from relay05.indigo.ie (relay05.indigo.ie [194.125.133.229]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id LAA31465 for ; + Mon, 2 Sep 2002 11:47:50 +0100 +Received: (qmail 99805 messnum 1203514 invoked from + network[194.125.130.10/unknown]); 2 Sep 2002 10:47:50 -0000 +Received: from unknown (HELO win2000) (194.125.130.10) by + relay05.indigo.ie (qp 99805) with SMTP; 2 Sep 2002 10:47:50 -0000 +Reply-To: +From: "Justin MacCarthy" +To: "Ilug@Linux.Ie" +Date: Mon, 2 Sep 2002 11:48:22 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +Subject: [ILUG] Email list management howto +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +I think I'll ask this question again, as I sent on friday afternoon. :-) + +Justin + +> Hi, +> +> Can anyone point me to a howto on running mailing lists. Not looking for +> anything that is package specific, but rather something that +> gives general +> info on the various Email headers and dealing with returned +> mails, errors in +> transport etc.. +> +> Thanks +> +> Justin + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0124.2912ab5571d121e3b8c32c575b2526a9 b/machine-learning-ex6/ex6/easy_ham/0124.2912ab5571d121e3b8c32c575b2526a9 new file mode 100644 index 0000000..e3c4fed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0124.2912ab5571d121e3b8c32c575b2526a9 @@ -0,0 +1,70 @@ +From ilug-admin@linux.ie Mon Sep 2 13:12:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2889F47C80 + for ; Mon, 2 Sep 2002 07:43:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:43:39 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82Aw9Z29560 for + ; Mon, 2 Sep 2002 11:58:09 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA32263; Mon, 2 Sep 2002 11:57:34 +0100 +Received: from hawk.dcu.ie (mail.dcu.ie [136.206.1.5]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA32225 for ; Mon, + 2 Sep 2002 11:57:16 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.dcu.ie [136.206.1.5] + claimed to be hawk.dcu.ie +Received: from prodigy.redbrick.dcu.ie (136.206.15.10) by hawk.dcu.ie + (6.0.040) id 3D6203D300050841 for ilug@linux.ie; Mon, 2 Sep 2002 11:57:16 + +0100 +Received: by prodigy.redbrick.dcu.ie (Postfix, from userid 1023) id + 3376ADA4A; Mon, 2 Sep 2002 11:57:16 +0100 (IST) +Date: Mon, 2 Sep 2002 11:57:16 +0100 +From: Philip Reynolds +To: ilug@linux.ie +Subject: Re: [ILUG] Serial number in hosts file +Message-Id: <20020902115716.E3253@prodigy.Redbrick.DCU.IE> +References: <3D735065.23921.771154@localhost> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <3D735065.23921.771154@localhost>; from DERMODYR@ITCARLOW.IE + on Mon, Sep 02, 2002 at 11:49:56AM +0100 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Ray Dermody's [DERMODYR@ITCARLOW.IE] 20 lines of wisdom included: +> Hi All, +> The serial number in our hosts files on our DNS server has gone +> corrupt e.g. 2002082999999999901 should be 20002082901. +> Its okay to set this back to todays date but I understand that our +> secondary and terninary DNS servers will only update from the master +> hosts file if the master host serial number is greater than the current +> serial number in the hosts file. +> Is there any way I can reset this on the secondary and terninary DNS +> servers? + +Once you have the serial changed on the master DNS server, remove +the appropiate zone(s) on your slaves, and refresh your DNS servers. + +Bind has a special case, if you set the serial to '0' I think. DNS & +Bind should have something on that. + +-- + Philip Reynolds + RFC Networks tel: 01 8832063 +www.rfc-networks.ie fax: 01 8832041 + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0125.1ada59664dfcb7a5a31e9820f9604fea b/machine-learning-ex6/ex6/easy_ham/0125.1ada59664dfcb7a5a31e9820f9604fea new file mode 100644 index 0000000..6ffbe9b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0125.1ada59664dfcb7a5a31e9820f9604fea @@ -0,0 +1,88 @@ +From ilug-admin@linux.ie Mon Sep 2 13:12:53 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0046D47C84 + for ; Mon, 2 Sep 2002 07:44:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:44:57 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82B72Z30034 for + ; Mon, 2 Sep 2002 12:07:02 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id MAA00554; Mon, 2 Sep 2002 12:05:51 +0100 +Received: from dspsrv.com (vir.dspsrv.com [193.120.211.34]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id MAA00506 for ; + Mon, 2 Sep 2002 12:05:31 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host vir.dspsrv.com + [193.120.211.34] claimed to be dspsrv.com +Received: from itg-gw.cr008.cwt.esat.net ([193.120.242.226] + helo=waider.ie) by dspsrv.com with asmtp (Exim 3.35 #1) id + 17lp1O-0004xK-00; Mon, 02 Sep 2002 12:05:30 +0100 +Message-Id: <3D7344D7.6010702@waider.ie> +Date: Mon, 02 Sep 2002 12:00:39 +0100 +From: Waider +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: vincent@cunniffe.net +Cc: ilug@linux.ie +Subject: Re: [ILUG] Email list management howto +References: + <3D7344E1.8010309@diva.ie> +X-Enigmail-Version: 0.65.2.0 +X-Enigmail-Supports: pgp-inline, pgp-mime +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +-----BEGIN PGP SIGNED MESSAGE----- + +Vincent Cunniffe wrote: +| Justin MacCarthy wrote: +| +|> I think I'll ask this question again, as I sent on friday afternoon. + :-) +| +| +| Mailman ;-) +| +| Trust me, you do *not* want to running your own mailing lists +| on your own software. +| +| You'll wind up crying in a dark room looking for something +| high-voltage to stick your fingers into. + +All things considered, I get that effect with Mailman, but the viable +alternatives are ezmlm, which is loonware and I'm avoiding on principle, +and majordomo, which seems to have stagnated. Oh, and there's apparently +something called SmartList which is a bitch to set up. + +Waider. +- -- +waider@waider.ie / Yes, it /is/ very personal of me +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org + +iQEVAwUBPXNE16HbXyzZsAb3AQH2KQf/XqeOMaHNXAlzbmgd5iYd9VQaAgWAR2DQ +kdpz0NbECR2OS7PJoLY9lsPKgNshpJcDZIRsxJvXmfp5YRNq0AyP0HGGwRvWgjgB +0N9HG/Rgez7S5RhU79RAuhpFb9XO1XzMI0gSkDHSGefQsUOAZ69vZVLLsiRiyHFy +4u+vrPVTP0rYR7haX41JXu42GVWfT2K2DDFftAimqGCsJnu2MXcMI/Ptq1rtxhXD +WZhxCR+FAwirEk8Yz9Drl8+gJL0YJQFSoWumQzqLKKutx1lJvv7OS4yDjGRaQpxm +Jmq8lifudZayccbixx7ZcXMSlpP4C45Wj5XJSYW8RCjU1bgxTqhMbQ== +=eG8X +-----END PGP SIGNATURE----- + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0126.fc7d58812b4c004ee457355c9baf2e1e b/machine-learning-ex6/ex6/easy_ham/0126.fc7d58812b4c004ee457355c9baf2e1e new file mode 100644 index 0000000..28f7507 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0126.fc7d58812b4c004ee457355c9baf2e1e @@ -0,0 +1,63 @@ +From ilug-admin@linux.ie Mon Sep 2 13:15:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3F16E47C82 + for ; Mon, 2 Sep 2002 07:44:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:44:14 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82B2DZ29892 for + ; Mon, 2 Sep 2002 12:02:13 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id MAA32607; Mon, 2 Sep 2002 12:01:05 +0100 +Received: from claymore.diva.ie (diva.ie [195.218.115.17] (may be forged)) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id MAA32520 for + ; Mon, 2 Sep 2002 12:00:51 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host diva.ie [195.218.115.17] + (may be forged) claimed to be claymore.diva.ie +Received: from diva.ie (office.diva.ie [62.77.171.149]) by + claymore.diva.ie (8.9.3/8.9.3) with ESMTP id MAA13218 for ; + Mon, 2 Sep 2002 12:00:50 +0100 +Message-Id: <3D7344E1.8010309@diva.ie> +Date: Mon, 02 Sep 2002 12:00:49 +0100 +From: Vincent Cunniffe +Reply-To: vincent@cunniffe.net +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en, en-us +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] Email list management howto +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Justin MacCarthy wrote: +> I think I'll ask this question again, as I sent on friday afternoon. :-) + +Mailman ;-) + +Trust me, you do *not* want to running your own mailing lists +on your own software. + +You'll wind up crying in a dark room looking for something +high-voltage to stick your fingers into. + +Regards, + +Vin + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0127.2ac0e9f6527f224201604786789540b2 b/machine-learning-ex6/ex6/easy_ham/0127.2ac0e9f6527f224201604786789540b2 new file mode 100644 index 0000000..4ba28f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0127.2ac0e9f6527f224201604786789540b2 @@ -0,0 +1,94 @@ +From ilug-admin@linux.ie Mon Sep 2 13:13:46 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 68C3E47C83 + for ; Mon, 2 Sep 2002 07:44:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 12:44:33 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82B6sZ30020 for + ; Mon, 2 Sep 2002 12:06:54 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id MAA00495; Mon, 2 Sep 2002 12:05:10 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from saffron.via-net-works.ie (saffron.via-net-works.ie + [212.17.32.24]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id MAA00434 + for ; Mon, 2 Sep 2002 12:05:00 +0100 +Received: from box.dialups.via-net-works.ie ([212.17.32.233] + helo=PELICANCLUB.vianetworks.ie) by saffron.via-net-works.ie with esmtp + (Exim 3.20 #1) id 17lp0s-0000gr-00; Mon, 02 Sep 2002 12:04:58 +0100 +X-NCC-Regid: ie.medianet +Message-Id: <5.1.0.14.0.20020902120100.02a78308@212.17.32.225> +X-Sender: tbridge@212.17.32.225 +X-Mailer: QUALCOMM Windows Eudora Version 5.1 +Date: Mon, 02 Sep 2002 12:04:04 +0100 +To: Ray.Dermody@ITCARLOW.IE, ilug@linux.ie +From: Thomas Bridge +Subject: Re: [ILUG] Serial number in hosts file +In-Reply-To: <3D735065.23921.771154@localhost> +MIME-Version: 1.0 +Content-Type: text/plain +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Your actual serial number is 1519761310 - from a dig I've just done. + +Try resetting the zone number to 2002082901 - some of your secondaries seem +to have a serial number below that, so they clearly regard 1519761310 as +being less than 2002082601. + +That should enable them to pick up the new zonefile. + +T. + +At 11:49 02/09/2002 +0100, Ray Dermody wrote: +>Hi All, +>The serial number in our hosts files on our DNS server has gone +>corrupt e.g. 2002082999999999901 should be 20002082901. +>Its okay to set this back to todays date but I understand that our +>secondary and terninary DNS servers will only update from the master +>hosts file if the master host serial number is greater than the current +>serial number in the hosts file. +>Is there any way I can reset this on the secondary and terninary DNS +>servers? +> +>Ray Dermody +>Computing Services Technician +>I.T. Carlow +>0503 76271 +> +> +>-- +>Irish Linux Users' Group: ilug@linux.ie +>http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +>List maintainer: listmaster@linux.ie + +VIA NET.WORKS Ireland is a wholly owned Limited Irish Company. +Although connected to the VIA Global Network, VIA NET.WORKS Ireland +is separate from and is not owned by VIA NET.WORKS Inc. or any +member of the VIA NET.WORKS Inc. Group. +-----BEGIN PGP SIGNATURE----- +Version: PGPfreeware 7.0.3 for non-commercial use + +iQA/AwUBPXNFo76WYZbx1eG3EQLfNwCfakNapOkbg26j1jqQQEHgIWFd4s0AoP4J +GLBtgr1K8fzYlnnRNcfT3fSt +=Rurr +-----END PGP SIGNATURE----- + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0128.f2500674ec39065ae8a1f643c7100a2b b/machine-learning-ex6/ex6/easy_ham/0128.f2500674ec39065ae8a1f643c7100a2b new file mode 100644 index 0000000..577cc00 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0128.f2500674ec39065ae8a1f643c7100a2b @@ -0,0 +1,53 @@ +From ilug-admin@linux.ie Mon Sep 2 16:21:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3716C44155 + for ; Mon, 2 Sep 2002 11:21:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:33 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82Bp5Z31216 for + ; Mon, 2 Sep 2002 12:51:05 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id MAA02620; Mon, 2 Sep 2002 12:50:33 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from paat.pair.com (paat.pair.com [209.68.1.209]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id MAA02584 for ; + Mon, 2 Sep 2002 12:50:23 +0100 +Received: (qmail 49714 invoked by uid 3138); 2 Sep 2002 11:50:21 -0000 +Date: Mon, 2 Sep 2002 07:50:21 -0400 +From: Wesley Darlington +To: ilug@linux.ie +Message-Id: <20020902115021.GA49485@paat.pair.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.25i +Subject: [ILUG] Damian Conway in Belfast... +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi All, + +Damian Conway is in Belfast this week. He will be giving two talks: + +o Perl 6 - Tuesday, 3rd September, 7pm, Jury's, Belfast +o Quantum::Superpositions - Thursday, 5th September, 7pm, Jury's, Belfast + +He is also doing training courses... + http://www.kasei.com/training/damian/ + +Wesley. + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0129.00f1783f1c15a77f1c5ec212f5bcf1d1 b/machine-learning-ex6/ex6/easy_ham/0129.00f1783f1c15a77f1c5ec212f5bcf1d1 new file mode 100644 index 0000000..e1b8e30 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0129.00f1783f1c15a77f1c5ec212f5bcf1d1 @@ -0,0 +1,101 @@ +From ilug-admin@linux.ie Mon Sep 2 16:21:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 33EF544156 + for ; Mon, 2 Sep 2002 11:21:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:34 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82C8TZ31762 for + ; Mon, 2 Sep 2002 13:08:29 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id NAA03451; Mon, 2 Sep 2002 13:08:06 +0100 +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id NAA03417 for ; + Mon, 2 Sep 2002 13:07:54 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.webnote.net + [193.120.211.219] claimed to be webnote.net +Received: (from lbedford@localhost) by webnote.net (8.9.3/8.9.3) id + NAA27423 for ilug@linux.ie; Mon, 2 Sep 2002 13:07:54 +0100 +Date: Mon, 2 Sep 2002 13:07:54 +0100 +From: Liam Bedford +To: ilug@linux.ie +Message-Id: <20020902120754.GC27311@mail.webnote.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.4i +Subject: [ILUG] Marketing SIG has a good start :) +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + |::::::::::::::::::::::::::::::::::::::::::::::::::| + + IT's Monday 520 02 September 2002 + + |::::::::::::::::::::::::::::::::::::::::| + + + +STUDENT LIFE BEGINS WITH LINUX +by +John Sterne + +The launch last month of a marketing special interest group by the +Irish Linux Users Group (ILUG) - open source and marketing, it +seems, might not be mutually exclusive concepts - has already +sparked an interesting initiative at University College Cork. When +the new academic year begins at UCC, every incoming student will +be offered a copy of Red Hat Linux 7.3. + +ILUG member Braun Brelin proposed this promotion, when he ran a +training class for staff at the UCC computer science department. +Brelin, who is the director of technology at OpenApp, says that the +Linux offer could be extended to any or all of the other Irish +universities. + +The user group is tapping into an international Red Hat programme +that aims to introduce students at all levels to the open source +style of computing. The Linux distributor runs an 'educational +channel' to reach this audience, bundling educational software +with its operating environment and offering networked support +services to eligible applicants. This scheme was originally designed +to suit the educational structures in the US, but is now available to +schools and universities throughout the world. + +Red Hat Linux 7.3 incorporates ease of use and maintenance +features and is intended to counter objections that Linux is hard to +master on personal systems. + +The Linux-for-all project at UCC could also raise the profile of Red +Hat Ireland. Based in Cork, this operation has run shared financial +services for other Red Hat offices in Europe since 2000. Until now +its involvement with users in Ireland has been fairly limited, +although it does sometimes refer them to other Red Hat offices in +Europe that offer consulting or technical support services. + +David Owens, Red Hat's director of global logistics and production, +sees the formation of the ILUG marketing group as a reason to take +a more proactive approach. In the last three months, he notes, his +office in Cork has received more and more calls from Irish +companies that are interested in adopting Linux and has introduced +some to Red Hat pre-sales consultants. + + +------------- +Many thanks are due to Braun and David for working together on this one. + +Regards +L. + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0130.6007e5b54c03026fd924cf2d6b0b4008 b/machine-learning-ex6/ex6/easy_ham/0130.6007e5b54c03026fd924cf2d6b0b4008 new file mode 100644 index 0000000..9a81455 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0130.6007e5b54c03026fd924cf2d6b0b4008 @@ -0,0 +1,77 @@ +From ilug-admin@linux.ie Mon Sep 2 16:22:04 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 169CD4415E + for ; Mon, 2 Sep 2002 11:21:41 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:41 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82ElmZ05358 for + ; Mon, 2 Sep 2002 15:47:48 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id PAA10436; Mon, 2 Sep 2002 15:47:13 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from bramg1.net.external.hp.com (bramg1.net.external.hp.com + [192.6.126.73]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id PAA10395 + for ; Mon, 2 Sep 2002 15:47:01 +0100 +Received: from fowey.BR.ITC.HP.COM (fowey.br.itc.hp.com [15.145.8.186]) by + bramg1.net.external.hp.com (Postfix) with SMTP id 12CC9216 for + ; Mon, 2 Sep 2002 16:47:01 +0200 (METDST) +Received: from 15.145.8.186 by fowey.BR.ITC.HP.COM (InterScan E-Mail + VirusWall NT); Mon, 02 Sep 2002 15:47:00 +0100 +Received: by fowey.br.itc.hp.com with Internet Mail Service (5.5.2655.55) + id ; Mon, 2 Sep 2002 15:47:00 +0100 +Message-Id: <253B1BDA4E68D411AC3700D0B77FC5F807C0F446@patsydan.dublin.hp.com> +From: "HAMILTON,DAVID (HP-Ireland,ex2)" +To: "'ilug@linux.ie'" +Subject: RE: [ILUG] Redhat 8.0 +Date: Mon, 2 Sep 2002 15:46:58 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2655.55) +Content-Type: text/plain +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +I just saw the ISOs on an internal server here and was tempted.... + + D. + +-----Original Message----- +From: John P. Looney [mailto:valen@tuatha.org] +Sent: Monday, September 02, 2002 3:45 PM +To: HAMILTON,DAVID (HP-Ireland,ex2) +Cc: 'ilug@linux.ie' +Subject: Re: [ILUG] Redhat 8.0 + + +On Mon, Sep 02, 2002 at 03:22:54PM +0100, HAMILTON,DAVID (HP-Ireland,ex2) +mentioned: +> Does anyone know when Redhat 8.0 is going to be released? +> I have seen some ISO images of it around and I am trying to work out +> if it's near release. + + Null, the third beta was out last week. + + It'll be an interesting release. Gnome 2.0, and GCC 3.2 - both very new, +large projects. + + I'd not be putting it on any production machines for a while... + + Though many say "RedHat X.0 releases are rubbish" - it's worth baring in +mind that they jump a release when the underlying archtechture changes, not +just the installer, so they are .0 for a reason. + +Kate + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0131.b715566061ab90d0f8745ce0ac010832 b/machine-learning-ex6/ex6/easy_ham/0131.b715566061ab90d0f8745ce0ac010832 new file mode 100644 index 0000000..18adac7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0131.b715566061ab90d0f8745ce0ac010832 @@ -0,0 +1,63 @@ +From ilug-admin@linux.ie Mon Sep 2 16:22:06 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0CE2E4415F + for ; Mon, 2 Sep 2002 11:21:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 16:21:42 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82ExkZ05649 for + ; Mon, 2 Sep 2002 15:59:46 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id PAA11015; Mon, 2 Sep 2002 15:59:18 +0100 +Received: from ie.suberic.net (owsla.ie.suberic.net [62.17.162.83]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id PAA10975 for ; + Mon, 2 Sep 2002 15:58:55 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host owsla.ie.suberic.net + [62.17.162.83] claimed to be ie.suberic.net +Received: from owsla.ie.suberic.net (owsla [127.0.0.1]) by ie.suberic.net + (8.11.6/8.11.6) with ESMTP id g82EwrY22553 for ; + Mon, 2 Sep 2002 15:58:53 +0100 +Date: Mon, 2 Sep 2002 15:58:51 +0100 +To: irish linux users group +Message-Id: <20020902155851.A22343@ie.suberic.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +X-Operating-System: Linux 2.4.18-5 i686 +X-GPG-Fingerprint: 9C1D 16F4 11F1 6BD2 933C 048D ACC7 9840 89D0 7646 +From: kevin lyda +Mail-Followup-To: kevin+dated+1031410733.71e31f@ie.suberic.net, + ilug@linux.ie +X-Delivery-Agent: TMDA/0.57 +Subject: [ILUG] freeserve in the uk? +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +ok, so if i was in the uk for a wekk, how might i configure my laptop to +dial in to a freebie isp? redhat's internet connection wizard actually +has settings for uk isp's, but freeserve is the only one i recognize +and it doen't seem to work. + +has anyone here done this? + +kevin + +-- +kevin@suberic.net that a believer is happier than a skeptic is no more to +fork()'ed on 37058400 the point than the fact that a drunken man is happier +meatspace place: home than a sober one. the happiness of credulity is a +http://ie.suberic.net/~kevin cheap & dangerous quality -- g.b. shaw + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0132.bcd23223120c0be6b991ae0349cd127c b/machine-learning-ex6/ex6/easy_ham/0132.bcd23223120c0be6b991ae0349cd127c new file mode 100644 index 0000000..f88d295 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0132.bcd23223120c0be6b991ae0349cd127c @@ -0,0 +1,125 @@ +From exmh-users-admin@redhat.com Mon Sep 2 23:40:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8AA2316F34 + for ; Mon, 2 Sep 2002 23:40:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 23:40:41 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82HN1Z11538 for + ; Mon, 2 Sep 2002 18:23:02 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99F623F901; Mon, 2 Sep 2002 + 13:23:08 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3E4140346 + for ; Mon, 2 Sep 2002 13:18:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g82HIkb11294 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 13:18:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g82HIkY11290 for + ; Mon, 2 Sep 2002 13:18:46 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g82H3Bl27025 for + ; Mon, 2 Sep 2002 13:03:11 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA12734; Mon, 2 Sep 2002 13:18:39 -0400 +Message-Id: <200209021718.NAA12734@blackcomb.panasas.com> +To: exmh-users@example.com +Cc: Ingo Frommholz , reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209011956.g81Ju6TE002619@orion.dwf.com> +References: <200209011956.g81Ju6TE002619@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Sun, 01 Sep + 2002 13:56:06 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 10:18:39 -0700 + +If you haven't already, you should enable the debug log under +Hacking Support preferences and look for clues there. + +>>>Reg Clemens said: + > > Hi, + > > + > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > + > > [...] + > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > gives + > > > + > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDD + F997A + > > > Can't check signature: public key not found + > > > + > > > So, something else is missing. + > > + > > Yes, the public key of the signature you want to check :-). + > > + > > Are you really sure that you have the public key of the message's + > > signature? If not, try downloading it or try to check a signature from + > > which you know you have the public key. + > > + > > + > > + > + > Ah, sorry for not making that clearer. + > But no. + > Previously (v1.0.6 of GnuPG) there would be a slight pause at this point whi + le + > it went out to get the public key from a keyserver. + > Now, whether I have the key or NOT, I get the failure message. + > + > Its as if it cant find gpg to execute it (but I fixed that path), so there + > must be something else that I am missing... + > + > + > -- + > Reg.Clemens + > reg@dwf.com + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0133.fe269b4e9538d5cb9907625c4b63dc2f b/machine-learning-ex6/ex6/easy_ham/0133.fe269b4e9538d5cb9907625c4b63dc2f new file mode 100644 index 0000000..782dccd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0133.fe269b4e9538d5cb9907625c4b63dc2f @@ -0,0 +1,69 @@ +From craig@deersoft.com Mon Sep 2 23:00:06 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by example.com (Postfix) with ESMTP id 9B7CA16F2D + for ; Mon, 2 Sep 2002 23:00:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 23:00:05 +0100 (IST) +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82HPmZ11569 for ; Mon, 2 Sep 2002 18:25:48 +0100 +Received: from user-1120fqe.dsl.mindspring.com ([66.32.63.78] + helo=belphegore.hughes-family.org) by maynard.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17luxa-0003hi-00; Mon, 02 Sep 2002 13:25:58 -0400 +Received: from balam.hughes-family.org (balam.hughes-family.org + [10.0.240.3]) by belphegore.hughes-family.org (Postfix) with ESMTP id + 764503E7FC; Mon, 2 Sep 2002 10:25:57 -0700 (PDT) +Date: Mon, 2 Sep 2002 10:25:57 -0700 +Subject: Re: bad DCC traffic from e-corp.net +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: Justin Mason +To: dcc@calcite.rhyolite.com +From: "Craig R.Hughes" +In-Reply-To: <200209021702.g82H271q025288@calcite.rhyolite.com> +Message-Id: <0B1C586E-BE99-11D6-B0C6-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) + +Vernon, + +I'm changing the instructions in the SpamAssassin INSTALL file +right now to: + +tar xfvz dcc-dccproc.tar.Z +cd dcc-dccproc-X.X.X +./configure && make && make install +cdcc 'info' + + +Let me know ASAP if that's innapropriate, since we're shipping +2.40 today! + +C + +On Monday, September 2, 2002, at 10:02 AM, Vernon Schryver wrote: + +>> Here are the instructions in the spamassassin README: +>> +>> # tar xfvz dcc-dccproc.tar.Z +>> # cd dcc-dccproc-X.X.X +>> # ./configure && make && make install +>> # cdcc 'new map' +>> # cdcc 'add dcc.rhyolite.com' +>> # cdcc 'info' +> +> That's ok, except that the 'new map' and "add dcc.rhyolite.com' +> are respectively unnecessary and wrong. The map file that comes +> with the source points to localhost and dcc.dcc-servers.net. Those +> two shipped entries usually do the right thing if there is a local +> server. If there is no local server or if the local server fails, +> requests are instantly sent to one of the public server names listed +> in the main DCC web page at +> http://www.rhyolite.com/anti-spam/dcc/ and http://www.dcc- +> servers.net/dcc/ +> dcc.rhyolite.com has not been listed for months. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0134.56b4bed3bd3a696ab5b271a6e37fa005 b/machine-learning-ex6/ex6/easy_ham/0134.56b4bed3bd3a696ab5b271a6e37fa005 new file mode 100644 index 0000000..0c6725b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0134.56b4bed3bd3a696ab5b271a6e37fa005 @@ -0,0 +1,69 @@ +From ilug-admin@linux.ie Mon Sep 2 23:01:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7BDA516F2D + for ; Mon, 2 Sep 2002 23:00:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 02 Sep 2002 23:00:59 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82JHuZ18125 for + ; Mon, 2 Sep 2002 20:17:56 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id UAA22095; Mon, 2 Sep 2002 20:17:30 +0100 +Received: from marklar.elive.net (smtp.elive.ie [212.120.138.41]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id UAA22069 for ; + Mon, 2 Sep 2002 20:17:21 +0100 +Received: from gonzo.waider.ie + (IDENT:R0H7YSHx3yGdRgPLRgXIWteEQXqKrfLs@1Cust11.tnt3.dub2.ie.uudial.net + [213.116.44.11]) by marklar.elive.net (8.11.6/8.11.6) with ESMTP id + g82ImBw19655; Mon, 2 Sep 2002 19:48:11 +0100 +Received: from klortho.waider.ie + (IDENT:jNbZZ8gDC4k25bWNWT8gu3fsiSlb9Vjt@klortho.waider.ie [10.0.0.100]) by + gonzo.waider.ie (8.11.6/8.11.6) with ESMTP id g82JHD721425; Mon, + 2 Sep 2002 20:17:13 +0100 +Received: (from waider@localhost) by klortho.waider.ie (8.11.6/8.11.6) id + g82JH2P26664; Mon, 2 Sep 2002 20:17:02 +0100 +X-Authentication-Warning: klortho.waider.ie: waider set sender to + waider@waider.ie using -f +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15731.47405.983253.662388@klortho.waider.ie> +Date: Mon, 2 Sep 2002 20:17:01 +0100 +From: Ronan Waide +To: "Kiall Mac Innes" +Cc: +Subject: RE: [ILUG] VPN implementation +In-Reply-To: +References: <20020902100017.GB2041@bagend.makalumedia.com> + +X-Mailer: VM 7.07 under Emacs 21.2.1 +Organization: poor at best. +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On September 2, kialllists@redpie.com said: +> OS-X is linux +> + +Er, no it's not. It's kinda BSD-related, but it's definitely not +Linux. + +Waider. +-- +waider@waider.ie / Yes, it /is/ very personal of me. + +"Since I am project leader, I must not be permitted to go insane." + - Theo de Radt + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0135.73f72161ad5758f0645151e87f5ff4b2 b/machine-learning-ex6/ex6/easy_ham/0135.73f72161ad5758f0645151e87f5ff4b2 new file mode 100644 index 0000000..458f56c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0135.73f72161ad5758f0645151e87f5ff4b2 @@ -0,0 +1,88 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:28 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B662216F6B + for ; Mon, 7 Oct 2002 12:04:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:48 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g978PQK24187 for + ; Mon, 7 Oct 2002 09:25:26 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id EF86F341D0; Mon, 7 Oct 2002 09:26:09 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from smtpstore.strencom.net (ns1.strencom.net [217.75.0.66]) by + lugh.tuatha.org (Postfix) with ESMTP id 4C80C340D5 for ; + Mon, 7 Oct 2002 09:25:04 +0100 (IST) +Received: from enterprise.wasptech.com (mail.wasptech.com [217.75.2.106]) + by smtpstore.strencom.net (Postfix) with ESMTP id C8011CEF2D for + ; Mon, 7 Oct 2002 08:35:44 +0000 (AZOST) +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Subject: RE: [ILUG] Drop in replacement for Ingres Database? +X-Mimeole: Produced By Microsoft Exchange V6.0.5762.3 +Message-Id: <45130FBE2F203649A4BABDB848A9C9D0032D4D@enterprise.wasptech.com> +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [ILUG] Drop in replacement for Ingres Database? +Thread-Index: AcJr4AXtAf+q9LoESn2UoGgwDFTbZQB+OAjQ +From: "Fergal Moran" +To: "ILUG" +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 09:18:21 +0100 +Date: Mon, 7 Oct 2002 09:18:21 +0100 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g978PQK24187 + +> From: Paul Linehan [mailto:plinehan@yahoo.com] +> +> There are two open alternatives that I can think of +> that don't appear to have been mentioned +> elsewhere in this thread. +> +> +> One is Firebird (this is my personal favourite). +> It is http://FirebirdSQL.org and you can +> purchase support contracts here +> www.ibphoenix.com. + +Indeedy - I had never even heard of firebird until we started a new job +last week with a client who uses it. So we popped it onto a box +downstairs and wow - it is fast. Comes with some lovely client tools +also. Supports all the db goodies, transactions, stored procedures, +triggers. + +> It's really amazing to think how much they've got +> out of a db that is only 4 MB in size - that's 10 +> times smaller than the Oracle *_client_*. +> +> +> Having said all of the above, Oracle is really +> a super product, but ya pays ya money... +> +IBM's db2 is another cheaper alternative to Oracle. Free single +developer license downloadable from their website. + +Fergal. +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0136.25b4244e9510e810f89f6570d476c0e8 b/machine-learning-ex6/ex6/easy_ham/0136.25b4244e9510e810f89f6570d476c0e8 new file mode 100644 index 0000000..cd86725 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0136.25b4244e9510e810f89f6570d476c0e8 @@ -0,0 +1,75 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 60E9616F6C + for ; Mon, 7 Oct 2002 12:04:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:50 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g978QRK24206 for + ; Mon, 7 Oct 2002 09:26:27 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id BE70F34204; Mon, 7 Oct 2002 09:27:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from dspsrv.com (vir.dspsrv.com [193.120.211.34]) by + lugh.tuatha.org (Postfix) with ESMTP id 8072F341F2 for ; + Mon, 7 Oct 2002 09:26:11 +0100 (IST) +Received: from [195.17.199.3] (helo=waider.ie) by dspsrv.com with asmtp + (Exim 3.36 #1) id 17yTDP-0001gv-00 for ilug@linux.ie; Mon, 07 Oct 2002 + 09:26:11 +0100 +Message-Id: <3DA144C8.2060707@waider.ie> +From: Waider +MIME-Version: 1.0 +To: Irish Linux Users Group +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [ILUG] serial port transient failure +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 10:24:40 +0200 +Date: Mon, 07 Oct 2002 10:24:40 +0200 + +Here's a weird and wacky problem: + +I'm currently out of the country with my trusty Evo N600c laptop. When I +tried to use the serial port to talk to my mobile phone, Linux behaved +pretty much as if the port was fried. Bizarre, I thought, because I'd +used it successfully while in the office. The only difference was that I +was trying the thing in the hotel. I entertained brief notions of having +somehow fried the serial drivers, then rebooted the laptop to Windows +and tried again. Worked perfectly. Back to Linux. Still not talking. +Considered that it might be flaky power, so I ran the laptop on battery. +Nope. Tried moving the laptop to a differnet part of the room where +there might be less bogon flux. Still not working. Eventually I gave up +and used the IrDA port instead - which is usually the serial connection +of doom, grief, and teeth-grinding. + +This morning, in the office, the damn thing is working without a hitch. + +Anyone like to suggest what mystery technology is in use in the hotel +that prevents serial ports from working under Linux? + +Cheers, +Waider. +-- +waider@waider.ie / Yes, it /is/ very personal of me + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0137.015cd0ece1324c5514e742e224a77213 b/machine-learning-ex6/ex6/easy_ham/0137.015cd0ece1324c5514e742e224a77213 new file mode 100644 index 0000000..c23f369 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0137.015cd0ece1324c5514e742e224a77213 @@ -0,0 +1,88 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:33 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1C95616F93 + for ; Mon, 7 Oct 2002 12:04:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:52 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g978UXK24245 for + ; Mon, 7 Oct 2002 09:30:33 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 2F953341DD; Mon, 7 Oct 2002 09:31:17 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from homer.jinny.ie (homer.jinny.ie [193.120.171.3]) by + lugh.tuatha.org (Postfix) with ESMTP id 4E661340D5 for ; + Mon, 7 Oct 2002 09:30:02 +0100 (IST) +Received: from barney (fw.jinny.ie [193.120.171.2]) by homer.jinny.ie + (Postfix) with ESMTP id 9F1157FC45 for ; Mon, + 7 Oct 2002 09:30:00 +0100 (IST) +Received: from john by barney with local (Exim 3.35 #1 (Debian)) id + 17yTH7-0005Mi-00 for ; Mon, 07 Oct 2002 09:30:01 +0100 +From: "John P. Looney" +To: ilug@linux.ie +Subject: Re: [ILUG] rpm dependencies +Message-Id: <20021007083001.GJ16947@jinny.ie> +Reply-To: ilug@linux.ie +Mail-Followup-To: ilug@linux.ie +References: <3D9F1C06.1010204@linux.ie> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <3D9F1C06.1010204@linux.ie> +User-Agent: Mutt/1.3.28i +X-Os: /Linux 2.4.18 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 09:30:01 +0100 +Date: Mon, 7 Oct 2002 09:30:01 +0100 + +On Sat, Oct 05, 2002 at 06:06:14PM +0100, Padraig Brady mentioned: +> OK I'm upgrading vorbis on my machine and I'm getting +> the following: +> +> # rpm -U libvorbis-* vorbis-tools-1.0-1.i386.rpm +> error: failed dependencies: +> libvorbisfile.so.0 is needed by SDL_mixer-1.2.0-4 +> libvorbisfile.so.0 is needed by xmms-1.2.5-7 +> libvorbisfile.so.0 is needed by tuxracer-0.61-5 +> +> This is because the new libvorbis.rpm only has libvorbisfile.so.3 +> So is this a problem in the other packages depending on +> a specific version (libvorbisfile.so.0) rather than on the +> generic libvorbis.so ? + + This is a pain. + + The only way you can resolve this, to my knowledge is to download the +original libvorbis rpm and the new one. Remove the old one, then do: + + rpm -Uvh libvorbis-* + + RPM then assumes that you want both versions installed at the same time, +and does so. Why you can't do this after you have one library already +installed is beyond me. + +Kate + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0138.5bc0323b8aa075bd1e99610b50aa1150 b/machine-learning-ex6/ex6/easy_ham/0138.5bc0323b8aa075bd1e99610b50aa1150 new file mode 100644 index 0000000..69cd772 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0138.5bc0323b8aa075bd1e99610b50aa1150 @@ -0,0 +1,69 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 9B84316F94 + for ; Mon, 7 Oct 2002 12:04:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:53 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g978ZQK24442 for + ; Mon, 7 Oct 2002 09:35:26 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id A267534215; Mon, 7 Oct 2002 09:36:10 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from dspsrv.com (vir.dspsrv.com [193.120.211.34]) by + lugh.tuatha.org (Postfix) with ESMTP id 0C393340D5 for ; + Mon, 7 Oct 2002 09:35:50 +0100 (IST) +Received: from [195.17.199.3] (helo=waider.ie) by dspsrv.com with asmtp + (Exim 3.36 #1) id 17yTMj-0001jk-00 for ilug@linux.ie; Mon, 07 Oct 2002 + 09:35:49 +0100 +Message-Id: <3DA1470E.2070709@waider.ie> +From: Waider +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] rpm dependencies +References: <3D9F1C06.1010204@linux.ie> <20021007083001.GJ16947@jinny.ie> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 10:34:22 +0200 +Date: Mon, 07 Oct 2002 10:34:22 +0200 + +John P. Looney wrote: +> The only way you can resolve this, to my knowledge is to download the +> original libvorbis rpm and the new one. Remove the old one, then do: +> +> rpm -Uvh libvorbis-* +> +> RPM then assumes that you want both versions installed at the same time, +> and does so. Why you can't do this after you have one library already +> installed is beyond me. + +Does using the --oldpackage flag help your pain, or is your pain caused +by "Obsoletes" flags? + +Cheers, +Waider. +-- +waider@waider.ie / Yes, it /is/ very personal of me + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0139.4a3f2cb7efe7318e1ed9b698d1d4a1db b/machine-learning-ex6/ex6/easy_ham/0139.4a3f2cb7efe7318e1ed9b698d1d4a1db new file mode 100644 index 0000000..6e91660 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0139.4a3f2cb7efe7318e1ed9b698d1d4a1db @@ -0,0 +1,95 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 328EA16F95 + for ; Mon, 7 Oct 2002 12:04:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:55 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g978gRK24558 for + ; Mon, 7 Oct 2002 09:42:27 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 7CC5534215; Mon, 7 Oct 2002 09:43:10 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from nologic.org (unknown [217.114.163.124]) by lugh.tuatha.org + (Postfix) with SMTP id 8E822340D5 for ; Mon, 7 Oct 2002 + 09:42:29 +0100 (IST) +Received: (qmail 29172 invoked from network); 7 Oct 2002 08:43:11 -0000 +Received: from localhost (HELO nologic.org) (127.0.0.1) by 0 with SMTP; + 7 Oct 2002 08:43:11 -0000 +Received: from cacher2-ext.wise.edt.ericsson.se ([194.237.142.13]) + (proxying for 159.107.166.28) (SquirrelMail authenticated user + cj@nologic.org) by mail.nologic.org with HTTP; Mon, 7 Oct 2002 09:43:11 + +0100 (BST) +Message-Id: <35767.194.237.142.13.1033980191.squirrel@mail.nologic.org> +Subject: Re: [ILUG] Interesting article on free software licences +From: "Ciaran Johnston" +To: +In-Reply-To: <20021007101909.A16074@wanadoo.fr> +References: <20021007101909.A16074@wanadoo.fr> +X-Priority: 3 +Importance: Normal +X-Msmail-Priority: Normal +X-Mailer: SquirrelMail (version 1.2.5) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 09:43:11 +0100 (BST) +Date: Mon, 7 Oct 2002 09:43:11 +0100 (BST) + +David Neary said: +> +> For the francophones among you, this article is a summary of the +> reasons why most free software licences (and the GPL in +> particular) are not valid in France. +> +> http://www.linuxfrench.net/article.php3?id_article=1043 +> +> Google translation (hard to read most of the time, but good +> enough to pick up the gist) +> +> http://makeashorterlink.com/?U26B52602 +> +> In brief, in an international contract, when mentioning copyright, you +> must mention under which jurisdiction's laws the copyright +> is applied. French law requires the licence to be available in +> French (the GPL isn't). And French law requires that for a +> contract to be valid, it must not breach existing law. Also under +> French law, the copyright holder automatically retains the right +> to change the licence, which means that French law is in conflict +> with the GPL, which requires authorisation from all authors +> before a licence change is allowed. +> +> Also there's some stuff about French consumer law forbidding sale +> without guarantee of anything, so software delivered as-is +> breaches consumer law in France. But I didn't really follow that. + +My French is a bit iffy these days, but if this is true, does it not also +nullify Microsoft, Adobe and WinZip licences amongst most others? These all +claim no liability, no guarantees (M$ say delivered "with all faults", so +at least they are honest). + +/Ciaran. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0140.009d880f185eca560c8496da54b447ae b/machine-learning-ex6/ex6/easy_ham/0140.009d880f185eca560c8496da54b447ae new file mode 100644 index 0000000..dcc1d08 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0140.009d880f185eca560c8496da54b447ae @@ -0,0 +1,73 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:37 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id C778E16F96 + for ; Mon, 7 Oct 2002 12:04:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:04:56 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g979ATK25388 for + ; Mon, 7 Oct 2002 10:10:29 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 6EA99341EE; Mon, 7 Oct 2002 10:11:13 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from mandark.labs.netnoteinc.com (p684.as3.adl.dublin.eircom.net + [159.134.230.172]) by lugh.tuatha.org (Postfix) with ESMTP id 0289E341DD + for ; Mon, 7 Oct 2002 10:10:00 +0100 (IST) +Received: from localhost.localdomain (gandalf.labs.netnoteinc.com + [192.168.2.13]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g979A0c00912 for ; Mon, 7 Oct 2002 10:10:00 +0100 +From: Glen Gray +To: ilug@linux.ie +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1033981800.541.6.camel@gandalf> +MIME-Version: 1.0 +Subject: [ILUG] Retrieving read mail from webmail.eircom.net via POP ? +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 10:10:00 +0100 +Date: 07 Oct 2002 10:10:00 +0100 + +Is there a way to get my read email downloaded off webmail.eircom.net. + +I've been reading the emails using the web based interface. But I've +reached my quota limit. There doesn't seem to be any way to get the +emails off the server. I can connect to the account using POP, but that +only retrieves unread emails. There's also no way to mark emails as +unread from the html interface. + +Is there a way I can use fetchmail perhaps to get it to pull down all +the emails and remove them off the server. + +It's been years since I've used fetchmail, I don't recall be able to do +this. + +Any other suggestions welcome. There's a few hundred email so I don't +fancy going through each one forwarding it to another account. + +Glen + + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0141.911fa855ce043ee41b450e6a1b0096d0 b/machine-learning-ex6/ex6/easy_ham/0141.911fa855ce043ee41b450e6a1b0096d0 new file mode 100644 index 0000000..97fd026 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0141.911fa855ce043ee41b450e6a1b0096d0 @@ -0,0 +1,111 @@ +From ilug-admin@linux.ie Mon Oct 7 12:06:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3C5A216F03 + for ; Mon, 7 Oct 2002 12:05:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:05:00 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g979RUK25824 for + ; Mon, 7 Oct 2002 10:27:30 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id AAD38341DD; Mon, 7 Oct 2002 10:28:10 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from mandark.labs.netnoteinc.com (p684.as3.adl.dublin.eircom.net + [159.134.230.172]) by lugh.tuatha.org (Postfix) with ESMTP id 6461C3410E + for ; Mon, 7 Oct 2002 10:27:04 +0100 (IST) +Received: from localhost.localdomain (gandalf.labs.netnoteinc.com + [192.168.2.13]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g979R3c00933; Mon, 7 Oct 2002 10:27:03 +0100 +Subject: Re: [ILUG] Retrieving read mail from webmail.eircom.net via POP ? +From: Glen Gray +To: Stephane Dudzinski +Cc: ilug@linux.ie +In-Reply-To: <1033982239.9193.24.camel@triskel> +References: <1033981800.541.6.camel@gandalf> + <1033982239.9193.24.camel@triskel> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1033982823.539.8.camel@gandalf> +MIME-Version: 1.0 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 10:27:03 +0100 +Date: 07 Oct 2002 10:27:03 +0100 + +Seems fetchmail has a -a switch to get it all. + +Just need to install fetchmail now :) + +Glen + +On Mon, 2002-10-07 at 10:17, Stephane Dudzinski wrote: +> Funny enough, that also happened to a Friend of mine who uses both the +> web interface and a pop client. Last time i tried to send a picture +> which was around 100k, it got denied saying that quota was exceeded. +> When he looked at his account on the web, it mentionned 5 MB free, so i +> have no idea what they're playing at ... +> +> Doesn't really help but just wanted to confirm the problem. +> +> Steph +> +> On Mon, 2002-10-07 at 10:10, Glen Gray wrote: +> > Is there a way to get my read email downloaded off webmail.eircom.net. +> > +> > I've been reading the emails using the web based interface. But I've +> > reached my quota limit. There doesn't seem to be any way to get the +> > emails off the server. I can connect to the account using POP, but that +> > only retrieves unread emails. There's also no way to mark emails as +> > unread from the html interface. +> > +> > Is there a way I can use fetchmail perhaps to get it to pull down all +> > the emails and remove them off the server. +> > +> > It's been years since I've used fetchmail, I don't recall be able to do +> > this. +> > +> > Any other suggestions welcome. There's a few hundred email so I don't +> > fancy going through each one forwarding it to another account. +> > +> > Glen +> > +> > +> > +> > +> > -- +> > Irish Linux Users' Group: ilug@linux.ie +> > http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +> > List maintainer: listmaster@linux.ie +> -- +> ______________________________________________ +> Stephane Dudzinski Systems Administrator +> NewWorldIQ t: +353 1 4334357 +> www.newworldiq.com f: +353 1 4334301 +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +> List maintainer: listmaster@linux.ie + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0142.bcc958dabbad574174becaa16334a7e6 b/machine-learning-ex6/ex6/easy_ham/0142.bcc958dabbad574174becaa16334a7e6 new file mode 100644 index 0000000..d52fe0f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0142.bcc958dabbad574174becaa16334a7e6 @@ -0,0 +1,70 @@ +From ilug-admin@linux.ie Mon Oct 7 12:07:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 831DC16F69 + for ; Mon, 7 Oct 2002 12:05:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:05:03 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g979bUK26095 for + ; Mon, 7 Oct 2002 10:37:30 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 449BC341EE; Mon, 7 Oct 2002 10:38:14 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from utopia.ucd.ie (utopia.ucd.ie [137.43.13.22]) by + lugh.tuatha.org (Postfix) with SMTP id 99EDA341DD for ; + Mon, 7 Oct 2002 10:37:58 +0100 (IST) +Received: (qmail 27553 invoked by uid 60001); 7 Oct 2002 09:35:39 -0000 +Received: from 137.43.13.22 (proxying for 137.43.213.15) (SquirrelMail + authenticated user joefitz) by squirrelmail.netsoc.ucd.ie with HTTP; + Mon, 7 Oct 2002 10:35:39 +0100 (IST) +Message-Id: <53964.137.43.13.22.1033983339.squirrel@squirrelmail.netsoc.ucd.ie> +Subject: Re: [ILUG] adsl router modem combo +From: +To: +In-Reply-To: <00bc01c26d85$20bb29d0$578691c2@1wzffgdp93mz5jv> +References: <00bc01c26d85$20bb29d0$578691c2@1wzffgdp93mz5jv> +X-Priority: 3 +Importance: Normal +Cc: +X-Mailer: SquirrelMail (version 1.2.8) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 10:35:39 +0100 (IST) +Date: Mon, 7 Oct 2002 10:35:39 +0100 (IST) + +It seems to only support PPPoA and not PPPoE. You need one that supports +PPPoE, if you want torun it in routed IP mode. If you are using it as a +bridge, it'll probably work, but you'd be left leaving the computer on, +which would defeat the purpose of getting a router. + +The best router I've come accross is the Zyxel 643. Eircom supply this, +but if you have alook online you can probably find it cheaper to buy +online from America or the UK. + +Hope this is useful, +Joe + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0143.20b19246597ddb47db7da83f7a140e73 b/machine-learning-ex6/ex6/easy_ham/0143.20b19246597ddb47db7da83f7a140e73 new file mode 100644 index 0000000..e8e3de4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0143.20b19246597ddb47db7da83f7a140e73 @@ -0,0 +1,79 @@ +From ilug-admin@linux.ie Mon Oct 7 12:07:10 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 01B9816F1C + for ; Mon, 7 Oct 2002 12:05:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:05:02 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g979YRK26044 for + ; Mon, 7 Oct 2002 10:34:27 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id B5BE9341EE; Mon, 7 Oct 2002 10:35:10 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from lotse.makalumedia.com (moca.makalumedia.com + [213.157.15.53]) by lugh.tuatha.org (Postfix) with ESMTP id 27FA5341DD for + ; Mon, 7 Oct 2002 10:34:39 +0100 (IST) +Received: from bilbo.makalumedia.loc ([192.168.1.103] verified) by + lotse.makalumedia.com (CommuniGate Pro SMTP 3.5.7) with ESMTP id 842487 + for ilug@linux.ie; Mon, 07 Oct 2002 11:34:38 +0200 +Received: by bilbo.makalumedia.loc (Postfix, from userid 501) id + 43DE85B323; Mon, 7 Oct 2002 10:37:26 +0100 (IST) +From: Niall O Broin +To: ilug@linux.ie +Subject: Re: [ILUG] Interesting article on free software licences +Message-Id: <20021007093726.GB1893@bilbo.makalumedia.com> +Reply-To: ilug@linux.ie +Mail-Followup-To: Niall O Broin , ilug@linux.ie +References: <20021007101909.A16074@wanadoo.fr> + <35767.194.237.142.13.1033980191.squirrel@mail.nologic.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <35767.194.237.142.13.1033980191.squirrel@mail.nologic.org> +User-Agent: Mutt/1.3.27i +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 10:37:26 +0100 +Date: Mon, 7 Oct 2002 10:37:26 +0100 + +On Mon, Oct 07, 2002 at 09:43:11AM +0100, Ciaran Johnston wrote: + +> > Also there's some stuff about French consumer law forbidding sale +> > without guarantee of anything, so software delivered as-is +> > breaches consumer law in France. But I didn't really follow that. +> +> My French is a bit iffy these days, but if this is true, does it not also +> nullify Microsoft, Adobe and WinZip licences amongst most others? These all +> claim no liability, no guarantees (M$ say delivered "with all faults", so +> at least they are honest). + +Apparently the angle on this (i.e. selling without guarantee) is that +software is not a product which is sold but a service which is licensed - at +least that's what I remember reading about how M$ gets away with providing +no guarantee in the U.S. If you're feeling rather deep pocketed, you could +always try suing M$ to get a court's view on the matter. + + + + +Niall +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0144.150618690d46b8b2207c8a27ca5ab837 b/machine-learning-ex6/ex6/easy_ham/0144.150618690d46b8b2207c8a27ca5ab837 new file mode 100644 index 0000000..eb599b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0144.150618690d46b8b2207c8a27ca5ab837 @@ -0,0 +1,96 @@ +From ilug-admin@linux.ie Mon Oct 7 12:07:13 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id DB02D16F16 + for ; Mon, 7 Oct 2002 12:05:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:05:04 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g979gSK26166 for + ; Mon, 7 Oct 2002 10:42:28 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 8A117341EE; Mon, 7 Oct 2002 10:43:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from ganymede.cr2.com (ganymede.cr2.com [62.221.8.82]) by + lugh.tuatha.org (Postfix) with ESMTP id 4F6803410E for ; + Mon, 7 Oct 2002 10:42:02 +0100 (IST) +Received: from exchsrv.cr2 (imc.cr2.com [62.221.8.97]) by ganymede.cr2.com + (8.11.6/8.11.6) with ESMTP id g979fXW10916 for ; + Mon, 7 Oct 2002 10:41:34 +0100 +Received: from NIMITZ ([10.1.1.50]) by exchsrv.cr2 with SMTP (Microsoft + Exchange Internet Mail Service Version 5.5.2653.13) id 4BV529Y3; + Mon, 7 Oct 2002 10:41:35 +0100 +Message-Id: <000401c26de5$c0319b10$3201010a@nimitz> +From: "Ulysees" +To: "ILUG" +References: <00bc01c26d85$20bb29d0$578691c2@1wzffgdp93mz5jv> + <53964.137.43.13.22.1033983339.squirrel@squirrelmail.netsoc.ucd.ie> +Subject: [Same thread ish] [ILUG] adsl router modem combo +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Cr2_Outbound_MailScanner: Believed to be clean +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 10:41:45 +0100 +Date: Mon, 7 Oct 2002 10:41:45 +0100 + +having great fun trying to find a dumb ADSL modem with Ethernet +presentation, everybody wants to sell routers but I intend on doing pppoe +from another device, something with more than one Ethernet port would be +nice. +anybody got any recommendations ? + +Uly + +----- Original Message ----- +From: +To: +Cc: +Sent: Monday, October 07, 2002 10:35 AM +Subject: Re: [ILUG] adsl router modem combo + + +> It seems to only support PPPoA and not PPPoE. You need one that supports +> PPPoE, if you want torun it in routed IP mode. If you are using it as a +> bridge, it'll probably work, but you'd be left leaving the computer on, +> which would defeat the purpose of getting a router. +> +> The best router I've come accross is the Zyxel 643. Eircom supply this, +> but if you have alook online you can probably find it cheaper to buy +> online from America or the UK. +> +> Hope this is useful, +> Joe +> +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +information. +> List maintainer: listmaster@linux.ie +> + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0145.7400cf6ab4cfe5ffeaab582c9730c656 b/machine-learning-ex6/ex6/easy_ham/0145.7400cf6ab4cfe5ffeaab582c9730c656 new file mode 100644 index 0000000..7b7ec26 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0145.7400cf6ab4cfe5ffeaab582c9730c656 @@ -0,0 +1,91 @@ +From ilug-admin@linux.ie Mon Oct 7 12:07:14 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6D27A16F6E + for ; Mon, 7 Oct 2002 12:05:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 12:05:06 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97APTK27468 for + ; Mon, 7 Oct 2002 11:25:29 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id A8C0D3410E; Mon, 7 Oct 2002 11:26:12 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from balder.idiotfarm.org (unknown [195.7.52.129]) by + lugh.tuatha.org (Postfix) with ESMTP id 561A4340D5 for ; + Mon, 7 Oct 2002 11:25:23 +0100 (IST) +Received: by balder.idiotfarm.org (Postfix, from userid 1000) id A50094843; + Mon, 7 Oct 2002 11:32:54 +0100 (IST) +To: Declan de Lacy Murphy +Cc: ilug@linux.ie +Subject: Re: [ILUG] adsl router modem combo +Message-Id: <20021007103254.GA1714@torb.mine.nu> +Mail-Followup-To: tor@torb.mine.nu, + Declan de Lacy Murphy , ilug@linux.ie +References: <00bc01c26d85$20bb29d0$578691c2@1wzffgdp93mz5jv> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <00bc01c26d85$20bb29d0$578691c2@1wzffgdp93mz5jv> +User-Agent: Mutt/1.4i +From: tor@torb.mine.nu (Tor) +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 11:32:54 +0100 +Date: Mon, 7 Oct 2002 11:32:54 +0100 + +On Sun, Oct 06, 2002 at 11:10:05PM +0100, Declan de Lacy Murphy wrote: +> I am planning to get i-stream solo and share it across a small network +> (wireless), but I don't want to have to pay eircom for a router and having a +> noisy pc running constantly isn't really an option because at home +> inevitably someone will unplug it. +> +> I have been looking at a number of products and although I read the thread +> about eircom needing pppoe last august I am still not sure if the one that I +> am interested in will do the job. It is a hawking technology ar 710 +> http://www.hawkingtech.com/products/ar710.htm ) and if it does the job it +> will actually be cheaper than the modem eircom is selling. +> +> I would really appreciate if someone could look at the spec on the hawking +> web page and give me an opinion. +> +> Thanks in advance +> +> Declan +> + +I got the DSL-W 906E from http://www.dsl-warehouse.co.uk. + +Though it's not at all the best one around I have to say it does the job +and a bit. Some of the features can be a pain to get working (ie. pptp in +pppoe mode - can't figure it out). The documentation is not the best, but +the guys from http://www.dsl-warehouse.co.uk will help you ouit. They +also have a message board. + +The command line interface is quite powerful, but absolutely not +userfriendly. + +All in all it's a cheap desent performer, that I am happy enough with. +Got this one including a microfilter (not needed) for 140euro including +shipping. Better than any deal from Eircom. + +-Tor +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0146.2d301a1e07672538d669f5e571180d32 b/machine-learning-ex6/ex6/easy_ham/0146.2d301a1e07672538d669f5e571180d32 new file mode 100644 index 0000000..52b5c53 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0146.2d301a1e07672538d669f5e571180d32 @@ -0,0 +1,81 @@ +From sentto-2242572-55912-1033991494-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:14:04 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 40EE616F1C + for ; Mon, 7 Oct 2002 13:12:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:12:48 +0100 (IST) +Received: from n19.grp.scd.yahoo.com (n19.grp.scd.yahoo.com + [66.218.66.74]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97BpVK30129 for ; Mon, 7 Oct 2002 12:51:31 +0100 +X-Egroups-Return: sentto-2242572-55912-1033991494-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n19.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 11:51:34 -0000 +X-Sender: skitster@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 11:51:34 -0000 +Received: (qmail 90714 invoked from network); 7 Oct 2002 11:51:33 -0000 +Received: from unknown (66.218.66.218) by m10.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 11:51:33 -0000 +Received: from unknown (HELO hotmail.com) (64.4.17.59) by + mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 11:51:33 -0000 +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 7 Oct 2002 04:51:33 -0700 +Received: from 194.130.102.81 by lw11fd.law11.hotmail.msn.com with HTTP; + Mon, 07 Oct 2002 11:51:33 GMT +To: zzzzteana@yahoogroups.com +Message-Id: +X-Originalarrivaltime: 07 Oct 2002 11:51:33.0465 (UTC) FILETIME=[E1EE8490:01C26DF7] +From: "Scott Wood" +X-Originating-Ip: [194.130.102.81] +X-Yahoo-Profile: fromage_frenzy +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 12:51:33 +0100 +Subject: [zzzzteana] Re: Megalithomania UnPissup +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain +Content-Transfer-Encoding: 8bit + +--- In forteana@y..., "Webmaster" wrote: +>Right...Talking Stick!..but what the hell is "marathon/snickers, jif/cif +>and +>calls itself 'Secret Chiefs' " +> +>DRS +> + +Rebranding: taking something and changing nothing about it except its name. +In the UK Marathon bars became Snickers bar, Jif cleaning fluid became Cif +and Talking Stick became Secret Chiefs, y'know? + +Scott +"at once a fun fair, a petrified forest, and the great temple of Amun at +Karnak, itself drunk, and reeling in an eccentric earthquake" + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0147.16b764c5bd3e419cc5b6d0145b2d8145 b/machine-learning-ex6/ex6/easy_ham/0147.16b764c5bd3e419cc5b6d0145b2d8145 new file mode 100644 index 0000000..f0e4476 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0147.16b764c5bd3e419cc5b6d0145b2d8145 @@ -0,0 +1,105 @@ +From sentto-2242572-55913-1033991654-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:14:24 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id C218916F1E + for ; Mon, 7 Oct 2002 13:12:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:12:49 +0100 (IST) +Received: from n30.grp.scd.yahoo.com (n30.grp.scd.yahoo.com + [66.218.66.87]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97BrcK30312 for ; Mon, 7 Oct 2002 12:53:38 +0100 +X-Egroups-Return: sentto-2242572-55913-1033991654-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n30.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 11:54:14 -0000 +X-Sender: webmaster@bestirishmusic.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 11:54:14 -0000 +Received: (qmail 78049 invoked from network); 7 Oct 2002 11:54:13 -0000 +Received: from unknown (66.218.66.217) by m13.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 11:54:13 -0000 +Received: from unknown (HELO mirage.bestirishmusic.com) (216.250.187.2) by + mta2.grp.scd.yahoo.com with SMTP; 7 Oct 2002 11:54:13 -0000 +Received: from [216.250.178.12] by mirage.tcinternet.net (NTMail + 5.06.0016/NY0754.00.6ee0cb71) with ESMTP id uxihchaa for + forteana@yahoogroups.com; Mon, 7 Oct 2002 06:59:32 -0500 +Message-Id: <015401c26df8$40e8a2a0$0cb2fad8@DWM1> +To: +References: +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +From: "Webmaster" +X-Yahoo-Profile: Paradisebeach +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 06:54:11 -0500 +Subject: Re: [zzzzteana] Re: Megalithomania UnPissup +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +----- Original Message ----- +From: "Scott Wood" +To: +Sent: Monday, October 07, 2002 6:51 AM +Subject: [zzzzteana] Re: Megalithomania UnPissup + + +> --- In forteana@y..., "Webmaster" wrote: +> >Right...Talking Stick!..but what the hell is "marathon/snickers, jif/cif +> >and +> >calls itself 'Secret Chiefs' " +> > +> >DRS +> > +> +> Rebranding: taking something and changing nothing about it except its +name. +> In the UK Marathon bars became Snickers bar, Jif cleaning fluid became Cif +> and Talking Stick became Secret Chiefs, y'know? +> +> Scott +> "at once a fun fair, a petrified forest, and the great temple of Amun at +> Karnak, itself drunk, and reeling in an eccentric earthquake" +> +> +> _________________________________________________________________ +> Join the world's largest e-mail service with MSN Hotmail. +> http://www.hotmail.com +> +> +> +> To unsubscribe from this group, send an email to: +> forteana-unsubscribe@egroups.com +> +> +> +> Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ +> +> +> + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0148.565dd83aaebb66fe284de9342a6a5c09 b/machine-learning-ex6/ex6/easy_ham/0148.565dd83aaebb66fe284de9342a6a5c09 new file mode 100644 index 0000000..350b866 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0148.565dd83aaebb66fe284de9342a6a5c09 @@ -0,0 +1,73 @@ +From sentto-2242572-55914-1033992044-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:14:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 40AE616F1F + for ; Mon, 7 Oct 2002 13:12:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:12:51 +0100 (IST) +Received: from n5.grp.scd.yahoo.com (n5.grp.scd.yahoo.com [66.218.66.89]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g97C07K30374 for + ; Mon, 7 Oct 2002 13:00:08 +0100 +X-Egroups-Return: sentto-2242572-55914-1033992044-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n5.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 12:00:44 -0000 +X-Sender: webmaster@bestirishmusic.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 12:00:44 -0000 +Received: (qmail 60788 invoked from network); 7 Oct 2002 12:00:44 -0000 +Received: from unknown (66.218.66.216) by m6.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 12:00:44 -0000 +Received: from unknown (HELO mirage.bestirishmusic.com) (216.250.187.2) by + mta1.grp.scd.yahoo.com with SMTP; 7 Oct 2002 12:00:44 -0000 +Received: from [216.250.178.12] by mirage.tcinternet.net (NTMail + 5.06.0016/NY0754.00.6ee0cb71) with ESMTP id lijhchaa for + forteana@yahoogroups.com; Mon, 7 Oct 2002 07:06:00 -0500 +Message-Id: <016c01c26df9$27dbb670$0cb2fad8@DWM1> +To: +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +From: "Webmaster" +X-Yahoo-Profile: Paradisebeach +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 07:00:39 -0500 +Subject: [zzzzteana] SETI at Home +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +So, I've been letting the little .exe of SETI@Home run endlessly on my PC . Last total for this upgrade approx. +420 hours of scanning time. And still no ET. I'm so disappointed. +Does anyone else on the list let Berkeley use their computer for research in this manner? +http://setiathome.berkeley.edu + + +DRS + + + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0149.d59bb0d23ca8ad3a87e549d3e6172f26 b/machine-learning-ex6/ex6/easy_ham/0149.d59bb0d23ca8ad3a87e549d3e6172f26 new file mode 100644 index 0000000..c9c9abb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0149.d59bb0d23ca8ad3a87e549d3e6172f26 @@ -0,0 +1,88 @@ +From sentto-2242572-55916-1033992125-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:15:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0317016F21 + for ; Mon, 7 Oct 2002 13:12:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:12:54 +0100 (IST) +Received: from n38.grp.scd.yahoo.com (n38.grp.scd.yahoo.com + [66.218.66.106]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97C1OK30390 for ; Mon, 7 Oct 2002 13:01:25 +0100 +X-Egroups-Return: sentto-2242572-55916-1033992125-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.97] by n38.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 12:02:05 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 12:02:05 -0000 +Received: (qmail 17537 invoked from network); 7 Oct 2002 12:02:04 -0000 +Received: from unknown (66.218.66.218) by m14.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 12:02:04 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 12:02:03 -0000 +Received: from host217-35-23-133.in-addr.btopenworld.com ([217.35.23.133]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17yWaI-0000ef-00 + for forteana@yahoogroups.com; Mon, 07 Oct 2002 13:02:02 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 13:01:09 +0100 +Subject: [zzzzteana] A New Theory on Mapping the New World +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.washingtonpost.com/wp-dyn/articles/A46455-2002Oct5.html + +A New Theory on Mapping the New World + +By Guy Gugliotta +Washington Post Staff Writer +Monday, October 7, 2002; Page A07 + +In 1507, a group of scholars working in France produced an extraordinary map +of the world, the first to put the still-recent discoveries of Columbus and +others into a new continent separate from Asia, and to call that continent +"America." With the Waldseemuller map, the New World was born. +But there was something else. What would later come to be called South +America and Central America were surprisingly well-shaped, not only on the +east coast, where explorers had already sailed, but also on the west coast +-- which no European was known to have seen. +The ice cream cone bulge that sticks out into the Pacific at the junction of +modern-day Chile and Peru is readily visible and in almost exactly the right +geographical spot -- not only in the main map, but also in an inset printed +along its top. +The shape of South America in the main map appears distorted because of the +curvature of the Earth. +It is an improbable coincidence, if it was a coincidence, for the map -- 12 +large printed pages to be arrayed in one 36-square-foot wall display -- was +published six years before Vasco Balboa's 1513 trip across the Isthmus of +Panama and 12 years before Ferdinand Magellan's 1519-22 trip around the +world. +Did someone get there earlier? +... + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0150.69bb21344f49b27cec7373599b6e433d b/machine-learning-ex6/ex6/easy_ham/0150.69bb21344f49b27cec7373599b6e433d new file mode 100644 index 0000000..85025e9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0150.69bb21344f49b27cec7373599b6e433d @@ -0,0 +1,102 @@ +From sentto-2242572-55915-1033992114-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:14:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8BFF916F20 + for ; Mon, 7 Oct 2002 13:12:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:12:52 +0100 (IST) +Received: from n33.grp.scd.yahoo.com (n33.grp.scd.yahoo.com + [66.218.66.101]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97C1EK30384 for ; Mon, 7 Oct 2002 13:01:15 +0100 +X-Egroups-Return: sentto-2242572-55915-1033992114-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.195] by n33.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 12:01:55 -0000 +X-Sender: webmaster@bestirishmusic.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 12:01:54 -0000 +Received: (qmail 802 invoked from network); 7 Oct 2002 12:01:54 -0000 +Received: from unknown (66.218.66.218) by m2.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 12:01:54 -0000 +Received: from unknown (HELO mirage.bestirishmusic.com) (216.250.187.2) by + mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 12:01:54 -0000 +Received: from [216.250.178.12] by mirage.tcinternet.net (NTMail + 5.06.0016/NY0754.00.6ee0cb71) with ESMTP id lkjhchaa for + forteana@yahoogroups.com; Mon, 7 Oct 2002 07:07:13 -0500 +Message-Id: <017a01c26df9$53df69b0$0cb2fad8@DWM1> +To: +References: +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +From: "Webmaster" +X-Yahoo-Profile: Paradisebeach +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 07:01:53 -0500 +Subject: Re: [zzzzteana] Re: Megalithomania UnPissup +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Understand, not enough caffeine absorbed yet this morning. (7:00AM here for +me) + +DRS + +> --- In forteana@y..., "Webmaster" wrote: +> >Right...Talking Stick!..but what the hell is "marathon/snickers, jif/cif +> >and +> >calls itself 'Secret Chiefs' " +> > +> >DRS +> > +> +> Rebranding: taking something and changing nothing about it except its +name. +> In the UK Marathon bars became Snickers bar, Jif cleaning fluid became Cif +> and Talking Stick became Secret Chiefs, y'know? +> +> Scott +> "at once a fun fair, a petrified forest, and the great temple of Amun at +> Karnak, itself drunk, and reeling in an eccentric earthquake" +> +> +> _________________________________________________________________ +> Join the world's largest e-mail service with MSN Hotmail. +> http://www.hotmail.com +> +> +> +> To unsubscribe from this group, send an email to: +> forteana-unsubscribe@egroups.com +> +> +> +> Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ +> +> +> + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0151.4d1c8772327e44b20af6420e1d1c0a75 b/machine-learning-ex6/ex6/easy_ham/0151.4d1c8772327e44b20af6420e1d1c0a75 new file mode 100644 index 0000000..c76a8ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0151.4d1c8772327e44b20af6420e1d1c0a75 @@ -0,0 +1,84 @@ +From sentto-2242572-55918-1033993378-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 13:35:13 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 65B2416F03 + for ; Mon, 7 Oct 2002 13:35:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 13:35:12 +0100 (IST) +Received: from n26.grp.scd.yahoo.com (n26.grp.scd.yahoo.com + [66.218.66.82]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97CWdK31251 for ; Mon, 7 Oct 2002 13:32:39 +0100 +X-Egroups-Return: sentto-2242572-55918-1033993378-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n26.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 12:22:59 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 12:22:58 -0000 +Received: (qmail 93392 invoked from network); 7 Oct 2002 12:22:58 -0000 +Received: from unknown (66.218.66.216) by m15.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 12:22:58 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta1.grp.scd.yahoo.com with SMTP; 7 Oct 2002 12:22:58 -0000 +Received: from host217-35-23-133.in-addr.btopenworld.com ([217.35.23.133]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17yWuX-0002zg-00 + for forteana@yahoogroups.com; Mon, 07 Oct 2002 13:22:57 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 13:22:03 +0100 +Subject: [zzzzteana] Man admits Soham kidnapping hoax calls +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g97CWdK31251 + +Ananova:  +Man admits Soham kidnapping hoax calls + +A man has admitted making hoax calls to police investigating the +disappearance of Soham schoolgirls Jessica Chapman and Holly Wells. +Wrexham Magistrates Court, in North Wales, heard jobless Howard Youde made +three calls to police in Cambridgeshire claiming to have abducted the +youngsters. +He was arrested in Wrexham in the early hours of August 16 when officers +traced the call to a phone box on the town's Brook Street. +The 45-year-old, of Queensway, Hope, near Wrexham, has pleaded guilty to one +count of wasting police time on August 15 this year. +The court was told Youde claimed to have no recollection of making the calls +having been drinking all day. +Defence lawyer Mark Arden says the offence was neither premeditated nor +calculated but added that this was no excuse. +He said: "What he's done is horrific. It's unforgivable. The distress he's +caused the families is unacceptable." +Youde has been released on unconditional bail until November 7 when he will +be sentenced. +The hearing has been adjourned for pre-sentence reports although the +defendant has been warned custody is an option. +Story filed: 12:36 Monday 7th October 2002 + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0152.10d3220188413990b1deb862c509c818 b/machine-learning-ex6/ex6/easy_ham/0152.10d3220188413990b1deb862c509c818 new file mode 100644 index 0000000..dfd10c6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0152.10d3220188413990b1deb862c509c818 @@ -0,0 +1,68 @@ +From sentto-2242572-55941-1034006157-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 18:29:14 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 95BF316F18 + for ; Mon, 7 Oct 2002 18:29:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 18:29:02 +0100 (IST) +Received: from n10.grp.scd.yahoo.com (n10.grp.scd.yahoo.com + [66.218.66.65]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97GE5K06827 for ; Mon, 7 Oct 2002 17:14:07 +0100 +X-Egroups-Return: sentto-2242572-55941-1034006157-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n10.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 15:55:57 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 15:55:56 -0000 +Received: (qmail 73066 invoked from network); 7 Oct 2002 15:55:56 -0000 +Received: from unknown (66.218.66.218) by m7.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 15:55:56 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 15:55:56 -0000 +Received: from host217-35-23-133.in-addr.btopenworld.com ([217.35.23.133]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17yaEd-0000oR-00 + for forteana@yahoogroups.com; Mon, 07 Oct 2002 16:55:55 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 16:55:01 +0100 +Subject: Re: [zzzzteana] RE:Prophecies +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> That always amazes me about 'regular' dreams - how often they come true. +> +In 1993 or so, when I was a student in Edinburgh, I had a bad dream about +being chased around a house by a scary murderous tramp who was carrying a +bag full of half-penny coins (which had long since ceased to be legal +tender). The next morning as I left the flat, I found a half-penny on the +doormat right outside our door. Fair gave me the willies, that did. + +TimC + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0153.f78ed3d22e441ab7bd6d006323a83621 b/machine-learning-ex6/ex6/easy_ham/0153.f78ed3d22e441ab7bd6d006323a83621 new file mode 100644 index 0000000..3f06814 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0153.f78ed3d22e441ab7bd6d006323a83621 @@ -0,0 +1,68 @@ +From sentto-2242572-55948-1034007295-zzzz=example.com@returns.groups.yahoo.com Mon Oct 7 18:29:14 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 168DB16F19 + for ; Mon, 7 Oct 2002 18:29:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Mon, 07 Oct 2002 18:29:04 +0100 (IST) +Received: from n10.grp.scd.yahoo.com (n10.grp.scd.yahoo.com + [66.218.66.65]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97GECK06835 for ; Mon, 7 Oct 2002 17:14:13 +0100 +X-Egroups-Return: sentto-2242572-55948-1034007295-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n10.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 16:14:57 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 16:14:54 -0000 +Received: (qmail 64279 invoked from network); 7 Oct 2002 16:14:54 -0000 +Received: from unknown (66.218.66.217) by m10.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 16:14:54 -0000 +Received: from unknown (HELO protactinium.btinternet.com) (194.73.73.176) + by mta2.grp.scd.yahoo.com with SMTP; 7 Oct 2002 16:14:54 -0000 +Received: from host217-35-23-133.in-addr.btopenworld.com ([217.35.23.133]) + by protactinium.btinternet.com with esmtp (Exim 3.22 #8) id + 17yaWz-0002dB-00 for forteana@yahoogroups.com; Mon, 07 Oct 2002 17:14:53 + +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 17:13:59 +0100 +Subject: Re: [zzzzteana] The tenth planet +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> Anyone know what Quaoar means or stands for? Can't find it in the +> dictionary. Scrabble players should be happy! +> +http://www.angelfire.com/journal/cathbodua/Gods/Qgods.html + +Quaoar Their only god who 'came down from heaven; and, after reducing chaos +to order, out the world on the back of seven giants. He then created the +lower animals,' and then mankind. Los Angeles County Indians, California + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0154.9e065ee6214360e43b9873e39880159e b/machine-learning-ex6/ex6/easy_ham/0154.9e065ee6214360e43b9873e39880159e new file mode 100644 index 0000000..a331c70 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0154.9e065ee6214360e43b9873e39880159e @@ -0,0 +1,95 @@ +From sentto-2242572-55978-1034026967-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 00:10:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 33F2B16F03 + for ; Tue, 8 Oct 2002 00:10:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:10:48 +0100 (IST) +Received: from n11.grp.scd.yahoo.com (n11.grp.scd.yahoo.com + [66.218.66.66]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97Lg8K18147 for ; Mon, 7 Oct 2002 22:42:08 +0100 +X-Egroups-Return: sentto-2242572-55978-1034026967-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n11.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 21:42:49 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 21:42:47 -0000 +Received: (qmail 27183 invoked from network); 7 Oct 2002 21:42:46 -0000 +Received: from unknown (66.218.66.217) by m9.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 21:42:46 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta2.grp.scd.yahoo.com with SMTP; 7 Oct 2002 21:42:48 -0000 +Received: from [209.103.203.97] (209-103-203-104.dial-in1.osh.athenet.net + [209.103.203.104]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g97LgkS04367 for ; Mon, 7 Oct 2002 16:42:46 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: <049d01c26e44$9e1fa260$9731e150@007730120202> +References: + <03a101c26e42$8c73ee60$9731e150@007730120202> + + <049d01c26e44$9e1fa260$9731e150@007730120202> +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 16:42:27 -0500 +Subject: Re: [zzzzteana] The Cafe Forteana is back online!!! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> > Ok, but you'll still let me leave that black and white one there too, +>> right? I like that one!!! +>> -- +>> +>> +>> Fel +> +>Okay. I see you like that 1940's starlet look then.... +> +>I should think about a bio bit, but maybe I'll just remain enigmatic and +>maintain my mystique* +> +>Helen of Troy +>*by Lentheric :-) +> +Or you could let me write one for you? Mind you ...... I know an +awful lot about you! ;-)) + +Yes, I like that starlet look, but I think you should come out from +behind that bike too and let us see what you are wearing. looks +pretty innerestin' +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0155.56e909508466675c86032e9f031cd09a b/machine-learning-ex6/ex6/easy_ham/0155.56e909508466675c86032e9f031cd09a new file mode 100644 index 0000000..e0a3d30 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0155.56e909508466675c86032e9f031cd09a @@ -0,0 +1,86 @@ +From sentto-2242572-55980-1034027115-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:56:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A34E716F17 + for ; Tue, 8 Oct 2002 10:56:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:47 +0100 (IST) +Received: from n15.grp.scd.yahoo.com (n15.grp.scd.yahoo.com + [66.218.66.70]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97NYgK21739 for ; Tue, 8 Oct 2002 00:34:42 +0100 +X-Egroups-Return: sentto-2242572-55980-1034027115-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.197] by n15.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 21:45:15 -0000 +X-Sender: hellester@lineone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 21:45:15 -0000 +Received: (qmail 87831 invoked from network); 7 Oct 2002 21:45:15 -0000 +Received: from unknown (66.218.66.218) by m4.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 21:45:15 -0000 +Received: from unknown (HELO mk-smarthost-3.mail.uk.tiscali.com) + (212.74.114.39) by mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 21:45:15 + -0000 +Received: from [80.225.49.151] (helo=007730120202) by + mk-smarthost-3.mail.uk.tiscali.com with smtp (Exim 4.10) id + 17yffC-000FRO-00 for forteana@yahoogroups.com; Mon, 07 Oct 2002 22:43:43 + +0100 +Message-Id: <079d01c26e4a$f7e65d60$9731e150@007730120202> +To: +References: + <03a101c26e42$8c73ee60$9731e150@007730120202> + + <049d01c26e44$9e1fa260$9731e150@007730120202> + +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +From: "Helen & Mike" +X-Yahoo-Profile: hellester +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 22:46:17 +0100 +Subject: Re: [zzzzteana] The Cafe Forteana is back online!!! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +> Or you could let me write one for you? Mind you ...... I know an +> awful lot about you! ;-)) + +Oh, that could be interesting! + +> +> Yes, I like that starlet look, but I think you should come out from +> behind that bike too and let us see what you are wearing. looks +> pretty innerestin' + +That bike is all that's between me and my modesty. The other photos are not +for public consumption. :-) + +> Fel + +Helen of Troy + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home for Top $ +http://us.click.yahoo.com/RrPZMC/jTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0156.3d3293a5da919cf65959e6bd63feaf27 b/machine-learning-ex6/ex6/easy_ham/0156.3d3293a5da919cf65959e6bd63feaf27 new file mode 100644 index 0000000..44c03ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0156.3d3293a5da919cf65959e6bd63feaf27 @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 00:10:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 9C99F16F17 + for ; Tue, 8 Oct 2002 00:09:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:09:58 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97M3hK18746 for + ; Mon, 7 Oct 2002 23:03:44 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Lw2f09321; Mon, 7 Oct 2002 23:58:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97LvNf04590 for + ; Mon, 7 Oct 2002 23:57:27 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97Lv8g29537 for ; + Tue, 8 Oct 2002 00:57:08 +0300 (EETDST) +Subject: Re: Nessus? +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007230521.0f1727aa.matthias@rpmforge.net> +References: <1034013325.8419.88.camel@bobcat.ods.org> + <20021007200642.27614e1b.matthias@rpmforge.net> + <20021007230521.0f1727aa.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034027845.2296.163.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97LvNf04590 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 00:57:24 +0300 +Date: 08 Oct 2002 00:57:24 +0300 + +On Tue, 2002-10-08 at 00:05, Matthias Saou wrote: + +> It's 100% untested, although the build should be ok. The new menu was +> added, but some configuration files may be better with new or different +> defaults. +> +> Feedback is very welcome! + +Looks good to me, just installed it, and ran a local scan, everything +worked smoothly. Thanks a bunch! + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0157.18c5e181c72acfc3a501a82907e58a59 b/machine-learning-ex6/ex6/easy_ham/0157.18c5e181c72acfc3a501a82907e58a59 new file mode 100644 index 0000000..ec3bb43 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0157.18c5e181c72acfc3a501a82907e58a59 @@ -0,0 +1,77 @@ +From sentto-2242572-55981-1034027969-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 00:10:53 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B81E816F17 + for ; Tue, 8 Oct 2002 00:10:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:10:52 +0100 (IST) +Received: from n35.grp.scd.yahoo.com (n35.grp.scd.yahoo.com + [66.218.66.103]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97LwmK18667 for ; Mon, 7 Oct 2002 22:58:48 +0100 +X-Egroups-Return: sentto-2242572-55981-1034027969-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n35.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 21:59:29 -0000 +X-Sender: robert.chambers@baesystems.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 21:59:28 -0000 +Received: (qmail 38258 invoked from network); 7 Oct 2002 21:59:27 -0000 +Received: from unknown (66.218.66.217) by m6.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 21:59:27 -0000 +Received: from unknown (HELO n25.grp.scd.yahoo.com) (66.218.66.81) by + mta2.grp.scd.yahoo.com with SMTP; 7 Oct 2002 21:59:27 -0000 +Received: from [66.218.67.135] by n25.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 21:59:26 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "uncle_slacky" +X-Originating-Ip: 62.255.0.8 +X-Yahoo-Profile: uncle_slacky +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 21:59:24 -0000 +Subject: [zzzzteana] Latest Iraq-related news +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Just the headlines and URLs so I don't bore y'all too much.... + +http://www.guardian.co.uk/Iraq/Story/0,2763,805900,00.html + +As a US Republican, I reject George Bush's illegal and +unconstitutional plan to attack Iraq - Scott Ritter + + +http://jang.com.pk/thenews/oct2002-daily/07-10-2002/world/w9.htm + +Saudi Arabia may start fingerprinting Americans + + + + +Blair warned war to oust Saddam 'illegal' + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0158.05f321b3cb42b6b62bc8a250a7bad59f b/machine-learning-ex6/ex6/easy_ham/0158.05f321b3cb42b6b62bc8a250a7bad59f new file mode 100644 index 0000000..8a91819 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0158.05f321b3cb42b6b62bc8a250a7bad59f @@ -0,0 +1,86 @@ +From razor-users-admin@lists.sourceforge.net Tue Oct 8 00:10:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 94D4A16F19 + for ; Tue, 8 Oct 2002 00:10:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:10:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g97MPnK19526 for ; Mon, 7 Oct 2002 23:25:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ygHN-0005BG-00; Mon, + 07 Oct 2002 15:23:09 -0700 +Received: from elmo.la.asu.edu ([129.219.48.8]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ygGz-00065U-00 for ; Mon, + 07 Oct 2002 15:22:45 -0700 +Received: (qmail 23780 invoked by uid 5305); 7 Oct 2002 22:31:31 -0000 +Received: from llamatron.la.asu.edu (HELO llamatron.rocinante.com) + (129.219.78.39) by elmo.la.asu.edu with SMTP; 7 Oct 2002 22:31:26 -0000 +Message-Id: <5.1.1.6.0.20021007151925.01759548@sancho2.rocinante.com> +X-Sender: blue@sancho2.rocinante.com +X-Mailer: QUALCOMM Windows Eudora Version 5.1.1 +To: razor-users@example.sourceforge.net +From: Chris Kurtz +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +X-Virus-Scanned: by AMaViS perl-11 +Subject: [Razor-users] Razor2 error: can't find "new" +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 15:22:44 -0700 +Date: Mon, 07 Oct 2002 15:22:44 -0700 + + +Using Razor2 via SpamAssasin. + +System is Solaris 2.7, with qmail. Spamassassin run via user's procmail. +All users who use SA have run razor-register. + +Razor2 is failing, and I can't find anything in the limited docs or on +google on it, +and I'm hoping someone can help. + +The error (which doesn't prevent SA from working) is: + +Oct 2 06:38:22 sancho2 qmail: 1033565902.186041 delivery 4588: success: +razor2_check_skipped:_Bad_file_number_Can't_locate_object_m +ethod_"new"_via_package_"Razor2::Client::Agent"_(perhaps_you_forgot_to_load_"Razor2::Client::Agent"?)_at_/usr/local/lib/perl5/site_p +erl/5.6.1/Mail/SpamAssassin/Dns.pm_line_374./did_0+0+1/ + +Looking at Dns.pm doesn't really help me, and Razor2::Client::Agent appears +to be in the right place, +in /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client. + +Ideas? + +...Chris + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/0159.72f1a01f64bfa9e06b21c4e778e14cd2 b/machine-learning-ex6/ex6/easy_ham/0159.72f1a01f64bfa9e06b21c4e778e14cd2 new file mode 100644 index 0000000..a888e40 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0159.72f1a01f64bfa9e06b21c4e778e14cd2 @@ -0,0 +1,84 @@ +From sentto-2242572-55982-1034029763-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 00:10:56 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0F55D16F16 + for ; Tue, 8 Oct 2002 00:10:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:10:56 +0100 (IST) +Received: from n14.grp.scd.yahoo.com (n14.grp.scd.yahoo.com + [66.218.66.69]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97MU5K19579 for ; Mon, 7 Oct 2002 23:30:06 +0100 +X-Egroups-Return: sentto-2242572-55982-1034029763-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n14.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 22:29:23 -0000 +X-Sender: robert.chambers@baesystems.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 22:29:22 -0000 +Received: (qmail 61000 invoked from network); 7 Oct 2002 22:29:22 -0000 +Received: from unknown (66.218.66.218) by m11.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 22:29:22 -0000 +Received: from unknown (HELO n16.grp.scd.yahoo.com) (66.218.66.71) by + mta3.grp.scd.yahoo.com with SMTP; 7 Oct 2002 22:29:22 -0000 +Received: from [66.218.67.176] by n16.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 22:29:21 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +In-Reply-To: +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "uncle_slacky" +X-Originating-Ip: 62.255.0.8 +X-Yahoo-Profile: uncle_slacky +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 22:29:21 -0000 +Subject: [zzzzteana] Re: Latest Iraq-related news +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Even better: + +http://www.ridiculopathy.com/news_detail.php?id=668 + +White House: President's "War Boner" Must Be Satisfied + +..."The President can't seem to hide his excitement about a possible +military conflict with Iraq. At a recent function honoring America's +war widows, Bush sported a visible erection when his speech turned to +the subject of the Middle East. + +'Believe me when I say this. With or without the help of other +nations, with or without UN approval, we will penetrate Iraq's +borders. With overwhelming force, we will pound Iraq over and over +again without ceasing. And, once its leaders concede defeat, we will +seed Iraq with American-style democracy.' + +Aides say the podium was scrubbed down thoroughly after the event with +a special cleanser/biocide not used since the Clinton +administration."..... + + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0160.0040550972ece2c27ed01745f93b474b b/machine-learning-ex6/ex6/easy_ham/0160.0040550972ece2c27ed01745f93b474b new file mode 100644 index 0000000..4860397 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0160.0040550972ece2c27ed01745f93b474b @@ -0,0 +1,65 @@ +From sentto-2242572-55983-1034030545-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 00:10:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7CF2116F17 + for ; Tue, 8 Oct 2002 00:10:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 00:10:57 +0100 (IST) +Received: from n22.grp.scd.yahoo.com (n22.grp.scd.yahoo.com + [66.218.66.78]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g97MgpK19867 for ; Mon, 7 Oct 2002 23:42:51 +0100 +X-Egroups-Return: sentto-2242572-55983-1034030545-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n22.grp.scd.yahoo.com with NNFMP; + 07 Oct 2002 22:42:26 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 7 Oct 2002 22:42:25 -0000 +Received: (qmail 10847 invoked from network); 7 Oct 2002 22:42:25 -0000 +Received: from unknown (66.218.66.216) by m3.grp.scd.yahoo.com with QMQP; + 7 Oct 2002 22:42:25 -0000 +Received: from unknown (HELO tungsten.btinternet.com) (194.73.73.81) by + mta1.grp.scd.yahoo.com with SMTP; 7 Oct 2002 22:42:25 -0000 +Received: from host217-34-94-1.in-addr.btopenworld.com ([217.34.94.1]) by + tungsten.btinternet.com with esmtp (Exim 3.22 #8) id 17yga0-0003VG-00 for + forteana@yahoogroups.com; Mon, 07 Oct 2002 23:42:24 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 07 Oct 2002 23:41:30 +0100 +Subject: Re: [zzzzteana] The Cafe Forteana is back online!!! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Tom R: +> http://www.cliktrik.com/people/family/me/0419.jpg +> +Which one's you? + +TimC + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0161.5703ef6933a7f189ab48da12a925f5e4 b/machine-learning-ex6/ex6/easy_ham/0161.5703ef6933a7f189ab48da12a925f5e4 new file mode 100644 index 0000000..93473e9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0161.5703ef6933a7f189ab48da12a925f5e4 @@ -0,0 +1,127 @@ +From fork-admin@xent.com Tue Oct 8 10:56:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1C14716F03 + for ; Tue, 8 Oct 2002 10:56:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g981fTK28141 for ; + Tue, 8 Oct 2002 02:41:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 80DE52940CA; Mon, 7 Oct 2002 18:41:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 6C9E229409A for ; + Mon, 7 Oct 2002 18:40:38 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17yjMg-0005XL-00; Mon, 07 Oct 2002 21:40:51 -0400 +From: "Geege Schuman" +To: , +Subject: RE: The absurdities of life. +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: <000001c26e44$d8780150$0200a8c0@JMHALL> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 21:39:39 -0400 + +what takes time and money: noting the amounts of each correction and basing +the refund delivery method on the amount. yesh, it's silly to spend $.37 (+ +labor and materials) for a $.02 refund, but maybe the only alternative right +now is to create dichotomies that require even more time and labor - or keep +the money (see john hall below). your mailed refund is a function of bulk. + +in jax we're on the verge of firing at&t cable for horrible customer service +and over-charging. what will probably happen: if the amount of overage per +customer is significant (say $30 or more) the refund will go directly to the +customer. If it's less, the combined total amount will go to the city as +lump sum settlement. + +in your case, maybe all the customers could vote on line where they'd like +their lump sum to go. of courese, they'd have to be notified by mail first. +:-) + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Hall +Sent: Monday, October 07, 2002 5:02 PM +To: Fork@xent.com +Subject: RE: The absurdities of life. + + +They are legally required to do that. I got a similar check because an +insurance company didn't pay a claim quickly enough. It might have been +$.02. + +Although they spent lots more than $.33 to mail you the check, the +alternative seems to be to keep the money. Do you really want companies +to have a financial incentive to over-bill you 'just a bit' so they +could keep it? For a company with millions of customers, $.33/customer +starts adding up. + + + + + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> bitbitch@magnesium.net + +> So I get a check from Pac Bell today (SBC as they're called now). +> Turns out, they went to the trouble of printing out, signing, sealing +> and stamping a check just to refund me for a whole $0.33. +> +> They easily spent more than this just getting the materials together. +> Why the hell do companies bother to do this crap? I mean, isn't there +> a bottom line in terms of cost effectiveness? I don't think I missed +> the .33, but I sure as hell would have appreciated lower rates in lieu +> of being returned pennies. +> +> I'm truly stuck on this though. I don't know whether to frame the +> check, burn it, or cash it in. Maybe I should find a way to return to +> sender, so they have to spend -more- money on giving me my .33 dues. +> +> +> Does .33 even buy anything anymore? Funny bit of it, is I couldn't +> even make a phone call these days. +> +> *boggled* +> BB. +> +> -- +> Best regards, +> bitbitch mailto:bitbitch@magnesium.net + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0162.4eb119208c169c5da0dc13a875cdcb34 b/machine-learning-ex6/ex6/easy_ham/0162.4eb119208c169c5da0dc13a875cdcb34 new file mode 100644 index 0000000..eb5df2d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0162.4eb119208c169c5da0dc13a875cdcb34 @@ -0,0 +1,51 @@ +From pudge@perl.org Tue Oct 8 10:54:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 79B2A16F16 + for ; Tue, 8 Oct 2002 10:54:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:54:15 +0100 (IST) +Received: from cpu59.osdn.com (slashdot.org [64.28.67.73] (may be forged)) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g981xoK28590 for + ; Tue, 8 Oct 2002 02:59:50 +0100 +Received: from [10.2.181.14] (helo=perl.org) by cpu59.osdn.com with smtp + (Exim 3.35 #1 (Debian)) id 17yjbz-0004GC-00 for ; + Mon, 07 Oct 2002 21:56:39 -0400 +Date: Tue, 08 Oct 2002 02:00:26 +0000 +From: pudge@perl.org +Subject: [use Perl] Headlines for 2002-10-08 +To: zzzz-use-perl@example.com +Precedence: list +X-Bulkmail: 2.051 +Message-Id: + +use Perl Daily Headline Mailer + +This Week on perl5-porters (30 September / 6 October 2002) + posted by rafael on Monday October 07, @07:12 (summaries) + http://use.perl.org/article.pl?sid=02/10/07/1124226 + +RATS + posted by KM on Monday October 07, @09:01 (news) + http://use.perl.org/article.pl?sid=02/10/07/132252 + + + + +Copyright 1997-2002 pudge. All rights reserved. + + +====================================================================== + +You have received this message because you subscribed to it +on use Perl. To stop receiving this and other +messages from use Perl, or to add more messages +or change your preferences, please go to your user page. + + http://use.perl.org/my/messages/ + +You can log in and change your preferences from there. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0163.1aff5d9dc36e51a0b43f1c31c4d5b28c b/machine-learning-ex6/ex6/easy_ham/0163.1aff5d9dc36e51a0b43f1c31c4d5b28c new file mode 100644 index 0000000..3dff27b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0163.1aff5d9dc36e51a0b43f1c31c4d5b28c @@ -0,0 +1,84 @@ +From pudge@perl.org Tue Oct 8 10:54:18 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8855116F03 + for ; Tue, 8 Oct 2002 10:54:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:54:17 +0100 (IST) +Received: from cpu59.osdn.com (slashdot.org [64.28.67.73] (may be forged)) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g981xwK28601 for + ; Tue, 8 Oct 2002 02:59:58 +0100 +Received: from [10.2.181.14] (helo=perl.org) by cpu59.osdn.com with smtp + (Exim 3.35 #1 (Debian)) id 17yjc8-0004NL-01 for ; + Mon, 07 Oct 2002 21:56:48 -0400 +Date: Tue, 08 Oct 2002 02:00:35 +0000 +From: pudge@perl.org +Subject: [use Perl] Stories for 2002-10-08 +To: zzzz-use-perl@example.com +Precedence: list +X-Bulkmail: 2.051 +Message-Id: + +use Perl Daily Newsletter + +In this issue: + * This Week on perl5-porters (30 September / 6 October 2002) + * RATS + ++--------------------------------------------------------------------+ +| This Week on perl5-porters (30 September / 6 October 2002) | +| posted by rafael on Monday October 07, @07:12 (summaries) | +| http://use.perl.org/article.pl?sid=02/10/07/1124226 | ++--------------------------------------------------------------------+ + +It was a busy week indeed, with long threads, interesting bugs, clever +fixes, miscellaneous optimizations, some new ideas, a few jokes, +mysterious failures, and, finally, a security hole. Read on. + +This story continues at: + http://use.perl.org/article.pl?sid=02/10/07/1124226 + +Discuss this story at: + http://use.perl.org/comments.pl?sid=02/10/07/1124226 + + ++--------------------------------------------------------------------+ +| RATS | +| posted by KM on Monday October 07, @09:01 (news) | +| http://use.perl.org/article.pl?sid=02/10/07/132252 | ++--------------------------------------------------------------------+ + +Odud writes "RATS, the Rough Auditing Tool for Security, is a security +auditing utility for C, C++, Python, Perl and PHP code. RATS scans source +code, finding potentially dangerous function calls. The goal of this +project is not to definitively find bugs. The current goal is to provide +a reasonable starting point for performing manual security audits. +Produced by [0]Secure Software" Uses a database so you can alter what you +want it to look for. Not a replacement for using stricture or your head +but is a good place to start some security auditing on your Perl. + +Discuss this story at: + http://use.perl.org/comments.pl?sid=02/10/07/132252 + +Links: + 0. http://www.securesoftware.com/rats.php + + + +Copyright 1997-2002 pudge. All rights reserved. + + +====================================================================== + +You have received this message because you subscribed to it +on use Perl. To stop receiving this and other +messages from use Perl, or to add more messages +or change your preferences, please go to your user page. + + http://use.perl.org/my/messages/ + +You can log in and change your preferences from there. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0164.ae42a102de7318dc4876af403b6e5956 b/machine-learning-ex6/ex6/easy_ham/0164.ae42a102de7318dc4876af403b6e5956 new file mode 100644 index 0000000..0e489be --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0164.ae42a102de7318dc4876af403b6e5956 @@ -0,0 +1,89 @@ +From sentto-2242572-55999-1034047414-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:57:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3090116F1E + for ; Tue, 8 Oct 2002 10:57:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:57:10 +0100 (IST) +Received: from n9.grp.scd.yahoo.com (n9.grp.scd.yahoo.com [66.218.66.93]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g983MsK31151 for + ; Tue, 8 Oct 2002 04:22:54 +0100 +X-Egroups-Return: sentto-2242572-55999-1034047414-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n9.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 03:23:34 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 03:23:34 -0000 +Received: (qmail 913 invoked from network); 8 Oct 2002 03:23:34 -0000 +Received: from unknown (66.218.66.218) by m7.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 03:23:34 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 03:23:33 -0000 +Received: from [209.103.203.17] (209-103-203-17.dial-in1.osh.athenet.net + [209.103.203.17]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g983NV425314 for ; Mon, 7 Oct 2002 22:23:31 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: +References: +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 22:23:11 -0500 +Subject: Re: [zzzzteana] Bigfoot and big feet on display at Peabody +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>Benoit claimed the prize for his size 14 feet. In the female division of the +>competition, three women tied for first place with size 10 feet. +>Winners took home a $100 gift certificate to either Footlocker or Barrie +>Ltd. + +Well crap, mine are size 11. + +> +>"If I'd have known the contest was happening, I would have gone," said +>Justin Simon '04, the proud owner of size 15 feet. "A lot of the guys have +>bigger feet than that. Dexter Upshaw ['06] wears a size 18." +> +>Simon said the $100 gift certificate would have almost paid for a new pair +>of shoes. + +Almost. If you shop at Payless!! + +But sure could have used the $100 anyway! +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0165.60d0c03c63a588f58ca91b791610e43c b/machine-learning-ex6/ex6/easy_ham/0165.60d0c03c63a588f58ca91b791610e43c new file mode 100644 index 0000000..0fe57a5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0165.60d0c03c63a588f58ca91b791610e43c @@ -0,0 +1,91 @@ +From sentto-2242572-56000-1034048852-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:58:11 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id AD07516F1F + for ; Tue, 8 Oct 2002 10:57:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:57:11 +0100 (IST) +Received: from n31.grp.scd.yahoo.com (n31.grp.scd.yahoo.com + [66.218.66.99]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g983kpK31814 for ; Tue, 8 Oct 2002 04:46:51 +0100 +X-Egroups-Return: sentto-2242572-56000-1034048852-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n31.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 03:47:32 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 03:47:31 -0000 +Received: (qmail 25663 invoked from network); 8 Oct 2002 03:47:31 -0000 +Received: from unknown (66.218.66.216) by m13.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 03:47:31 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta1.grp.scd.yahoo.com with SMTP; 8 Oct 2002 03:47:31 -0000 +Received: from [209.103.203.17] (209-103-203-17.dial-in1.osh.athenet.net + [209.103.203.17]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g983lT426773 for ; Mon, 7 Oct 2002 22:47:29 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: <3DA1FE9D.B6AF7F34@attcanada.ca> +References: <001601c26d25$c443f240$02628ac6@doug> + <050101c26e45$651a0cc0$9731e150@007730120202> + <3DA1FE9D.B6AF7F34@attcanada.ca> +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 22:47:10 -0500 +Subject: Re: [zzzzteana] Fortean Times Online +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>Helen & Mike wrote: +> +>> Chat tends to be on irc.quakenet #forteana most nights. I think this was +>> done mainly because of troll infestation. Colin has control most nights on +>> there, and he keeps an eye on people and kicks them if they come in under +>> assumed names, or as soon as they show their true natures. Just call him +>> Billy Goat Gruff :-) +> +>How do you sign up? +> +>Thanks! +> +>Kelly + +kelly, same thing as when you used to come to frogstone on Dalnet. +#frogstone is still there, and also #forteana. If you want to go to +quakenet, just change your server (in mIRC if that is what you use) +to that. +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0166.f4acdf86d261b60094536bf5a654cc33 b/machine-learning-ex6/ex6/easy_ham/0166.f4acdf86d261b60094536bf5a654cc33 new file mode 100644 index 0000000..54564c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0166.f4acdf86d261b60094536bf5a654cc33 @@ -0,0 +1,85 @@ +From sentto-2242572-56001-1034049352-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:58:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3A5C916F20 + for ; Tue, 8 Oct 2002 10:57:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:57:13 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g983tCK31950 for ; Tue, 8 Oct 2002 04:55:12 +0100 +X-Egroups-Return: sentto-2242572-56001-1034049352-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n21.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 03:55:53 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 03:55:52 -0000 +Received: (qmail 35145 invoked from network); 8 Oct 2002 03:55:52 -0000 +Received: from unknown (66.218.66.217) by m13.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 03:55:52 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta2.grp.scd.yahoo.com with SMTP; 8 Oct 2002 03:55:51 -0000 +Received: from [209.103.203.17] (209-103-203-17.dial-in1.osh.athenet.net + [209.103.203.17]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g983tZ427119 for ; Mon, 7 Oct 2002 22:55:40 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: <3D980C63.5090902@ee.ed.ac.uk> +References: <3D980C63.5090902@ee.ed.ac.uk> +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 22:55:05 -0500 +Subject: Re: [zzzzteana] Good ISP for Mac? +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>I managed to get myself an iMac yesterday (just a G3 but a good'un) and was +>wondering if any of the Apple people on here could recommend a good ISP (for +>narrow band at the moment) for getting online under OS X. +> +>Stew + +my local ISP works great with my iMac. I don't know what you guys +have over there, but OS X ought to let you get online as well as +anything else. + +Crossing my fingers though....I did a upgrade to Jaguar, and ended up +doing a scrape and install after that. + +Oh, and I am on 56k dialup +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0167.13f1e71a8070d4d34e65ec7a25d9e164 b/machine-learning-ex6/ex6/easy_ham/0167.13f1e71a8070d4d34e65ec7a25d9e164 new file mode 100644 index 0000000..df3b3c2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0167.13f1e71a8070d4d34e65ec7a25d9e164 @@ -0,0 +1,88 @@ +From sentto-2242572-56003-1034050291-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:58:44 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id EE96E16F49 + for ; Tue, 8 Oct 2002 10:57:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:57:17 +0100 (IST) +Received: from n20.grp.scd.yahoo.com (n20.grp.scd.yahoo.com + [66.218.66.76]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g984dPK00892 for ; Tue, 8 Oct 2002 05:39:26 +0100 +X-Egroups-Return: sentto-2242572-56003-1034050291-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n20.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 04:11:31 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 04:11:31 -0000 +Received: (qmail 9758 invoked from network); 8 Oct 2002 04:11:30 -0000 +Received: from unknown (66.218.66.218) by m11.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 04:11:30 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 04:11:30 -0000 +Received: from [209.103.203.17] (209-103-203-17.dial-in1.osh.athenet.net + [209.103.203.17]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g984BS428332 for ; Mon, 7 Oct 2002 23:11:28 + -0500 +X-Sender: felinda@pop2.athenet.net (Unverified) +Message-Id: +In-Reply-To: +References: + +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 23:11:08 -0500 +Subject: Re: [zzzzteana] The Cafe Forteana is back online!!! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> >Tom R: +>>> +>>>http://www.cliktrik.com/people/family/me/0419.jpg +>>> +>>Which one's you? +> +>I'm actually taking the photo -- both figures are in fact waxworks. +> +>This was in Mme Tussaud's in, of all places, Sydney Australia. +> +> /t +>-- + +damn it Tom!! I had my kids believing you knew Albert Einstein!! + +Well, until the smart one asked just how old you were now. +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0168.91cce4c84906ce507bd5e6362dd345c4 b/machine-learning-ex6/ex6/easy_ham/0168.91cce4c84906ce507bd5e6362dd345c4 new file mode 100644 index 0000000..934f1a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0168.91cce4c84906ce507bd5e6362dd345c4 @@ -0,0 +1,99 @@ +From sentto-2242572-56004-1034050340-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 10:58:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 5046A16F22 + for ; Tue, 8 Oct 2002 10:57:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:57:16 +0100 (IST) +Received: from n4.grp.scd.yahoo.com (n4.grp.scd.yahoo.com [66.218.66.88]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g984BeK32546 for + ; Tue, 8 Oct 2002 05:11:41 +0100 +X-Egroups-Return: sentto-2242572-56004-1034050340-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n4.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 04:12:21 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 04:12:20 -0000 +Received: (qmail 11245 invoked from network); 8 Oct 2002 04:12:19 -0000 +Received: from unknown (66.218.66.216) by m11.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 04:12:19 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta1.grp.scd.yahoo.com with SMTP; 8 Oct 2002 04:12:19 -0000 +Received: from [209.103.203.17] (209-103-203-17.dial-in1.osh.athenet.net + [209.103.203.17]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g984CH428341 for ; Mon, 7 Oct 2002 23:12:18 + -0500 +X-Sender: felinda@pop2.athenet.net (Unverified) +Message-Id: +In-Reply-To: <3DA23A55.B985F5D6@mindspring.com> +References: + <3D9E980B.2B2BBE50@mindspring.com> + + <3DA23A55.B985F5D6@mindspring.com> +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Mon, 7 Oct 2002 23:11:58 -0500 +Subject: Re: [zzzzteana] The Cafe Forteana is back online!!! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>That Goddess Chick wrote: +>> +>> >Thanks Fel. Got no scanner. My photo is in that group of 100 obsessive +>> >compulsive clipsters in FT, 1996 or 1997. +>> > +>> >Terry +>> +>> Great, and right now all my pre '98s are in Washington state, in a +>> cardboard box in a shed in the back of Sydde's garage. Probably mice +>> nests by now. :-( Put a scanner on your Christmas list right above +>> world peace! +>> -- +>> +>> Fel +>> NEW!! Cafe Forteana is back: +>>http://www.frogstone.net/Cafe/CafeForteana.html +> +>Maybe a kind soul with access to that issue and a scanner could scan it and +>forward to you. +> +>Terry +> + +I would appreciate that very much as I won't be getting back to +Washington until December. +-- + + +Fel +NEW!! Cafe Forteana is back: http://www.frogstone.net/Cafe/CafeForteana.html +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0169.b19a689237947db7b9e244277e075edc b/machine-learning-ex6/ex6/easy_ham/0169.b19a689237947db7b9e244277e075edc new file mode 100644 index 0000000..22aa2ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0169.b19a689237947db7b9e244277e075edc @@ -0,0 +1,94 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 4B66916F16 + for ; Tue, 8 Oct 2002 10:55:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:17 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987avK05522 for + ; Tue, 8 Oct 2002 08:36:57 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987U2f06824; Tue, 8 Oct 2002 09:30:02 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g987TMf04275 for + ; Tue, 8 Oct 2002 09:29:22 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id B5FC0707E2 for + ; Tue, 8 Oct 2002 07:29:10 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 4BADD1B8497 for ; + Tue, 8 Oct 2002 07:28:31 +0000 (UTC) +Message-Id: <3DA28982.6020709@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: xine src packge still gives errors +References: <1033908698.1724.11.camel@lillpelle> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 09:30:10 +0200 +Date: Tue, 08 Oct 2002 09:30:10 +0200 + +Hi + +I try to rebuild xine from src package and I get these errors: + +. +. +. +. +. +Finding Provides: /usr/lib/rpm/find-provides +Finding Requires: /usr/lib/rpm/find-requires +PreReq: rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires(rpmlib): rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires: xine-libs = 0.9.13 /bin/sh +Obsoletes: xine-devel + + +RPM build errors: + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + File not found: /var/tmp/xine-root/usr/bin/aaxine + + +thx, +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0170.154c82ae0e1ccc4c9290aa1fa4de7b43 b/machine-learning-ex6/ex6/easy_ham/0170.154c82ae0e1ccc4c9290aa1fa4de7b43 new file mode 100644 index 0000000..711bc1a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0170.154c82ae0e1ccc4c9290aa1fa4de7b43 @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:23 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E2CC916F18 + for ; Tue, 8 Oct 2002 10:55:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:19 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987g4K05596 for + ; Tue, 8 Oct 2002 08:42:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987c1f10870; Tue, 8 Oct 2002 09:38:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g987bTf04154 for ; Tue, 8 Oct 2002 09:37:29 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xine src packge still gives errors +Message-Id: <20021008093721.4a3ed251.matthias@rpmforge.net> +In-Reply-To: <3DA28982.6020709@punkass.com> +References: <1033908698.1724.11.camel@lillpelle> + <3DA28982.6020709@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 09:37:21 +0200 +Date: Tue, 8 Oct 2002 09:37:21 +0200 + +Once upon a time, Roi wrote : + +> RPM build errors: +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root + +This I would guess is normal, but don't you get it at the very beginning of +the build? Isn't this at the end just a reminder? + +> File not found: /var/tmp/xine-root/usr/bin/aaxine + +Argh, I forgot to exclude aaxine from the %files when using "--without +aalib" :-( +The current "fr6.1" spec file fixes this... + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.02 0.03 0.00 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0171.284f310dea6316d8971a18ff66a1a8dc b/machine-learning-ex6/ex6/easy_ham/0171.284f310dea6316d8971a18ff66a1a8dc new file mode 100644 index 0000000..c7a06bf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0171.284f310dea6316d8971a18ff66a1a8dc @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 9239D16F19 + for ; Tue, 8 Oct 2002 10:55:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:21 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987lwK05784 for + ; Tue, 8 Oct 2002 08:47:58 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987i1f05970; Tue, 8 Oct 2002 09:44:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g987hhf05624 for ; Tue, 8 Oct 2002 09:43:43 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xmms and .mp3 files. +Message-Id: <20021008094334.57b0c988.matthias@rpmforge.net> +In-Reply-To: <3DA288E8.4060006@punkass.com> +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> + <3DA288E8.4060006@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 09:43:34 +0200 +Date: Tue, 8 Oct 2002 09:43:34 +0200 + +Once upon a time, Roi wrote : + +> oh xmms didn't work for me also +> i used mpg123 i tought its something from me + +Nope, this is "normal" as Red Hat removed all mp3 support from 8.0 because +of patent and royalty issues :-( +On freshrpms.net, you can find the xmms mp3 plugin as I said, but also +libmad, lame (mp3 encoder), and soon mpg321 as I often used it myself. +Many other players can also play mp3 files, like alsaplayer, xine, mplayer. + +> like mplayer not working also and gives black screen + +This is not normal though... +Try "mplayer -vo help" then try usinf various output methods to see if some +do work or not. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.00 0.05 0.01 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0172.464b84890a849676c036baccf0f2344e b/machine-learning-ex6/ex6/easy_ham/0172.464b84890a849676c036baccf0f2344e new file mode 100644 index 0000000..1ff4c5f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0172.464b84890a849676c036baccf0f2344e @@ -0,0 +1,33 @@ +From rssfeeds@example.com Tue Oct 8 10:55:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id CCC0116F17 + for ; Tue, 8 Oct 2002 10:55:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:22 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98804K06008 for + ; Tue, 8 Oct 2002 09:00:04 +0100 +Message-Id: <200210080800.g98804K06008@dogma.slashnull.org> +To: zzzz@example.com +From: diveintomark +Subject: Teach a man to fish +Date: Tue, 08 Oct 2002 08:00:04 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://diveintomark.org/archives/2002/10/08.html#teach_a_man_to_fish +Date: 2002-10-08T00:22:08-05:00 + +_Kevin Hemenway_: Finding More Channels[1]. “In simple terms, there are +thousands of web sites that are actively providing their news and headlines in +a format AmphetaDesk can understand [RSS]. And while AmphetaDesk knows about a +good number of these sites, it'd be impossible to hunt down each and every +single possibility. So, this page is here to teach you how to fish.” + + + +[1] http://www.disobey.com/amphetadesk/finding_more.html + + diff --git a/machine-learning-ex6/ex6/easy_ham/0173.3898127723ae4ac964f41c1a555c6ecb b/machine-learning-ex6/ex6/easy_ham/0173.3898127723ae4ac964f41c1a555c6ecb new file mode 100644 index 0000000..0609d01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0173.3898127723ae4ac964f41c1a555c6ecb @@ -0,0 +1,62 @@ +From rssfeeds@example.com Tue Oct 8 10:55:47 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7C3C116F03 + for ; Tue, 8 Oct 2002 10:55:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:46 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98808K06022 for + ; Tue, 8 Oct 2002 09:00:08 +0100 +Message-Id: <200210080800.g98808K06022@dogma.slashnull.org> +To: zzzz@example.com +From: aaronsw +Subject: Iran Pushes UN Intervention Against US +Date: Tue, 08 Oct 2002 08:00:08 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.aaronsw.com/weblog/000643 +Date: 2002-10-07T21:35:22-06:00 + +Yahoo: The Case for Regime Change[1]. + + + + + + Khatami asked the U.N. to set a deadline for Bush to step down in favor of + president-in-exile Al Gore the legitimate winner of the 2000 election, the + results of which were subverted through widespread voting irregularities + and intimidation. + + [... This will likely require] a prolonged bombing campaign targeting major + U.S. cities and military installations, followed by a ground invasion led + by European forces. "Civilian casualties would likely be substantial," said + a French military analyst. "But the American people must be liberated from + tyranny." + + [...] "Even before Bush, the American political system was a shambles," + said Prof. Salvatore Deluna of the University of Madrid. "Their + single-party plutocracy will have to be reshaped into true + parliamentary-style democracy. Moreover, the economy will have to be + retooled from its current military dictatorship model--in which a third of + the federal budget goes to arms, and taxes are paid almost exclusively by + the working class--to one in which basic human needs such as education and + poverty are addressed. Their infrastructure is a mess; they don't even have + a national passenger train system. Fixing a failed state of this size will + require many years." + + + + + +Welcome news. The only way to crush America's fundamentalist tendencies is by +showing them who's boss. + + + +[1] http://story.news.yahoo.com/news?tmpl=story2&cid=127&u=/020927/7/2bxul.html&printer=1 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0174.a916896b6119d1b8a138dfbbeeee7fa1 b/machine-learning-ex6/ex6/easy_ham/0174.a916896b6119d1b8a138dfbbeeee7fa1 new file mode 100644 index 0000000..cebbeea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0174.a916896b6119d1b8a138dfbbeeee7fa1 @@ -0,0 +1,28 @@ +From rssfeeds@example.com Tue Oct 8 10:55:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3CA5F16F16 + for ; Tue, 8 Oct 2002 10:55:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:24 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880AK06028 for + ; Tue, 8 Oct 2002 09:00:10 +0100 +Message-Id: <200210080800.g9880AK06028@dogma.slashnull.org> +To: zzzz@example.com +From: oblomovka +Subject: At last, I have an excuse +Date: Tue, 08 Oct 2002 08:00:10 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.oblomovka.com/entries/2002/10/07#1034055900 +Date: 2002-10-07T22:45:00-0700 + +... for not updating: I'm doing the guestblog at Boing Boing[1]. Now to find an +excuse for missing last week. + +[1] http://www.boingboing.net/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0175.dd1831e0f3322282d3efa5da7aec74f9 b/machine-learning-ex6/ex6/easy_ham/0175.dd1831e0f3322282d3efa5da7aec74f9 new file mode 100644 index 0000000..8b8c254 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0175.dd1831e0f3322282d3efa5da7aec74f9 @@ -0,0 +1,31 @@ +From rssfeeds@example.com Tue Oct 8 10:55:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 308AA16F16 + for ; Tue, 8 Oct 2002 10:55:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:37 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880QK06040 for + ; Tue, 8 Oct 2002 09:00:26 +0100 +Message-Id: <200210080800.g9880QK06040@dogma.slashnull.org> +To: zzzz@example.com +From: boingboing +Subject: Man kills self with home booby-traps +Date: Tue, 08 Oct 2002 08:00:26 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://boingboing.net/#85537486 +Date: Not supplied + +Steve sez: "It's tragic when life imitates Wile E. Coyote cartoons. Guy +boobytraps his house to get his family if they try to break in, and seemingly +is killed himself by his own traps." Link[1] Discuss[2] (_Thanks, Steve[3]!_) + +[1] http://story.news.yahoo.com/news?tmpl=story2&cid=573&ncid=757&e=2&u=/nm/20021007/od_nm/boobytraps_dc +[2] http://www.quicktopic.com/boing/H/K9nShVkkrRxi +[3] http://www.portigal.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0176.bd5ef61e0c89ec035829f06f3fe5c7f8 b/machine-learning-ex6/ex6/easy_ham/0176.bd5ef61e0c89ec035829f06f3fe5c7f8 new file mode 100644 index 0000000..82170dc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0176.bd5ef61e0c89ec035829f06f3fe5c7f8 @@ -0,0 +1,30 @@ +From rssfeeds@example.com Tue Oct 8 10:55:42 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 922DA16F18 + for ; Tue, 8 Oct 2002 10:55:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:39 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880QK06038 for + ; Tue, 8 Oct 2002 09:00:26 +0100 +Message-Id: <200210080800.g9880QK06038@dogma.slashnull.org> +To: zzzz@example.com +From: boingboing +Subject: Curried radiation burns +Date: Tue, 08 Oct 2002 08:00:26 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://boingboing.net/#85537496 +Date: Not supplied + +Curcumin, the chemical that makes curry yellow, turns out to be a good compound +for treating radiation burns resulting from cancer therapy. Link[1] Discuss[2] +(_Thanks, Cheryl!_) + +[1] http://www.alertnet.org/thenews/newsdesk/N07347915 +[2] http://www.quicktopic.com/boing/H/THKNJnrnHdDd + + diff --git a/machine-learning-ex6/ex6/easy_ham/0177.fd72517a2ed2a2c29c9822b7124a8f0a b/machine-learning-ex6/ex6/easy_ham/0177.fd72517a2ed2a2c29c9822b7124a8f0a new file mode 100644 index 0000000..d1aa064 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0177.fd72517a2ed2a2c29c9822b7124a8f0a @@ -0,0 +1,29 @@ +From rssfeeds@example.com Tue Oct 8 10:55:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 10BFA16F18 + for ; Tue, 8 Oct 2002 10:55:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:45 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880SK06051 for + ; Tue, 8 Oct 2002 09:00:28 +0100 +Message-Id: <200210080800.g9880SK06051@dogma.slashnull.org> +To: zzzz@example.com +From: boingboing +Subject: 1987 copy of Nintendo zine going for $700 on eBay +Date: Tue, 08 Oct 2002 08:00:28 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://boingboing.net/#85535421 +Date: Not supplied + +A Nintendo newsletter from 1987 is going for ober $700 on eBay. Link[1] Discuss +[2] _(Thanks, Billy Hayes!)_ + +[1] http://cgi.ebay.com/ws/eBayISAPI.dll?ViewItem&item=1566539449&rd=1 +[2] http://www.quicktopic.com/16/H/wUzqZdX42Az + + diff --git a/machine-learning-ex6/ex6/easy_ham/0178.8405bbe39a5eb6c1814e3c16602099a4 b/machine-learning-ex6/ex6/easy_ham/0178.8405bbe39a5eb6c1814e3c16602099a4 new file mode 100644 index 0000000..64744b9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0178.8405bbe39a5eb6c1814e3c16602099a4 @@ -0,0 +1,42 @@ +From rssfeeds@example.com Tue Oct 8 10:55:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 180F216F16 + for ; Tue, 8 Oct 2002 10:55:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:48 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880TK06063 for + ; Tue, 8 Oct 2002 09:00:29 +0100 +Message-Id: <200210080800.g9880TK06063@dogma.slashnull.org> +To: zzzz@example.com +From: boingboing +Subject: Steven Levy's wireless neighbors +Date: Tue, 08 Oct 2002 08:00:29 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://boingboing.net/#85534626 +Date: Not supplied + +After discovering an open wireless net available from his sofa, Steven +"Hackers" Levy interviewed lawmen, academics and WiFi activists about the +legality and ethics of using open wireless access points. + + I downloaded my mail and checked media news on the Web. When I confessed + this to FBI agent Bill Shore, he spared the handcuffs. "The FBI wouldn't + waste resources on that," he sniffed. Now I know that if it did, it would + be hard to argue that I broke a law. What's more, I certainly didn't feel + illegal. Because—and this is the point of all that war-driving and + -chalking and node-stumbling—when you get used to wireless, the experience + feels more and more like a God-given right. One day we may breathe + bandwidth like oxygen—and arguing its illegality will be unthinkable. + +Link[1] Discuss[2] (_Thanks, Steven[3]!_) + +[1] http://www.msnbc.com/news/816606.asp +[2] http://www.quicktopic.com/boing/H/f5ZpuJU5975K +[3] http://www.echonyc.com/~steven/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0179.dee566fc951284d1d3bd3a0fdae63f4d b/machine-learning-ex6/ex6/easy_ham/0179.dee566fc951284d1d3bd3a0fdae63f4d new file mode 100644 index 0000000..0051de4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0179.dee566fc951284d1d3bd3a0fdae63f4d @@ -0,0 +1,30 @@ +From rssfeeds@example.com Tue Oct 8 10:55:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 5047616F19 + for ; Tue, 8 Oct 2002 10:55:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:38 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9880UK06069 for + ; Tue, 8 Oct 2002 09:00:30 +0100 +Message-Id: <200210080800.g9880UK06069@dogma.slashnull.org> +To: zzzz@example.com +From: boingboing +Subject: How the other half gives +Date: Tue, 08 Oct 2002 08:00:30 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://boingboing.net/#85534328 +Date: Not supplied + +The new Neiman Marcus Christmas catalog is out (in October!), including +you-as-an-action-figure ($7,500), a bamboo hut ($15,000) and a leather frisbee +($30). Link[1] Discuss[2] + +[1] http://www.neimanmarcus.com/store/sitelets/christmasbook2002/fc.htm?navAction=jump&promo=home2 +[2] http://www.quicktopic.com/boing/H/sWabFeGyB5u4C + + diff --git a/machine-learning-ex6/ex6/easy_ham/0180.5790a5f746fbfb83381a28a45889fd6d b/machine-learning-ex6/ex6/easy_ham/0180.5790a5f746fbfb83381a28a45889fd6d new file mode 100644 index 0000000..349fe57 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0180.5790a5f746fbfb83381a28a45889fd6d @@ -0,0 +1,25 @@ +From rssfeeds@example.com Tue Oct 8 10:55:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B1EF716F17 + for ; Tue, 8 Oct 2002 10:55:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:43 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98814K06118 for + ; Tue, 8 Oct 2002 09:01:04 +0100 +Message-Id: <200210080801.g98814K06118@dogma.slashnull.org> +To: zzzz@example.com +From: guardian +Subject: Police pay damages to journalist +Date: Tue, 08 Oct 2002 08:01:04 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-2,8655706,215/ +Date: 2002-10-08T03:31:00+01:00 + +BBC reporter Donal MacIntyre wins high profile libel case against police. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0181.d16658bb110eb37495081efa07319db1 b/machine-learning-ex6/ex6/easy_ham/0181.d16658bb110eb37495081efa07319db1 new file mode 100644 index 0000000..8dfb97e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0181.d16658bb110eb37495081efa07319db1 @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:56:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0BE0D16F03 + for ; Tue, 8 Oct 2002 10:56:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:12 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98815K06130 for + ; Tue, 8 Oct 2002 09:01:05 +0100 +Message-Id: <200210080801.g98815K06130@dogma.slashnull.org> +To: zzzz@example.com +From: guardian +Subject: 10 die as Israeli helicopter fires on Palestinian crowd +Date: Tue, 08 Oct 2002 08:01:05 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-2,8655710,215/ +Date: 2002-10-08T03:30:56+01:00 + +*World latest: *Hundreds of Palestinians vent their anger as dozens of Israeli +tanks withdrew after a gruelling three-hour raid on the Gaza strip. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0182.6a44fa290eebac4c52eb17292623b630 b/machine-learning-ex6/ex6/easy_ham/0182.6a44fa290eebac4c52eb17292623b630 new file mode 100644 index 0000000..2e4d85e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0182.6a44fa290eebac4c52eb17292623b630 @@ -0,0 +1,27 @@ +From rssfeeds@example.com Tue Oct 8 10:56:14 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 2927B16F03 + for ; Tue, 8 Oct 2002 10:56:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:14 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98816K06136 for + ; Tue, 8 Oct 2002 09:01:06 +0100 +Message-Id: <200210080801.g98816K06136@dogma.slashnull.org> +To: zzzz@example.com +From: guardian +Subject: Nobel prize for British and US scientists +Date: Tue, 08 Oct 2002 08:01:06 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-2,8655712,215/ +Date: 2002-10-08T03:30:54+01:00 + +*Medicine and health: *The discovery of the myriad little deaths which lead to +life brought the most coveted prize in world medicine to two Britons and an +American yesterday. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0183.fea0e7b48e16103e73462d5ee52b0d18 b/machine-learning-ex6/ex6/easy_ham/0183.fea0e7b48e16103e73462d5ee52b0d18 new file mode 100644 index 0000000..ba0a59a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0183.fea0e7b48e16103e73462d5ee52b0d18 @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:56:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 10C6216F03 + for ; Tue, 8 Oct 2002 10:56:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:16 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98816K06139 for + ; Tue, 8 Oct 2002 09:01:06 +0100 +Message-Id: <200210080801.g98816K06139@dogma.slashnull.org> +To: zzzz@example.com +From: guardian +Subject: Dawn raids stoke fires of resentment +Date: Tue, 08 Oct 2002 08:01:06 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-2,8655713,215/ +Date: 2002-10-08T03:30:53+01:00 + +*Afghanistan: *In his final report one year from the beginning of the US +campaign *Rory McCarthy* finds mounting anger at the military presence. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0184.9006c74135af56c874879f0d45c1a689 b/machine-learning-ex6/ex6/easy_ham/0184.9006c74135af56c874879f0d45c1a689 new file mode 100644 index 0000000..1d9b942 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0184.9006c74135af56c874879f0d45c1a689 @@ -0,0 +1,27 @@ +From rssfeeds@example.com Tue Oct 8 10:56:18 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 2B97E16F17 + for ; Tue, 8 Oct 2002 10:56:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:18 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98816K06142 for + ; Tue, 8 Oct 2002 09:01:06 +0100 +Message-Id: <200210080801.g98816K06142@dogma.slashnull.org> +To: zzzz@example.com +From: guardian +Subject: Factories go flat while we dither over the euro +Date: Tue, 08 Oct 2002 08:01:06 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-2,8655714,215/ +Date: 2002-10-08T03:30:52+01:00 + +*Business: *The long-awaited recovery in Britain's manufacturing sector ground +to a halt in August, despite a sharp rise in car production, official figures +showed yesterday. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0185.2ed7f65beefa89e31abb4fbc75c18956 b/machine-learning-ex6/ex6/easy_ham/0185.2ed7f65beefa89e31abb4fbc75c18956 new file mode 100644 index 0000000..71bfdf0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0185.2ed7f65beefa89e31abb4fbc75c18956 @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:55:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6FFA416F03 + for ; Tue, 8 Oct 2002 10:55:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:55:49 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9881LK06175 for + ; Tue, 8 Oct 2002 09:01:21 +0100 +Message-Id: <200210080801.g9881LK06175@dogma.slashnull.org> +To: zzzz@example.com +From: newscientist +Subject: New Solar System body revealed +Date: Tue, 08 Oct 2002 08:01:21 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-1,8640496,1440/ +Date: Not supplied + +The largest object found since 1930 is half the size of Pluto, and calls that +object's planetary status into question + + diff --git a/machine-learning-ex6/ex6/easy_ham/0186.5abf85594c3b8c40a105eed1154569ed b/machine-learning-ex6/ex6/easy_ham/0186.5abf85594c3b8c40a105eed1154569ed new file mode 100644 index 0000000..344c01c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0186.5abf85594c3b8c40a105eed1154569ed @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:56:13 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 32EC516F16 + for ; Tue, 8 Oct 2002 10:56:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:13 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9881MK06178 for + ; Tue, 8 Oct 2002 09:01:22 +0100 +Message-Id: <200210080801.g9881MK06178@dogma.slashnull.org> +To: zzzz@example.com +From: newscientist +Subject: Man leads machine in chess duel +Date: Tue, 08 Oct 2002 08:01:22 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-1,8643939,1440/ +Date: Not supplied + +World chess champion Vladimir Kramnik takes the lead over the computer Deep +Fritz, after the machine makes a peculiar mistake + + diff --git a/machine-learning-ex6/ex6/easy_ham/0187.3e01234a92697a2a414ed394ad7177ed b/machine-learning-ex6/ex6/easy_ham/0187.3e01234a92697a2a414ed394ad7177ed new file mode 100644 index 0000000..6f825b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0187.3e01234a92697a2a414ed394ad7177ed @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:56:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1F65B16F17 + for ; Tue, 8 Oct 2002 10:56:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:15 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9881MK06181 for + ; Tue, 8 Oct 2002 09:01:22 +0100 +Message-Id: <200210080801.g9881MK06181@dogma.slashnull.org> +To: zzzz@example.com +From: newscientist +Subject: Human handshake opens data stream +Date: Tue, 08 Oct 2002 08:01:22 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-1,8639021,1440/ +Date: Not supplied + +A new Japanese system allows palmtop computers to swap large amounts of data +when their owners shake hands + + diff --git a/machine-learning-ex6/ex6/easy_ham/0188.a7f061d0c2c0395922993a874d534dcb b/machine-learning-ex6/ex6/easy_ham/0188.a7f061d0c2c0395922993a874d534dcb new file mode 100644 index 0000000..88cb7a2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0188.a7f061d0c2c0395922993a874d534dcb @@ -0,0 +1,26 @@ +From rssfeeds@example.com Tue Oct 8 10:56:17 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 37E1116F16 + for ; Tue, 8 Oct 2002 10:56:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:17 +0100 (IST) +Received: from dogma.slashnull.org (localhost [127.0.0.1]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9881MK06184 for + ; Tue, 8 Oct 2002 09:01:22 +0100 +Message-Id: <200210080801.g9881MK06184@dogma.slashnull.org> +To: zzzz@example.com +From: newscientist +Subject: Geneticists and a tiny worm win Nobel prize +Date: Tue, 08 Oct 2002 08:01:22 -0000 +Content-Type: text/plain; encoding=utf-8 + +URL: http://www.newsisfree.com/click/-1,8639022,1440/ +Date: Not supplied + +The medicine prize goes to research that revealed how cell suicide sculpts the +body and - when disrupted - causes disease + + diff --git a/machine-learning-ex6/ex6/easy_ham/0189.01e4dc6ee1379e5ee100b4c33c9c3afd b/machine-learning-ex6/ex6/easy_ham/0189.01e4dc6ee1379e5ee100b4c33c9c3afd new file mode 100644 index 0000000..1367354 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0189.01e4dc6ee1379e5ee100b4c33c9c3afd @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:56:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 79DB116F16 + for ; Tue, 8 Oct 2002 10:56:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g988mPK07565 for + ; Tue, 8 Oct 2002 09:48:25 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g988i1f16827; Tue, 8 Oct 2002 10:44:02 + +0200 +Received: from chip.ath.cx (cs146114.pp.htv.fi [213.243.146.114]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g988hGf13093 for + ; Tue, 8 Oct 2002 10:43:16 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g988hASA018848 for ; + Tue, 8 Oct 2002 11:43:10 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g988h9j2018844 for + ; Tue, 8 Oct 2002 11:43:10 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: a problem with apt-get +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 11:43:09 +0300 (EEST) +Date: Tue, 8 Oct 2002 11:43:09 +0300 (EEST) + +On Mon, 7 Oct 2002, Thomas Vander Stichele wrote: + +> Hi, +> +> In my build scripts, I have problems with some of the kernel packages. +> +> For kernel-sources, I get : +> +> Package kernel-source is a virtual package provided by: +> kernel-source#2.4.18-3 2.4.18-3 +> kernel-source#2.4.18-3 2.4.18-3 +> +> on running apt-get install kernel-source +> +> Now, first of all, this doesn't really tell me what the two options are ;) +> Second, is there some way I can tell apt-get to install either ? This is +> done from automatic build scripts so I'd like it to proceed anyway. + +That's just apt's way of telling you the package is in "AllowDuplicated", +meaning multiple versions of the package can be installed at the same +time. Yes the output is a bit strange.. especially when there's only one +version available. + +'apt-get install kernel-source#2.4.18-3' will install it... + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0190.41da72c46bce52a15056a0171b56a917 b/machine-learning-ex6/ex6/easy_ham/0190.41da72c46bce52a15056a0171b56a917 new file mode 100644 index 0000000..8d28488 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0190.41da72c46bce52a15056a0171b56a917 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:56:24 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 2456416F17 + for ; Tue, 8 Oct 2002 10:56:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 10:56:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g988s2K07757 for + ; Tue, 8 Oct 2002 09:54:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g988n1f06917; Tue, 8 Oct 2002 10:49:01 + +0200 +Received: from chip.ath.cx (cs146114.pp.htv.fi [213.243.146.114]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g988m9f02272 for + ; Tue, 8 Oct 2002 10:48:09 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g988m3SA018868 for ; + Tue, 8 Oct 2002 11:48:03 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g988m3s2018864 for + ; Tue, 8 Oct 2002 11:48:03 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +In-Reply-To: <20021007103831.642c1bbb.hosting@j2solutions.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 11:48:01 +0300 (EEST) +Date: Tue, 8 Oct 2002 11:48:01 +0300 (EEST) + +On Mon, 7 Oct 2002, Jesse Keating wrote: + +> On Mon, 7 Oct 2002 19:28:51 +0200 +> Matthias Saou wrote: +> +> # I've never heard of any CD-ROM or DVD-ROM drive having problems with +> # DMA... although there probably is since Red Hat decided to default +> # disabling it a few releases back :-/ +> +> When I worked as a PC repair tech for a Computer store chain, I did +> run across quite a few DVD drives that would lock up if DMA was +> enabled. It's more of a chipset/drive problem than a Drive by itself. + +And my IBM Intellistation would lock up instantly .. now this is actually +quite funny .. if DMA was enabled for the CD-ROM *and* you tried to access +a CD with Joliet extensions. Otherwise it worked just fine with DMA +enabled :) + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0191.314e2f68086989044e631e347a03b979 b/machine-learning-ex6/ex6/easy_ham/0191.314e2f68086989044e631e347a03b979 new file mode 100644 index 0000000..149ffaf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0191.314e2f68086989044e631e347a03b979 @@ -0,0 +1,68 @@ +From ilug-admin@linux.ie Tue Oct 8 11:13:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 15A8716F16 + for ; Tue, 8 Oct 2002 11:13:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 11:13:35 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98A7PK10544 for + ; Tue, 8 Oct 2002 11:07:26 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 60B92341EE; Tue, 8 Oct 2002 11:08:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from linuxmafia.com (linuxmafia.COM [198.144.195.186]) by + lugh.tuatha.org (Postfix) with ESMTP id 877B5341E1 for ; + Tue, 8 Oct 2002 11:07:04 +0100 (IST) +Received: from rick by linuxmafia.com with local (Exim 3.36 #1 (Debian)) + id 17yrJU-0001Ph-00 for ; Tue, 08 Oct 2002 03:10:04 -0700 +To: ilug@linux.ie +Subject: Re: [ILUG] packaging risks and the reputation of linux distributions +Message-Id: <20021008100959.GL11235@linuxmafia.com> +References: <200210081058.50438.brendan@zen.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <200210081058.50438.brendan@zen.org> +User-Agent: Mutt/1.4i +X-Mas: Bah humbug. +From: Rick Moen +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 03:09:59 -0700 +Date: Tue, 8 Oct 2002 03:09:59 -0700 + +Quoting Brendan Kehoe (brendan@zen.org): + +> As a workaround, the various distributions could use a GPG singature +> to verify correctness of the file. Since the distributor's secret key +> is required to create that signature, it would add a pretty +> significant step that would have to be taken to make it possible to +> replace both a rpm or apt file and its accompanying signature. + +There are complex problems inherent in attempts to implement this. +http://linuxmafia.com/~rick/linux-info/debian-package-signing + +-- +Cheers, My pid is Inigo Montoya. You kill -9 +Rick Moen my parent process. Prepare to vi. +rick@linuxmafia.com +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0192.550b44c030296255a8b7ac293f296a01 b/machine-learning-ex6/ex6/easy_ham/0192.550b44c030296255a8b7ac293f296a01 new file mode 100644 index 0000000..2a498a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0192.550b44c030296255a8b7ac293f296a01 @@ -0,0 +1,74 @@ +From ilug-admin@linux.ie Tue Oct 8 12:26:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E41D916F03 + for ; Tue, 8 Oct 2002 12:26:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:26:47 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98APSK11003 for + ; Tue, 8 Oct 2002 11:25:28 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id CAF5134206; Tue, 8 Oct 2002 11:26:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from dspsrv.com (vir.dspsrv.com [193.120.211.34]) by + lugh.tuatha.org (Postfix) with ESMTP id C0B96341E1 for ; + Tue, 8 Oct 2002 11:25:08 +0100 (IST) +Received: from [195.17.199.3] (helo=waider.ie) by dspsrv.com with asmtp + (Exim 3.36 #1) id 17yrY3-0000WN-00; Tue, 08 Oct 2002 11:25:07 +0100 +Message-Id: <3DA2B226.2060209@waider.ie> +From: Waider +MIME-Version: 1.0 +To: brendan@zen.org +Cc: ilug@linux.ie +Subject: Re: [ILUG] packaging risks and the reputation of linux distributions +References: <200210081058.50438.brendan@zen.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 12:23:34 +0200 +Date: Tue, 08 Oct 2002 12:23:34 +0200 + +Brendan Kehoe wrote: +> As a workaround, the various distributions could use a GPG singature to verify +> correctness of the file. Since the distributor's secret key is required to +> create that signature, it would add a pretty significant step that would have +> to be taken to make it possible to replace both a rpm or apt file and its +> accompanying signature. + +Check your local friendly Red Hat installation: + +[root@localhost up2date]# rpm --checksig zsh-4.0.2-2.src.rpm +zsh-4.0.2-2.src.rpm: md5 gpg ok + +Of course, this is only as useful as, say, the gpg keys distributed with +the Kernel tarballs, i.e. if you don't actually bother checking the sig +then you are open to abuse. It's entirely possible that rpm can be +configured to require good signatures, but I've not read that part of +the fine manual just yet. + +Cheers, +Waider. +-- +waider@waider.ie / Yes, it /is/ very personal of me + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0193.74f52046990258e5eb60e561dcd8c2fd b/machine-learning-ex6/ex6/easy_ham/0193.74f52046990258e5eb60e561dcd8c2fd new file mode 100644 index 0000000..5f5c021 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0193.74f52046990258e5eb60e561dcd8c2fd @@ -0,0 +1,74 @@ +From webdev-admin@linux.ie Tue Oct 8 12:26:53 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 82C0016F03 + for ; Tue, 8 Oct 2002 12:26:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:26:53 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98AjNK11667 for + ; Tue, 8 Oct 2002 11:45:23 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 89BAA340A2; Tue, 8 Oct 2002 11:46:04 +0100 (IST) +Delivered-To: linux.ie-webdev@localhost +Received: from mail.tradesignals.com (unknown [217.75.2.27]) by + lugh.tuatha.org (Postfix) with ESMTP id 42BEA340A2 for ; + Tue, 8 Oct 2002 11:45:21 +0100 (IST) +Received: from docaoimh.tradesignals.com (docaoimh.tradesignals.com + [192.168.1.26]) by mail.tradesignals.com (8.11.6/8.11.6) with ESMTP id + g98AjGe06455; Tue, 8 Oct 2002 11:45:16 +0100 +Received: from docaoimh.tradesignals.com (localhost.localdomain + [127.0.0.1]) by docaoimh.tradesignals.com (8.12.5/8.12.5) with ESMTP id + g98AgeiK002392; Tue, 8 Oct 2002 11:42:40 +0100 +Received: from localhost (localhost [[UNIX: localhost]]) by + docaoimh.tradesignals.com (8.12.5/8.12.5/Submit) id g98AgdeN002390; + Tue, 8 Oct 2002 11:42:39 +0100 +Content-Type: text/plain; charset="iso-8859-1" +From: Donncha O Caoimh +To: , +Subject: Re: [Webdev] mod_usertrack +User-Agent: KMail/1.4.3 +References: +In-Reply-To: +MIME-Version: 1.0 +Message-Id: <200210081142.39259.donncha.ocaoimh@tradesignals.com> +Sender: webdev-admin@linux.ie +Errors-To: webdev-admin@linux.ie +X-Beenthere: webdev@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 11:42:39 +0100 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g98AjNK11667 + +Thanks for the info AJ, I found "weblog" at +http://awsd.com/scripts/weblog/index.shtml which has some click-path +reporting. It's simple, but works. Report generation takes a bit though, even +with dns resolution turned off.. + +Donncha. + + +On Monday 07 October 2002 23:35, AJ McKee wrote: +> Donncha, +> +> I've been using mod_usertrack for a good while now. I use in by default in +> every vhost that I set up. I assign a cookie name and set the expiry for +> about a year. I have to say it looks ok. A few things to note though. If a +_______________________________________________ +Webdev mailing list +Webdev@linux.ie +http://www.linux.ie/mailman/listinfo/webdev + + diff --git a/machine-learning-ex6/ex6/easy_ham/0194.1f268aec480b5dcc15dcfd1b3ba5f005 b/machine-learning-ex6/ex6/easy_ham/0194.1f268aec480b5dcc15dcfd1b3ba5f005 new file mode 100644 index 0000000..dae9042 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0194.1f268aec480b5dcc15dcfd1b3ba5f005 @@ -0,0 +1,174 @@ +From sentto-2242572-56009-1034075149-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 731DF16F03 + for ; Tue, 8 Oct 2002 12:27:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:15 +0100 (IST) +Received: from n20.grp.scd.yahoo.com (n20.grp.scd.yahoo.com + [66.218.66.76]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98B5CK12365 for ; Tue, 8 Oct 2002 12:05:12 +0100 +X-Egroups-Return: sentto-2242572-56009-1034075149-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n20.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:05:52 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:05:49 -0000 +Received: (qmail 41834 invoked from network); 8 Oct 2002 11:04:02 -0000 +Received: from unknown (66.218.66.216) by m9.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:04:02 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta1.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:04:03 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g98B42304365 for + ; Tue, 8 Oct 2002 12:04:02 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 8 Oct 02 12:04:01 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 8 Oct 02 12:03:56 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3DA2C9B0.1469.5C8ED72@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 8 Oct 2002 12:03:55 +0100 +Subject: [zzzzteana] Fake bank website cons victims +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>>From the BBC website - www.bbc.co.uk + + Tuesday, 8 October, 2002, 09:43 GMT 10:43 UK + + Fake bank website cons victims + + West African criminals have used a fake version of a British bank's online + service to milk victims of cash, say police. The fake site was used to squeeze + more money out of people they had already hooked. + + The site has been shut down. But UK National Criminal Intelligence Service, + (NCIS), said at least two Canadians had lost more than $100,000 after being + taken in by the fake website. + + The scam behind the fake web domain was the familiar one that offers people a + share of the huge sums of money they need moved out of various African + nations. + + NCIS said the use of the web was helping the conmen hook victims that would + otherwise spot the scam. + + Convincing site + + News of this latest scam was revealed by BBC Radio5Live. It found that an + unclaimed web domain of a UK bank had been used by conmen to get more cash out + their victims. + + A NCIS spokesman said the domain looked legitimate because it had "the" in + front of the bank's name. + + "I have seen the microsite myself and it's very sophisticated," said the NCIS + spokesman. "It's very convincing especially to people not very experienced + online." + + Once the con was discovered it was quickly shut down. However, the people + behind it have not been caught. + + NCIS does know that at least two people have lost more than $100,000. + + The bank involved has bought up the domain used in the con as well as many + other permutations of its name to limit the chance it could happen again. + + Domain games + + Usually people are first hooked in to what has become known as Advanced Fee or + 419 fraud by replying to an unsolicited fax or e-mail offering a share of any + cash successfully moved out of Africa. + + The '419' refers to the part of the Nigerian penal code dealing with such + crimes. + + Like any con, there is no money to be moved at all and instead anyone taking + the bait is asked to pay increasingly large sums to supposedly bribe + uncooperative officials and to smooth the passage of the cash. + + Although this con has been practiced for years, people still fall victim to + it. + + NCIS estimates that up to five Americans are sitting in hotel lobbies in + London everyday waiting to meet people connected with this con. + + Cutting edge fraud + + Often the conmen provide fake banking certificates to give the con an air of + legitimacy. + + + People tricked into clicking on fake sites + + But a spokesman for NCIS said fake or spoof websites are now being used in + place of the certificates. + + "To many people nowadays the cutting edge of banking technology is web + technology," said the spokesman. + + One of the first groups of conmen to use this method set up a fake website + that supposedly gave victims access to accounts held at the South African + Reserve Bank, the country's national bank. + + Typically, victims are given a login name and password and are encouraged to + visit the site so they can see that the cash they are getting a share of has + been deposited in their name. + + But before they can get their hands on the cash, the victims are typically + asked to hand over more of their own money to help the transfer go ahead. + + Once the South African police discovered the ruse they declared it a national + priority crime and soon arrested the 18 people behind it. + + Modern gloss + + An briefing paper prepared by NCIS in August on organised crime noted that + criminals were increasingly turning to the web to lure new victims and give + old cons a modern gloss. + + The NCIS spokesman urged people who have fallen victim to 419 fraud to come + forward and help it track down the perpetrators. He said in the last two + months it had arrested 24 people overseas involved with this type of fraud. + + He said any e-mail, fax or letter making an offer that looks to good too be + true, undoubtedly is. + + One of the first companies to fall victim to website spoofing was net payment + service Paypal. + + Conmen set up a fake site and asked people to visit and re-enter their account + and credit card details because Paypal had lost the information. + + The website link included in the e-mail looked legitimate but in fact directed + people to a fake domain that gathered details for the conmen's personal use. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home for Top $ +http://us.click.yahoo.com/RrPZMC/jTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0195.9805aa7e0cec44d00677990ad4db450d b/machine-learning-ex6/ex6/easy_ham/0195.9805aa7e0cec44d00677990ad4db450d new file mode 100644 index 0000000..7ed1457 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0195.9805aa7e0cec44d00677990ad4db450d @@ -0,0 +1,95 @@ +From sentto-2242572-56010-1034075461-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:19 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 4C7C016F16 + for ; Tue, 8 Oct 2002 12:27:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:18 +0100 (IST) +Received: from n40.grp.scd.yahoo.com (n40.grp.scd.yahoo.com + [66.218.66.108]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98BAdK12700 for ; Tue, 8 Oct 2002 12:10:39 +0100 +X-Egroups-Return: sentto-2242572-56010-1034075461-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n40.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:11:04 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:11:01 -0000 +Received: (qmail 60866 invoked from network); 8 Oct 2002 11:11:01 -0000 +Received: from unknown (66.218.66.218) by m9.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:11:01 -0000 +Received: from unknown (HELO gadolinium.btinternet.com) (194.73.73.111) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:11:02 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by gadolinium.btinternet.com with esmtp (Exim 3.22 #8) id 17ysGU-0004CB-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 12:11:02 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 12:10:07 +0100 +Subject: [zzzzteana] Uncle Mark seeks parole +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://news.bbc.co.uk/1/hi/entertainment/showbiz/2308581.stm + +Tuesday, 8 October, 2002, 07:55 GMT 08:55 UK +Lennon killer seeks parole again + +The man who shot dead former Beatle John Lennon is making another bid for +early release from prison - the day before what would have been Lennon's +62nd birthday. +Mark David Chapman, 47, was jailed for life after he admitted killing the +superstar outside his New York apartment building in 1980. +It is the second time in two years that Chapman has sought parole from +Attica state prison. +At a 2000 hearing, he argued that he was no longer a danger to society and +had overcome the psychological problems which led him to shoot the +ex-Beatle. +Chapman had said that a voice in his head told him to shoot the star. +Shot dead +Lennon was shot four times as he emerged from a limousine outside his New +York City apartment on 8 December 1980. +He and his wife Yoko Ono were returning from a late-night recording session +during which time they had been working on Walking on Thin Ice. +Only hours before the shooting, Chapman - who had come to New York from +Hawaii - was photographed with the singer outside the same building as +Lennon signed a copy of his album Double Fantasy for him. +The killer said Lennon had been just "a picture on an album cover" to him +before the shooting. +'Deserved death' +Chapman has said that he should have received the death penalty for his +crime. +Lennon's widow told the 2000 parole hearing that she would not feel safe if +Chapman were released. +Lennon's songwriting partnership with Paul McCartney propelled the +Liverpool-based pop group to international stardom and unparalleled +commercial success. +The Beatles front man, peace campaigner, and all-round iconoclast, would +have been 62 on Wednesday. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0196.0e960d0db312a26fade743e699ac5428 b/machine-learning-ex6/ex6/easy_ham/0196.0e960d0db312a26fade743e699ac5428 new file mode 100644 index 0000000..2a6c6ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0196.0e960d0db312a26fade743e699ac5428 @@ -0,0 +1,71 @@ +From ilug-admin@linux.ie Tue Oct 8 12:27:06 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B489C16F03 + for ; Tue, 8 Oct 2002 12:27:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:05 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98BDQK12743 for + ; Tue, 8 Oct 2002 12:13:27 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 8EC2E340D5; Tue, 8 Oct 2002 12:14:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from mail05.svc.cra.dublin.eircom.net + (mail05.svc.cra.dublin.eircom.net [159.134.118.21]) by lugh.tuatha.org + (Postfix) with SMTP id 2D2C0340A2 for ; Tue, 8 Oct 2002 + 12:13:01 +0100 (IST) +Received: (qmail 90525 messnum 458261 invoked from + network[159.134.229.14/p270.as3.adl.dublin.eircom.net]); 8 Oct 2002 + 11:13:01 -0000 +Received: from p270.as3.adl.dublin.eircom.net (HELO ?192.168.2.138?) + (159.134.229.14) by mail05.svc.cra.dublin.eircom.net (qp 90525) with SMTP; + 8 Oct 2002 11:13:01 -0000 +MIME-Version: 1.0 +X-Sender: lbedford_mail@lon2.siliq.net +Message-Id: +In-Reply-To: <20021008111138.GF18266@fiachra.ucd.ie> +References: <20021008111138.GF18266@fiachra.ucd.ie> +To: Irish Linux Users Group +From: Liam Bedford +Subject: Re: [ILUG] cheap linux PCs +Content-Type: text/plain; charset="iso-8859-1" ; format="flowed" +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 12:12:59 +0100 +Date: Tue, 8 Oct 2002 12:12:59 +0100 + +>I'd normally never buy this but the Xbox is Eur300 on IOL's shop, a very +>large company are making a loss on it and: +> +>http://xbox-linux.sourceforge.net/articles.php?aid=1&sub=Press%20Release%3A%20Xbox%20Linux%20Mandrake%209%20Released +> +>Mandrake has been released for it. + +isn't it ¤250 in Smyths? + +don't forget to add to that the modchip, and the time to put it on. + +(/me thinks unless you want 3d graphics, www.mini-itx.com is the way to go :)) + +L. +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0197.59ea60c031993abdccb762f9dbb35340 b/machine-learning-ex6/ex6/easy_ham/0197.59ea60c031993abdccb762f9dbb35340 new file mode 100644 index 0000000..7a374b8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0197.59ea60c031993abdccb762f9dbb35340 @@ -0,0 +1,130 @@ +From sentto-2242572-56011-1034075737-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3DBE916F17 + for ; Tue, 8 Oct 2002 12:27:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:20 +0100 (IST) +Received: from n18.grp.scd.yahoo.com (n18.grp.scd.yahoo.com + [66.218.66.73]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98BEuK12758 for ; Tue, 8 Oct 2002 12:14:56 +0100 +X-Egroups-Return: sentto-2242572-56011-1034075737-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.200] by n18.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:15:37 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:15:37 -0000 +Received: (qmail 58250 invoked from network); 8 Oct 2002 11:15:36 -0000 +Received: from unknown (66.218.66.217) by m8.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:15:36 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta2.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:15:36 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ysKt-00048e-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 12:15:35 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 12:14:41 +0100 +Subject: [zzzzteana] Bashing the bishop +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.guardian.co.uk/religion/Story/0,2763,806744,00.html + +Evangelicals' threat to new archbishop + +Direct action threat over liberal views on sexuality + +Stephen Bates, religious affairs correspondent +Tuesday October 8, 2002 +The Guardian + +Evangelical fundamentalists last night stepped up their campaign to oust +Rowan Williams, the incoming Archbishop of Canterbury, before he even takes +up his post, by threatening to take "direct action" against him. +The council of the Church Society, the Church of England's oldest +evangelical body, joined a younger evangelical pressure group called Reform, +which is also opposed to Dr Williams, in calling on him to recant his +supposedly liberal views on sexuality or stand down. +Following an emergency meeting, the 167-year-old society, whose leaders met +the archbishop last week, proclaimed their continued opposition to his +appointment and called on all Anglicans to spurn him. +The move is the latest stage of an increasingly aggressive attempt to +destabilise the new archbishop, whose leftwing political views are regarded +with deep suspicion by the conservative fringes of the evangelical movement. +Some evangelicals object to Dr Williams's acknowledgement that he has +ordained a gay priest, something many bishops have done, and that those who +have sex outside marriage need not necessarily be spurned. The new +archbishop has repeatedly assured them that he respects the canons of the +church. +Nevertheless, the society said: "It is clear that he prefers his private +judgment to the voice of scripture, to the voice of tradition and to the +common mind of the church. As such he can only be a focus of disunity. +"The council... called upon loyal Anglicans to pray specifically that Rowan +Williams would see the error in his teaching, change his views or stand +down," it said. +The society claimed to have drawn up an "action plan," including calling on +bishops and primates of the 70 million worldwide Anglican communion, of +which archbishops of Canterbury are the leaders, to distance themselves from +Dr Williams's doctrinal and ethical position. It promised it would be +"taking steps towards appropriate direct action". +It added that Dr Williams remained on the editorial board of a journal +called Theology and Sexuality which, six months ago, published articles +allegedly commending homosexual behaviour. +Despite its claim, the society does not represent the common mind of the +church. Dr Williams, currently Archbishop of Wales, was chosen by the crown +appointments commission of church members, including evangelicals, and his +appointment was endorsed by the prime minister and the Queen. +He is due to succeed George Carey, who retires this month, and will be +formally enthroned at Canterbury cathedral in February. +Asked what form direct action might take, the Rev George Curry, the +society's chairman, said: "Watch this space." Presumably it could involve a +small minority of parishes repudiating the new archbishop and seeking +alternative oversight or even demonstrations at services where Dr Williams +is present. +Church of England bishops, who have hitherto largely kept their heads down +during the row, are meeting next week to discuss their response to the +evangelical extremists' challenge, which appears to have grown in the +absence of a robust rebuttal. +A letter by senior theologians in today's Guardian, however, repudiates the +evangelicals' tactics, calling them unseemly and contrary to biblical +teaching. +On the BBC's Thought for the Day yesterday, Angela Tilby, vice-principal of +Westcott House, Cambridge, accused Dr Williams's opponents of presumption +and blackmail. "It is in fact a thoroughly aggressive way to behave. It is +attempting to force an issue by emotional violence... manipulating to get +your way is often preferable to painstaking negotiation," she said. +Last week, Dr Williams said he was deeply saddened. "Matters of sexuality +should not have the priority or centrality that Reform and the Church +Society have tried to give them. The archbishop cannot withdraw his +appointment since so many, including evangelicals, have urged him to take +the post... the archbishop believes it to be his duty under God." + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0198.62d2556d8ae158aa2b1410cb82bfff59 b/machine-learning-ex6/ex6/easy_ham/0198.62d2556d8ae158aa2b1410cb82bfff59 new file mode 100644 index 0000000..c2d7d50 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0198.62d2556d8ae158aa2b1410cb82bfff59 @@ -0,0 +1,94 @@ +From sentto-2242572-56012-1034075806-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 057B416F16 + for ; Tue, 8 Oct 2002 12:27:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:26 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98BHvK12946 for ; Tue, 8 Oct 2002 12:17:57 +0100 +X-Egroups-Return: sentto-2242572-56012-1034075806-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n16.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:16:46 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:16:46 -0000 +Received: (qmail 43293 invoked from network); 8 Oct 2002 11:16:46 -0000 +Received: from unknown (66.218.66.218) by m15.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:16:46 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:16:46 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ysM1-00048e-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 12:16:45 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 12:15:50 +0100 +Subject: [zzzzteana] And deliver us from weevil +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.guardian.co.uk/climatechange/story/0,12374,806695,00.html + +Weevil pest warms to life in south-west London + +James Meek, science correspondent +Tuesday October 8, 2002 +The Guardian + +They're chomping in Chelsea, Fulham and Pimlico, but despite their fancy +taste in London addresses they are neither posh nor particularly fussy: they +are vine weevils and they want to eat your plants. +Two species of vine weevil previously unable to survive Britain's cold +winters have been discovered in south-west London, and one has also been +detected in Surrey, Cardiff and Edinburgh. +"This is probably the most serious new garden pest in recent memory," said +Max Barclay, the curator of beetles at the Natural History Museum in London +who discovered the creatures in the UK. +The black vine weevil has long been native to Britain, causing enormous +damage to glossy leaved plants such as laurels. But the two new species, +otiorhynchus armadillo and otiorhynchus salicicola, not previously known +north of Switzerland, are now prevalent in south London. "It's very likely +these weevils have been introduced to Britain through imported ornamental +plants from Italy," said Dr Barclay. "It looks like they're here to stay." +He found otiorhynchus armadillo on the window of a Chelsea department store +in 1998, but as the shop sold imported house plants, he assumed it was a +migrant. It has now quietly become the most common species of vine weevil in +south-west London. The second invader is not so numerous, but has +established itself firmly in the same area. +Apart from laurels, vine weevils attack bay, viburnum, ornamental ivy, and +grape vines. An early sign of trouble is that notches appear in leaves. The +soil-dwelling larvae bite the roots off below the surface. +One possible explanation for the invaders' successful colonisation of +Britain is global warming. Earlier springs and milder winters are already a +fact. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0199.4596bad9aa0a3cba6d7c678253725f5e b/machine-learning-ex6/ex6/easy_ham/0199.4596bad9aa0a3cba6d7c678253725f5e new file mode 100644 index 0000000..3ad7e4e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0199.4596bad9aa0a3cba6d7c678253725f5e @@ -0,0 +1,82 @@ +From spamassassin-devel-admin@lists.sourceforge.net Tue Oct 8 12:28:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1C20616F19 + for ; Tue, 8 Oct 2002 12:27:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g98BIUK12977 for ; Tue, 8 Oct 2002 12:18:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ysMO-0002G3-00; Tue, + 08 Oct 2002 04:17:08 -0700 +Received: from barry.mail.mindspring.net ([207.69.200.25]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ysMB-0003mv-00 for ; + Tue, 08 Oct 2002 04:16:55 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by barry.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17ysM9-0006bl-00 for + spamassassin-devel@lists.sourceforge.net; Tue, 08 Oct 2002 07:16:53 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 9BE8B40A1; Tue, 8 Oct 2002 04:16:52 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo CC +Message-Id: <20021008111652.9BE8B40A1@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1075] RPM build puts wrong path in the *.cf files +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 04:16:52 -0700 (PDT) +Date: Tue, 8 Oct 2002 04:16:52 -0700 (PDT) + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1075 + +spamassassin-contrib@msquadrat.de changed: + + What |Removed |Added +---------------------------------------------------------------------------- + CC| |spamassassin- + | |devel@lists.sourceforge.net + AssignedTo|spamassassin- |spamassassin- + |devel@lists.sourceforge.net |contrib@msquadrat.de + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-08 04:16 ------- +I'm gonna fix this one. I think the best solution will be to copy the modified +rules to blib and install them from there. Then the rules files will be +changed on build time and not install time, too. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. +You are on the CC list for the bug, or are watching someone who is. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/0200.f2cdb426806f3a924340a62789b6add9 b/machine-learning-ex6/ex6/easy_ham/0200.f2cdb426806f3a924340a62789b6add9 new file mode 100644 index 0000000..ffc1d69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0200.f2cdb426806f3a924340a62789b6add9 @@ -0,0 +1,124 @@ +From sentto-2242572-56013-1034075904-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 44A7E16F18 + for ; Tue, 8 Oct 2002 12:27:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:23 +0100 (IST) +Received: from n23.grp.scd.yahoo.com (n23.grp.scd.yahoo.com + [66.218.66.79]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98BHgK12940 for ; Tue, 8 Oct 2002 12:17:42 +0100 +X-Egroups-Return: sentto-2242572-56013-1034075904-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.200] by n23.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:18:24 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:18:23 -0000 +Received: (qmail 62648 invoked from network); 8 Oct 2002 11:18:23 -0000 +Received: from unknown (66.218.66.218) by m8.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:18:23 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:18:23 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ysNa-00048e-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 12:18:22 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 12:17:28 +0100 +Subject: [zzzzteana] Nobel astrophysicists +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Nobel Honors 3 for Astrophysics Work + +Tuesday October 8, 2002 12:00 PM +STOCKHOLM, Sweden (AP) - Two Americans and a Japanese won the Nobel Prize in +physics Tuesday for using some of the most obscure particles and waves in +nature to understand the workings of astronomy's grandest wonders. +Riccardo Giacconi, 71, of the Associated Universities Inc. in Washington, +D.C., will get half of the $1 million prize for his role in ``pioneering +contributions to astrophysics, which have led to the discovery of cosmic +X-ray sources.'' +Raymond Davis, Jr., 87, of the University of Pennsylvania shares the other +half of the prize with Japanese scientist Masatoshi Koshiba, 76, of the +University of Tokyo. The two men pioneered the construction of giant +underground chambers to detect neutrinos, elusive particles that stream from +the sun by the billion. +Neutrinos offer an unparalleled view of the sun's inner workings because +they are produced in its heart by the same process that causes it to shine. +In fact, Davis' early experiments, performed during the 1960s in a South +Dakota gold mine, confirmed that the sun is powered by nuclear fusion. +Koshiba won his share of the prize for his work at the Kamiokande neutrino +detector in Japan. That experiment confirmed and extended Davis' work, and +also discovered neutrinos coming from distant supernova explosions, some of +the brightest objects in the universe. +The Italian-born Giacconi, a U.S. citizen, was awarded half of the prize for +building the first X-ray telescopes that provided ``completely new - and +sharp - images of the universe,'' the academy said. +His research laid the foundation for X-ray astronomy, which has led to the +discovery of black holes and allowed researchers to peer deep into the +hearts of the dusty young galaxies where stars are born. +When academy officials reached Giacconi by phone at his home outside +Washington, he said he was ``dumbstruck'' to learn of the prize. Koshiba +also was phoned at home in Tokyo, but the academy was still trying to reach +Davis, spokesman Erling Norrby said. +This year's Nobel awards started Monday with the naming of Britons Sydney +Brenner, 75, and Sir John E. Sulston, 60, and American H. Robert Horvitz, +55, as winners of the medicine prize, selected by a committee at the +Karolinska Institute. +The researchers shared it for discoveries about how genes regulate organ +growth and a process of programmed cell deaths that shed light on how +viruses and bacteria invade human cells, including in conditions such as +AIDS, strokes, cancer and heart attacks. +The winner of the Nobel Prize in chemistry will be named on Wednesday +morning and the Bank of Sweden Prize in Economic Sciences in Memory of +Alfred Nobel later the same day. +The literature prize winner will be announced on Thursday, the Swedish +Academy said on Tuesday. +The winner of the coveted peace prize - the only one not awarded in Sweden - +will be announced Friday in Oslo, Norway. +The award committees make their decisions in deep secrecy and candidates are +not publicly revealed for 50 years. +Alfred Nobel, the wealthy Swedish industrialist and inventor of dynamite who +endowed the prizes left only vague guidelines for the selection committees. +In his will he said the prize being revealed on Tuesday should be given to +those who ``shall have conferred the greatest benefit on mankind'' and +``shall have made the most important discovery or invention within the field +of physics.'' +The Royal Swedish Academy of Sciences, which also chooses the chemistry and +economics winners, invited nominations from previous recipients and experts +in the fields before cutting down its choices. Deliberations are conducted +in strict secrecy. +The prizes are presented on Dec. 10, the anniversary of Nobel's death in +1896, in Stockholm and in Oslo. +--- +On the Net: +Nobel site, http://www.nobel.se + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0201.9381ed9aa6cd60f2111acb409240a00b b/machine-learning-ex6/ex6/easy_ham/0201.9381ed9aa6cd60f2111acb409240a00b new file mode 100644 index 0000000..f8b59da --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0201.9381ed9aa6cd60f2111acb409240a00b @@ -0,0 +1,89 @@ +From sentto-2242572-56014-1034075987-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 12:27:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0BE9816F17 + for ; Tue, 8 Oct 2002 12:27:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 12:27:28 +0100 (IST) +Received: from n27.grp.scd.yahoo.com (n27.grp.scd.yahoo.com + [66.218.66.83]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98BJ8K12989 for ; Tue, 8 Oct 2002 12:19:08 +0100 +X-Egroups-Return: sentto-2242572-56014-1034075987-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n27.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 11:19:49 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 11:19:47 -0000 +Received: (qmail 76868 invoked from network); 8 Oct 2002 11:19:46 -0000 +Received: from unknown (66.218.66.218) by m9.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 11:19:46 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 11:19:48 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ysOx-00048e-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 12:19:47 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 12:18:52 +0100 +Subject: [zzzzteana] Lioness adopts fifth antelope +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.guardian.co.uk/international/story/0,3604,806579,00.html + +Lioness adopts fifth antelope + +Rory Carroll, Africa correspondent +Tuesday October 8, 2002 +The Guardian + +Kamuniak the dysfunctional lioness has forfeited another meal by adopting +her fifth baby oryx this year, an aberration of nature which has baffled +wildlife experts. +The young lioness in the Samburu national park in northern Kenay adopted her +latest baby at the weekend, a wildlife service warden said yesterday. +Each time Kamuniak, whose name means "the blessed one" in the local Samburu +tongue, has tried to protect the antelopes from other predators and allowed +the natural mothers to feed them. +Unfortunately for her, one oryx ended up in the belly of a male lion while +Kamuniak slept; the others were either rescued by wardens or retrieved by +their natural mothers. +The wardens think the latest adoptee, nicknamed Naisimari ("taken by +force"), was adopted at the weekend. +"She must have adopted her on Sunday because they are in harmony," said +Gabriel Lepariyo, a warden. +Naisimari's natural mother has been seen shadowing the odd couple at a +distance. +Theories to explain the phenonemon abound: not having her own cubs, Kamuniak +is lonely; she is colour-blind and short-sighted and thinks the calves are +cubs; the oryx were too frail to flee, breaking the classic prey behaviour +and confusing the hunter; Kamuniak wants to be a vegetarian; Kamuniak wants +to be loved. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0202.e1c7980f6c8a70122d80771533795cb7 b/machine-learning-ex6/ex6/easy_ham/0202.e1c7980f6c8a70122d80771533795cb7 new file mode 100644 index 0000000..c93a29d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0202.e1c7980f6c8a70122d80771533795cb7 @@ -0,0 +1,89 @@ +From sentto-2242572-56019-1034080193-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 14:40:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 71FD816F1A + for ; Tue, 8 Oct 2002 14:39:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:52 +0100 (IST) +Received: from n40.grp.scd.yahoo.com (n40.grp.scd.yahoo.com + [66.218.66.108]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98CZeK15545 for ; Tue, 8 Oct 2002 13:35:40 +0100 +X-Egroups-Return: sentto-2242572-56019-1034080193-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n40.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 12:29:53 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 12:29:52 -0000 +Received: (qmail 77204 invoked from network); 8 Oct 2002 12:29:52 -0000 +Received: from unknown (66.218.66.218) by m11.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 12:29:52 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 12:29:52 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ytUl-0005ta-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 13:29:51 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 13:28:56 +0100 +Subject: [zzzzteana] Dracula theme park could be switched to Bucharest +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g98CZeK15545 + +Ananova:  +Dracula theme park could be switched to Bucharest + +A controversial scheme to build a Dracula theme park in Romania could be +switched away from Transylvania. +Consultants PricewaterhouseCoopers is now recommending that it be built in +Bucharest instead. +It comes after Prince Charles led international protests against the +original proposals to build it in the medieval town of Sigishoara. +PricewaterhouseCoopers name Bucharest, originally believed to be an outsider +in the race to host the park, as the most profitable location for the +project. +But that has angered residents in Sigishoara, where Vlad the Impaler, the +inspiration for Dracula, was born. They are counting on the park to boost +the local economy. +Evenimentul Zilei reports that Sigishoara was placed behind the capital with +the Black Sea port of Constanta third choice. +Dorin Danesan, mayor of Sigishoara, said: "The pre-feasibility report from +PWC shows that the park would attract more tourists if it was located in +Bucharest. But I still think that Sigishoara is the best location for it." +The park would include hotels, a Dracula roller coaster, catacombs, a ghost +train and a house of horrors, as well as vampire dungeons located around a +reconstruction of Dracula's castle and an artificial lake. +The project has also been objected to by the world heritage organisation +Unesco fearing Sigishoara might be spoilt. +PricewaterhouseCoopers is to present its final report on the project on +October 15. +Story filed: 13:16 Tuesday 8th October 2002 + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0203.5f055220d95eaa1de71c7f24e004a7f5 b/machine-learning-ex6/ex6/easy_ham/0203.5f055220d95eaa1de71c7f24e004a7f5 new file mode 100644 index 0000000..25fc5a7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0203.5f055220d95eaa1de71c7f24e004a7f5 @@ -0,0 +1,86 @@ +From sentto-2242572-56020-1034080299-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 14:40:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E4C0A16F18 + for ; Tue, 8 Oct 2002 14:39:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:50 +0100 (IST) +Received: from n2.grp.scd.yahoo.com (n2.grp.scd.yahoo.com [66.218.66.75]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g98CYoK15533 for + ; Tue, 8 Oct 2002 13:34:50 +0100 +X-Egroups-Return: sentto-2242572-56020-1034080299-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n2.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 12:31:39 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 12:31:39 -0000 +Received: (qmail 95890 invoked from network); 8 Oct 2002 12:31:39 -0000 +Received: from unknown (66.218.66.217) by m13.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 12:31:39 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta2.grp.scd.yahoo.com with SMTP; 8 Oct 2002 12:31:38 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ytWT-0005ta-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 13:31:38 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 13:30:43 +0100 +Subject: [zzzzteana] Language problems +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g98CYoK15533 + +Ananova:  +Newspaper's readers complain over 'let's have sex' picture caption + +Readers of an African newspaper have complained after a picture caption +about jewellery contained the words "let's have sex". +The mix-up highlights the problems caused by the wide range of languages +spoken in Namibia. +Callers to the Namibian were angered by the use of the word tulumweni, which +translates roughly as "let's have intercourse" in the Oshiwambo language. +It was used in a caption concerning people in the Caprivi who use rings from +the femidon - female condom - as jewellery. +According to the The Namibian , an activist involved in care for Aids/HIV +patients spelt the word tulumweni for the journalist. +He intended it to mean "you will see for yourselves" in the Siyeyi tongue. +One caller said the complainants "should be considerate of other people's +languages. It is very clear that the picture was taken in the Caprivi ...And +that the word is from Siyeyi. It is not Oshiwambo". +Others indicated that various words might have different meanings in various +Namibian languages, such as omakende, an Oshiwambo word for glasses which in +Siyeyi means testicles. +Another word with a double-meaning is tulikunde, which in Oshiwambo +translates as let's talk, but which in Sisubiya translates as let's have +intercourse. +The Herero word for a hat is ekoli, which is an Oshiwambo word for a vagina. +Story filed: 12:37 Tuesday 8th October 2002 + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0204.d0d4480181d7f3becf6f755de8a21019 b/machine-learning-ex6/ex6/easy_ham/0204.d0d4480181d7f3becf6f755de8a21019 new file mode 100644 index 0000000..fdd4a6b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0204.d0d4480181d7f3becf6f755de8a21019 @@ -0,0 +1,79 @@ +From sentto-2242572-56021-1034080421-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 14:40:28 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 25B6416F17 + for ; Tue, 8 Oct 2002 14:39:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:49 +0100 (IST) +Received: from n38.grp.scd.yahoo.com (n38.grp.scd.yahoo.com + [66.218.66.106]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98CX0K15512 for ; Tue, 8 Oct 2002 13:33:00 +0100 +X-Egroups-Return: sentto-2242572-56021-1034080421-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n38.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 12:33:42 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 12:33:41 -0000 +Received: (qmail 72027 invoked from network); 8 Oct 2002 12:33:40 -0000 +Received: from unknown (66.218.66.218) by m6.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 12:33:40 -0000 +Received: from unknown (HELO rhenium.btinternet.com) (194.73.73.93) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 12:33:40 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by rhenium.btinternet.com with esmtp (Exim 3.22 #8) id 17ytYR-0005ta-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 13:33:39 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 13:32:45 +0100 +Subject: [zzzzteana] Astro bits +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +HUBBLE SPOTS AN ICY WORLD FAR BEYOND PLUTO +------------------------------------------ +Astronomers have discovered a distant body that appears to be the +largest object in the Kuiper Belt, a body half the size of Pluto that +raises new questions about the definition of a planet. The icy world +2002 LM60 has been dubbed "Quaoar". + + http://spaceflightnow.com/news/n0210/07quaoar/ + + +ASTRONOMERS SLICE AND DICE GALAXIES +----------------------------------- +New views of star birth and the heart of a spiral galaxy have been +seen by a state-of-the-art astronomical instrument on its first +night. The new spectrometer has a revolutionary ability to 'slice' +any object in the sky into sections, producing a three dimensional +view of the conditions throughout entire galaxies in a single +observation. + + http://spaceflightnow.com/news/n0210/08galaxies/ + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0205.84f75723dcf7639ed057a32283048bdf b/machine-learning-ex6/ex6/easy_ham/0205.84f75723dcf7639ed057a32283048bdf new file mode 100644 index 0000000..77062b9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0205.84f75723dcf7639ed057a32283048bdf @@ -0,0 +1,88 @@ +From ilug-admin@linux.ie Tue Oct 8 14:39:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 895BC16F1B + for ; Tue, 8 Oct 2002 14:39:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:33 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98D0YK16320 for + ; Tue, 8 Oct 2002 14:00:34 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 9B636340D5; Tue, 8 Oct 2002 14:01:17 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from wstutil12a.ml.com (wstutil12a-v.ml.com [209.65.19.67]) by + lugh.tuatha.org (Postfix) with ESMTP id 03AE7340A2 for ; + Tue, 8 Oct 2002 14:00:52 +0100 (IST) +Received: from wstutil13a.ml.com (wstutil13a [146.125.185.11]) by + wstutil12a.ml.com (8.11.3/8.11.3/wstutil12a-1.2) with ESMTP id + g98D0oN09889 for ; Tue, 8 Oct 2002 09:00:50 -0400 (EDT) +Received: from ewstwt01.exchange.ml.com (ewstwt01.exchange.ml.com + [146.125.249.151]) by wstutil13a.ml.com (8.12.5/8.12.5/wstutil13a-1.1) + with SMTP id g98D0oTa022282 for ; Tue, 8 Oct 2002 09:00:50 + -0400 (EDT) +Received: from 169.243.202.61 by ewstwt01.exchange.ml.com with ESMTP ( + Tumbleweed MMS SMTP Relay (MMS v4.7);); Tue, 08 Oct 2002 08:59:03 -0400 +X-Server-Uuid: 3789b954-9c4e-11d3-af68-0008c73b0911 +Received: by dubim07742.ie.ml.com with Internet Mail Service ( + 5.5.2654.52) id ; Tue, 8 Oct 2002 14:00:50 +0100 +Message-Id: +From: "Breathnach, Proinnsias (Dublin)" +To: "Irish Linux Users Group" +Subject: RE: [ILUG] cheap linux PCs +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2654.52) +X-WSS-Id: 11BC091D161421-01-01 +Content-Type: text/plain; charset=iso-8859-1 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 14:00:48 +0100 +Date: Tue, 8 Oct 2002 14:00:48 +0100 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g98D0YK16320 + +Actually, I'd be more inclined to look into: + +http://www.theregister.co.uk/content/54/27489.html + +Avoiding giving any cash to a certain corporation + +P + +> -----Original Message----- +> >I'd normally never buy this but the Xbox is Eur300 on IOL's shop, a very +> >large company are making a loss on it and: +> > +> >http://xbox-linux.sourceforge.net/articles.php?aid=1&sub=Press%20Release% +> 3A%20Xbox%20Linux%20Mandrake%209%20Released +> > +> >Mandrake has been released for it. +> +> isn't it ¤250 in Smyths? +> +> don't forget to add to that the modchip, and the time to put it on. +> +> (/me thinks unless you want 3d graphics, www.mini-itx.com is the way to go +> :)) +> + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0206.074e2d251c644abdbd8dab68d035e209 b/machine-learning-ex6/ex6/easy_ham/0206.074e2d251c644abdbd8dab68d035e209 new file mode 100644 index 0000000..e52405c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0206.074e2d251c644abdbd8dab68d035e209 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Tue Oct 8 14:40:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A524E16F16 + for ; Tue, 8 Oct 2002 14:39:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98DIUK16967 for ; + Tue, 8 Oct 2002 14:18:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 99D1A2940DA; Tue, 8 Oct 2002 06:18:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id 46C832940D1 for ; + Tue, 8 Oct 2002 06:17:30 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3N006X7ZLZ03@mta6.snfc21.pbi.net> for fork@xent.com; Tue, + 08 Oct 2002 06:17:59 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: why is decentralization worth worrying about? +To: Rohit Khare +Cc: fork@example.com +Reply-To: gbolcer@endeavors.com +Message-Id: <3DA2D8B5.19DD480D@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: <2583F1FA-DA52-11D6-B1B1-000393A46DEA@alumni.caltech.edu> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 06:08:05 -0700 + +Rohit Khare wrote: +> +> Why am I so passionate about decentralization? Because I believe some of +> today?s most profound problems with networked applications are caused by +> centralization. +> +> Generically, a centralized political or economic system permits only one +> answer to a question, while decentralization permits many separate +> agents to hold different opinions of the same matter. In the specific +> context of software, centralized variables can only contain one valid +> value at a time. That limits us to only representing information A) +> according to the beliefs of a single agency, and B) that changes more +> slowly than it takes to propagate. Nevertheless, centralization is the +> basis for today?s most popular architectural style for developing +> network applications: client-server interaction using request-response +> communication protocols. + +I think the ability to maintain an inconsistent database +is key to decentralization. + +Databases enforce consistenty with every transaction. +Bounded transactions, like an ATM, enforce consistency + by have some play with time and value +Most people keep inconsistent data in their heads, it's + called congnitive dissonance theory +Most businesses keep inconsistent data, documents, tationale + and ideas to support their work activities, it's called real life. + +I don't think it matters so much where it's located, i.e. +decentralization. I think that decentralization is the workaround +from technical limitations. The fallout being that the only way +inconsistent information spaces can be maintained is by +protecting them through a set of trust barriers and boundaries. +The local information when combined with the technical +troubles of providing "just enough" forced synchronization +to remote information provide workable data consistenty, i.e. +enforcing local constraints or ignoring global ones when +concerns are more immedidate. + +Tolerating temporary, irreconcilable deviations is how +people cope, otherwise you'd be like Nick Gatsby unnecessarily +pre-occupied with a spot of shaving cream on McKee's neck +who thinks that if he can just wipe that spot off that the +whole world would be a little more perfect and everything, +including his pre-occupation with Daisy, would consistently +be in its proper place. + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0207.f7d2d40df256d6caea05314f5334a959 b/machine-learning-ex6/ex6/easy_ham/0207.f7d2d40df256d6caea05314f5334a959 new file mode 100644 index 0000000..d8bda0d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0207.f7d2d40df256d6caea05314f5334a959 @@ -0,0 +1,139 @@ +From sentto-2242572-56022-1034083283-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 14:40:51 2002 +Forwarded: Tue, 08 Oct 2002 14:43:24 +0100 +Forwarded: mice@crackmice.com +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0D86816F1C + for ; Tue, 8 Oct 2002 14:39:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:54 +0100 (IST) +Received: from n35.grp.scd.yahoo.com (n35.grp.scd.yahoo.com + [66.218.66.103]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98DKgK16987 for ; Tue, 8 Oct 2002 14:20:42 +0100 +X-Egroups-Return: sentto-2242572-56022-1034083283-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n35.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 13:21:23 -0000 +X-Sender: andy@r2-dvd.org +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 13:21:22 -0000 +Received: (qmail 76967 invoked from network); 8 Oct 2002 13:21:22 -0000 +Received: from unknown (66.218.66.218) by m7.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 13:21:22 -0000 +Received: from unknown (HELO dulce.mic.dundee.ac.uk) (134.36.34.9) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 13:21:22 -0000 +Received: by dulce with Internet Mail Service (5.5.2653.19) id <4FSX3N41>; + Tue, 8 Oct 2002 14:20:43 +0100 +Message-Id: <31C6D68FA597D411B04D00E02965883BD23C3F@mailhost> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +From: Andy +X-Yahoo-Profile: acobley +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 8 Oct 2002 14:20:39 +0100 +Subject: [zzzzteana] FW: please give generously +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g98DKgK16987 + + + +-----Original Message----- + +Subject: please give generously + +> > +> > +> > +> > Please give generously... +> > +> > URGENT - DUDLEY EARTHQUAKE APPEAL +> > +> > At 00:54 on Monday 23 September an earthquake measuring 4.8 on the +> > +> > Richter scale hit Dudley,UK causing untold disruption and distress - +> > +> > * Many were woken well before their giro arrived +> > +> > * Several priceless collections of mementos from the Balearics and +> > +> > Spanish costas were damaged +> > +> > * Three areas of historic and scientifically significant litter were +> > +> > disturbed +> > +> > * Thousands are confused and bewildered, trying to come to terms with +> > +> > the fact that something interesting has happened in Dudley +> > +> > One resident, Donna-Marie Dutton, a 17 year old mother-of-three said "It +> > +> > was such a shock, little Chantal-Leanne came running into my bedroom +> > +> > crying. My youngest two, Tyler-Morgan and Megan-Storm slept through it. +> > +> > I was still shaking when I was watching Trisha the next morning." +> > +> > Apparently though, looting did carry on as normal. +> > +> > The British Red Cross have so far managed to ship 4000 crates of Sunny +> > +> > Delight to the area to help the stricken masses. +> > +> > Rescue workers are still searching through the rubble and have found +> > +> > large quantities of personal belongings including benefit books and +> > +> > jewellery from Elizabeth Duke at Argos. +> > +> > HOW YOU CAN HELP +> > +> > * £2 buys chips, scraps and blue pop for a family of four +> > +> > * £10 can take a family to Stourport for the day, where children can +> > +> > play on an unspoiled canal bank among the national collection of +> > +> > stinging nettles +> > +> > * 22p buys a biro for filling in a spurious compensation claim +> > +> > PLEASE ACT NOW +> > +> > Simply email us by return with your credit card details and we'll do the +> > +> > rest! If you prefer to donate cash, there are collection points +> > +> > available at your local branches of Argos, Iceland and Clinton Cards. +> > + + + + +_________________________________________________________________ +Join the world's largest e-mail service with MSN Hotmail. +http://www.hotmail.com + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Home Selling? Try Us! +http://us.click.yahoo.com/QrPZMC/iTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0208.0577aa26cbb2382d8789377d351ca8bf b/machine-learning-ex6/ex6/easy_ham/0208.0577aa26cbb2382d8789377d351ca8bf new file mode 100644 index 0000000..9d0bb4f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0208.0577aa26cbb2382d8789377d351ca8bf @@ -0,0 +1,2048 @@ +From guterman@mediaunspun.imakenews.net Tue Oct 8 14:39:42 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B88C516F17 + for ; Tue, 8 Oct 2002 14:39:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:13 +0100 (IST) +Received: from eng.imakenews.com (mailservice4.imakenews.com + [65.214.33.17]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g98DNHK17023 for ; Tue, 8 Oct 2002 14:23:17 +0100 +Received: by eng.imakenews.com (PowerMTA(TM) v1.5); Tue, 8 Oct 2002 + 09:22:59 -0400 (envelope-from ) +Content-Transfer-Encoding: binary +Content-Type: multipart/alternative; + boundary="----------=_1034083278-26594-4"; + charset="iso-8859-1" +Date: Tue, 08 Oct 2002 09:21:18 -0400 +Errors-To: +From: "Media Unspun" +MIME-Version: 1.0 +Message-Id: <26594$1034083278$mediaunspun$5114587@imakenews.net> +Precedence: normal +Reply-To: "Media Unspun" +Sender: "Media Unspun" +Subject: Bush Covers the Waterfront +To: zzzz-unspun@example.com +X-Imn: mediaunspun,224536,5114587,0 + +This is a multi-part message in MIME format... + +------------=_1034083278-26594-4 +Content-Type: text/plain; charset="iso-8859-1" +Content-Disposition: inline +Content-Transfer-Encoding: 7bit + +To view this newsletter in full-color: +http://newsletter.mediaunspun.com/index000021410.cfm + +Media Unspun +What the Press is Reporting and Why (www.mediaunspun.com) +----------------------------------------------------------------- +October 8, 2002 + +----------------------------------------------------------------- +IN THIS ISSUE +----------------------------------------------------------------- +* BUSH COVERS THE WATERFRONT +* THE BIGGEST CABLE HOOKUP + +----------------------------------------------------------------- +EDITOR'S NOTE +----------------------------------------------------------------- +Is Media Unspun useful to you? Then pass it on to a colleague. +The more readers we have, the more successful we'll be. The more +successful we are, the more useful we can be to you. Pass it +on! + +Media Unspun serves business news and analysis, authoritatively +and irreverently, every business day. An annual subscription +costs $50, less than a dollar a week. If your four-week free +trial is coming to an end soon, please visit +http://www.mediaunspun.com/subscribe.html and sign up via credit card +or check. + + +----------------------------------------------------------------- +ADVERTISEMENT +----------------------------------------------------------------- +Pop!Tech 2002 +October 18 - 20, 2002: Camden, Maine +Join 500 big thinkers to discuss +the collision of technology and culture +Register now at: http://www.poptech.org + + +----------------------------------------------------------------- +BUSH COVERS THE WATERFRONT +----------------------------------------------------------------- +It may seem like all Iraq, all the time in the Oval Office, but +the president has at least one other thing on his mind this +week: that pesky port lockout. The freight still isn't moving, +factories are running out of parts, produce is rotting, and +retailers are more freaked about Christmas with every passing +day. + +On Monday, Bush stepped in and appointed a three-member panel to +see how badly this shutdown is hosing the economy. (We hope this +isn't a difficult question, as the panel's been given all of one +day to report back.) When Bush gets the report on Tuesday, the +next step might be a court order to reopen the ports under the +1947 Taft-Hartley Act. That would send employees back to work +for 80 days while federal mediators duke it out over the +disputed contract and retailers lower their Xanax dosages. + +Invoking Taft-Hartley requires a threat to national health or +safety -- not the economy. But Labor Secretary Elaine Chao +covered that base in a statement on Monday, saying the work +stoppage threatens the flow of supplies to the military (we knew +Iraq would be in here somewhere). "Union officials quickly +responded that their members have been unloading military cargo +throughout the 10-day shutdown," said the L.A. Times, but an +anonymous Bush administration official "said that only a portion +of what the Defense Department needs has made it ashore." + +Politically, this has been a tricky one. Using Taft-Hartley +would annoy labor right before congressional elections. On the +other hand, "Voter discontent with Bush's handling of the +increasingly fragile economic recovery has begun showing up in +polls, and such concerns may have outweighed the political +danger to the Republican administration," said the San Francisco +Chronicle. Also, Bush stepped in on the same day that a poll +reported two-thirds of Americans wanted him to focus more on the +economy. "Though the administration promised an unbiased +examination of the lockout, Bush appeared to have made up his +mind that it was hurting national security and the economy, +andmerited federal intervention," said the AP. + +As for Taft-Hartley, it's not exactly famous for solving labor +disputes. Often the 80-day cooling-off period ends, and workers +simply walk out again (or get locked out again, in this case). +One gets the sense, however, that fixing the dockworkers' +contract isn't the point of this particular 80 days. It's 78 +days until Christmas. The race is on. - Jen Muehlbauer + +President Acts To Halt Port Lockout for 80 Days (Seattle +Times) +http://tinyurl.com/1usn + +Bush Expected To Act on Ports Crisis +http://www.accessatlanta.com/ajc/business/1002/08ports.html + +President Moves Toward Forcing the Reopening of West Coast +Ports +http://www.latimes.com/business/la-fi-ports8oct08001439,0,1021983.story + + +Bush Takes Step Toward Halting Lockout After West Coast Port +Talks Break Off (AP) +http://tinyurl.com/1usk + +White House Intervenes on Docks Dispute (Financial Times) +http://tinyurl.com/1usm + +Cooling-off Period Likely in Port Fight (SF Chronicle) +http://tinyurl.com/1usp + +Bush Moves Toward Halting Port Shutdown +http://www.nytimes.com/2002/10/08/national/08PORT.html + +Trouble On The Docks +http://online.wsj.com/page/0,,2_0864,00.html +(Paid subscription required.) + +Charges of Politics Have Dogged Taft-Hartley Act +http://seattlepi.nwsource.com/business/90243_hartley08.shtml + +Taft-Hartley Act No Quick-Fix For Port Dispute (Reuters) +http://www.forbes.com/work/newswire/2002/10/02/rtr739458.html + + +----------------------------------------------------------------- +ADVERTISEMENT +----------------------------------------------------------------- +SPECIAL OFFER! Save 24% on a subscription to MIT TECHNOLOGY +REVIEW. Get an inside view into the technologies, deals, and +companies emerging from one of the leading research institutes +-- MIT. +http://www.technologyinsider.com/new/news1 + +----------------------------------------------------------------- +THE BIGGEST CABLE HOOKUP +----------------------------------------------------------------- +wo birds want to join forces and the FCC is about to cry "fowl." +We mean "foul." The two dominant direct broadcast satellite +players want to join forces, the better to compete with Big +Cable. Federal regulators, both the FCC and the Justice +Department, are concerned that the resulting conglomerate of +DirecTV with Dish Network would command roughly 95% of satellite +service in the US. + +The press could not settle on a price tag for the proposed +merger between EchoStar Communications and Hughes Electronics -- +it was described as being worth anywhere from $15 billion and +$25 billion. It was a challenge to keep the players straight, as +some outlets talked of a merger between the corporate parents, +and others referred to the service monikers. Hughes is DirecTV +and EchoStar is Dish. All straight? + +The two companies sent a letter to the FCC urging them to hold +off ruling on (read, rejecting) the merger until the Justice +Department has spoken. EchoStar and Hughes offered unspecified +"major revisions" to the deal that they want to discuss with +Justice in the next weeks. + +The Wall Street Journal delved deeply into the form those +revisions could take -- specifically, selling some frequencies +to Cablevision. The Journal reported that Cablevision has wanted +to get into the satellite business for 10 years and outlined the +cable company's plans and past spending on such a project. + +TheStreet.com turned in an extensive analysis of the deal for +investors in the satellite space. It seems the market for +expanded-service television may be nearing saturation. +TheStreet.com quoted an analyst's report which concluded, +"Consumers should benefit from ... continued rivalry, but +shareholders may realize much smaller returns." + +The New York Times and the Journal both mentioned Rupert Murdoch +waiting in the wings. Last year Murdoch's News Corp. bid for +DirecTV, but lost out at the last minute to EchoStar. If the +current deal falls through, he'll be back. - Keith Dawson + +EchoStar and Hughes Propose Concessions in Bid to Save Deal +http://online.wsj.com/article/0,,SB103403314258094560,00.html +(Paid subscription required) + +Regulators Set to Block EchoStar's Hughes Purchase +http://online.wsj.com/article/0,,SB1033939901346228393,00.html +(Paid subscription required) + +'Last-ditch effort' (Rocky Mountain News) +http://tinyurl.com/1upi + +EchoStar, Hughes See a Glimmer of Hope +http://www.thestreet.com/tech/georgemannes/10046366.html + +F.C.C. Asked to Put Off Merger Ruling +http://www.nytimes.com/2002/10/08/business/media/08BIRD.html + +EchoStar, Hughes ask FCC to defer decision +http://www.nypost.com/business/59145.htm + +EchoStar, Hughes offer merger changes (Reuters) +http://news.com.com/2100-1023-961138.html + +Delay in satellite-TV merger OK requested (AP) +http://www.bayarea.com/mld/mercurynews/business/4236430.htm + +EchoStar, Hughes Seek to Delay Ruling +http://www.latimes.com/technology/la-fi-echo8oct08,0,3454976.story + + +EchoStar pleads to FCC on merger (Denver Post) +http://tinyurl.com/1ut7 + +----------------------------------------------------------------- +OTHER STORIES +----------------------------------------------------------------- +SEC Probes AOL-Oxygen Pact For Double-Booking of Revenue +http://online.wsj.com/article/0,,SB1033938113684731193,00.html +(Paid subscription required.) + +Tivo Raises $25 Million in Stock Offering (AP) +http://www.siliconvalley.com/mld/siliconvalley/4235118.htm + +WorldCom Officer Pleads Guilty to Fraud +http://www.washingtonpost.com/wp-dyn/articles/A57300-2002Oct7.html + + +Two Magazines Are Shut and a Third Revamps +http://www.nytimes.com/2002/10/08/business/media/08MAG.html + +Regulators Say They Have CSFB 'Smoking Gun' +http://www.usatoday.com/money/industries/banking/2002-10-06-csfb_x.htm + + +Expected Cold Winter Could Increase Natural Gas Prices +http://www.accessatlanta.com/ajc/business/1002/08gas.html + +Frozen World Found Beyond Pluto +http://www.msnbc.com/news/818195.asp + +Fool Me Once +http://www.nytimes.com/2002/10/08/opinion/08KRUG.html + +New Northwest System for Internet Bookings +http://www.nytimes.com/2002/10/08/business/08MEMO.html + +The Fastest-Growing Tech Companies +http://www.business2.com/b2100/0,,1-1,00.html + +Debating the Baby Bells +http://www.nytimes.com/2002/10/07/business/07PLAC.html +(Paid subscription required) + +Silicon Valley Is Yearning For User-Friendly Microsoft +http://online.wsj.com/article/0,,SB1034036651300028760,00.html +(Paid subscription required) + +----------------------------------------------------------------- + +----------------------------------------------------------------- +Do you want to reach the Net's savviest audience? +Advertise in Media Unspun. +Contact Erik Vanderkolk for details at erikvanderkolk@yahoo.com +today. + +----------------------------------------------------------------- +STAFF +----------------------------------------------------------------- +Written by Deborah Asbrand (dasbrand@world.std.com), Keith +Dawson (dawson@world.std.com), Jen Muehlbauer +(jen@englishmajor.com), and Lori Patel (loripatel@hotmail.com). + +Copyedited by Jim Duffy (jimduffy86@yahoo.com). +Advertising: Erik Vanderkolk (erikvanderkolk@yahoo.com). +Editor and publisher: Jimmy Guterman (guterman@vineyard.com). + +Media Unspun is produced by The Vineyard Group Inc. +Copyright 2002 Media Unspun, Inc., and The Vineyard Group, Inc. + +Subscribe already, willya? http://www.mediaunspun.com + +Redistribution by email is permitted as long as a link to +http://newsletter.mediaunspun.com is included. + + +-|________________ +POWERED BY: http://www.imakenews.com +To be removed from this list, use this link: +http://www.imakenews.com/eletra/remove.cfm?x=mediaunspun%2Czzzz-unspun@example.com +To receive future messages in HTML format, use this link: +http://www.imakenews.com/eletra/change.cfm?x=mediaunspun%2Czzzz-unspun@example.com%2Chtm +To change your subscriber information, use this link: +http://www.imakenews.com/eletra/update.cfm?x=mediaunspun%2Czzzz-unspun@example.com + + +------------=_1034083278-26594-4 +Content-Type: text/html; charset="iso-8859-1" +Content-Disposition: inline +Content-Transfer-Encoding: 7bit + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + Media Unspun + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+
+
+ + + + + + + + + + + + + + + +
+ + + +
+ + + + + + + +
+ + + + + + + + + + + + + + + Pass it on... + + + +
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + Media Unspun
+ +
+ + + + + What the Press is Reporting and Why (www.mediaunspun.com) + + + + +

+ + + + + + + + Tuesday, October 8, 2002 + + + + + + + + + + +
+ +
+ + + + + + + + + + + +
+ + +
+ + + + + + + + + + + + + + + +
Top Spins...
+ + +
+ + + + + + + + + + + + +
+ + + + + + + + + + + + + + Bush Covers the Waterfront + + + + + + + + + + + +
+
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + The Biggest Cable Hookup + + + + + + + + + + + +
+
+ + + + + + + + + + + + + + Other Stories + + + + + + + + + + + +
+
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + +
+ + + + + + + + + + + + +
+ + + + + + + + + + Editor's Note + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

Is Media Unspun useful to you? Then pass it on to a colleague. The more readers we have, the more successful we'll be. The more successful we are, the more useful we can be to you. Pass it on!

+Media Unspun serves business news and analysis, authoritatively and irreverently, every business day. An annual subscription costs $50, less than a dollar a week. If your four-week free trial is coming to an end soon, please visit http://www.mediaunspun.com/subscribe.html and sign up via credit card or check.
+

+ +
+ + +
+
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + +Sponsor + +
+ + +
+ + + + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

Pop!Tech 2002
+October 18 - 20, 2002: Camden, Maine
+Join 500 big thinkers to discuss
+the collision of technology and culture
+Register now at: http://www.poptech.org
+

+ +
+ + +
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + +
+ + + + + + + + + + Bush Covers the Waterfront + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

It may seem like all Iraq, all the time in the Oval Office, but the president has at least one other thing on his mind this week: that pesky port lockout. The freight still isn't moving, factories are running out of parts, produce is rotting, and retailers are more freaked about Christmas with every passing day.

+On Monday, Bush stepped in and appointed a three-member panel to see how badly this shutdown is hosing the economy. (We hope this isn't a difficult question, as the panel's been given all of one day to report back.) When Bush gets the report on Tuesday, the next step might be a court order to reopen the ports under the 1947 Taft-Hartley Act. That would send employees back to work for 80 days while federal mediators duke it out over the disputed contract and retailers lower their Xanax +dosages.

+Invoking Taft-Hartley requires a threat to national health or safety -- not the economy. But Labor Secretary Elaine Chao covered that base in a statement on Monday, saying the work stoppage threatens the flow of supplies to the military (we knew Iraq would be in here somewhere). "Union officials quickly responded that their members have been unloading military cargo throughout the 10-day shutdown," said the L.A. Times, but an anonymous Bush administration official "said that only a portion of +what the Defense Department needs has made it ashore."

+Politically, this has been a tricky one. Using Taft-Hartley would annoy labor right before congressional elections. On the other hand, "Voter discontent with Bush's handling of the increasingly fragile economic recovery has begun showing up in polls, and such concerns may have outweighed the political danger to the Republican administration," said the San Francisco Chronicle. Also, Bush stepped in on the same day that a poll reported two-thirds of Americans wanted him to focus more on the +economy. "Though the administration promised an unbiased examination of the lockout, Bush appeared to have made up his mind that it was hurting national security and the economy, andmerited federal intervention," said the AP.

+As for Taft-Hartley, it's not exactly famous for solving labor disputes. Often the 80-day cooling-off period ends, and workers simply walk out again (or get locked out again, in this case). One gets the sense, however, that fixing the dockworkers' contract isn't the point of this particular 80 days. It's 78 days until Christmas. The race is on. - Jen Muehlbauer

+President Acts To Halt Port Lockout for 80 Days (Seattle Times)
+http://tinyurl.com/1usn

+Bush Expected To Act on Ports Crisis
+http://www.accessatlanta.com/ajc/business/1002/08ports.html

+President Moves Toward Forcing the Reopening of West Coast Ports
+http://www.latimes.com/business/la-fi-ports8oct08001439,0,1021983.story

+Bush Takes Step Toward Halting Lockout After West Coast Port Talks Break Off (AP)
+http://tinyurl.com/1usk

+White House Intervenes on Docks Dispute (Financial Times)
+http://tinyurl.com/1usm

+Cooling-off Period Likely in Port Fight (SF Chronicle)
+http://tinyurl.com/1usp

+Bush Moves Toward Halting Port Shutdown
+http://www.nytimes.com/2002/10/08/national/08PORT.html

+Trouble On The Docks
+http://online.wsj.com/page/0,,2_0864,00.html
+(Paid subscription required.)

+Charges of Politics Have Dogged Taft-Hartley Act
+http://seattlepi.nwsource.com/business/90243_hartley08.shtml

+Taft-Hartley Act No Quick-Fix For Port Dispute (Reuters)
+http://www.forbes.com/work/newswire/2002/10/02/rtr739458.html
+

+ +
+ + +
+
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + +Sponsor + +
+ + +
+ + + + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

SPECIAL OFFER! Save 24% on a subscription to MIT TECHNOLOGY REVIEW. Get an inside view into the technologies, deals, and companies emerging from one of the leading research institutes -- MIT.
+http://www.technologyinsider.com/new/news1

+ +
+ + +
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + + +
+ + + + + + + + + + The Biggest Cable Hookup + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

wo birds want to join forces and the FCC is about to cry "fowl." We mean "foul." The two dominant direct broadcast satellite players want to join forces, the better to compete with Big Cable. Federal regulators, both the FCC and the Justice Department, are concerned that the resulting conglomerate of DirecTV with Dish Network would command roughly 95% of satellite service in the US.

+The press could not settle on a price tag for the proposed merger between EchoStar Communications and Hughes Electronics -- it was described as being worth anywhere from $15 billion and $25 billion. It was a challenge to keep the players straight, as some outlets talked of a merger between the corporate parents, and others referred to the service monikers. Hughes is DirecTV and EchoStar is Dish. All straight?

+The two companies sent a letter to the FCC urging them to hold off ruling on (read, rejecting) the merger until the Justice Department has spoken. EchoStar and Hughes offered unspecified "major revisions" to the deal that they want to discuss with Justice in the next weeks.

+The Wall Street Journal delved deeply into the form those revisions could take -- specifically, selling some frequencies to Cablevision. The Journal reported that Cablevision has wanted to get into the satellite business for 10 years and outlined the cable company's plans and past spending on such a project.

+TheStreet.com turned in an extensive analysis of the deal for investors in the satellite space. It seems the market for expanded-service television may be nearing saturation. TheStreet.com quoted an analyst's report which concluded, "Consumers should benefit from ... continued rivalry, but shareholders may realize much smaller returns."

+The New York Times and the Journal both mentioned Rupert Murdoch waiting in the wings. Last year Murdoch's News Corp. bid for DirecTV, but lost out at the last minute to EchoStar. If the current deal falls through, he'll be back. - Keith Dawson

+EchoStar and Hughes Propose Concessions in Bid to Save Deal
+http://online.wsj.com/article/0,,SB103403314258094560,00.html
+(Paid subscription required)

+Regulators Set to Block EchoStar's Hughes Purchase
+http://online.wsj.com/article/0,,SB1033939901346228393,00.html
+(Paid subscription required)

+'Last-ditch effort' (Rocky Mountain News)
+http://tinyurl.com/1upi

+EchoStar, Hughes See a Glimmer of Hope
+http://www.thestreet.com/tech/georgemannes/10046366.html

+F.C.C. Asked to Put Off Merger Ruling
+http://www.nytimes.com/2002/10/08/business/media/08BIRD.html

+EchoStar, Hughes ask FCC to defer decision
+http://www.nypost.com/business/59145.htm

+EchoStar, Hughes offer merger changes (Reuters)
+http://news.com.com/2100-1023-961138.html

+Delay in satellite-TV merger OK requested (AP)
+http://www.bayarea.com/mld/mercurynews/business/4236430.htm

+EchoStar, Hughes Seek to Delay Ruling
+http://www.latimes.com/technology/la-fi-echo8oct08,0,3454976.story

+EchoStar pleads to FCC on merger (Denver Post)
+http://tinyurl.com/1ut7

+ +
+ + +
+
+ + + + + + + + + + Other Stories + + + + + + + + + +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +

SEC Probes AOL-Oxygen Pact For Double-Booking of Revenue
+http://online.wsj.com/article/0,,SB1033938113684731193,00.html
+(Paid subscription required.)

+Tivo Raises $25 Million in Stock Offering (AP)
+http://www.siliconvalley.com/mld/siliconvalley/4235118.htm

+WorldCom Officer Pleads Guilty to Fraud
+http://www.washingtonpost.com/wp-dyn/articles/A57300-2002Oct7.html

+Two Magazines Are Shut and a Third Revamps
+http://www.nytimes.com/2002/10/08/business/media/08MAG.html

+Regulators Say They Have CSFB 'Smoking Gun'
+http://www.usatoday.com/money/industries/banking/2002-10-06-csfb_x.htm

+Expected Cold Winter Could Increase Natural Gas Prices
+http://www.accessatlanta.com/ajc/business/1002/08gas.html

+Frozen World Found Beyond Pluto
+http://www.msnbc.com/news/818195.asp

+Fool Me Once
+http://www.nytimes.com/2002/10/08/opinion/08KRUG.html

+New Northwest System for Internet Bookings
+http://www.nytimes.com/2002/10/08/business/08MEMO.html

+The Fastest-Growing Tech Companies
+http://www.business2.com/b2100/0,,1-1,00.html

+Debating the Baby Bells
+http://www.nytimes.com/2002/10/07/business/07PLAC.html
+(Paid subscription required)

+Silicon Valley Is Yearning For User-Friendly Microsoft
+http://online.wsj.com/article/0,,SB1034036651300028760,00.html
+(Paid subscription required)

+ +
+ + +
+
+ +
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + +Sponsor + +
+ + +
+ + + + + + + + + + + + +
+ + + + + + + + Do you want to reach the Net's savviest audience?
+Advertise in Media Unspun.
+Contact Erik Vanderkolk for details at erikvanderkolk@yahoo.com today. + +
+ + +
+
+
+
+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + + + + + + + + + + + +
+ + + + + + + + + + Staff + + + + + + + + + +
+ + + + + + + + Written by Deborah Asbrand (dasbrand@world.std.com), Keith Dawson (dawson@world.std.com), Jen Muehlbauer (jen@englishmajor.com), and Lori Patel (loripatel@hotmail.com). +

+Copyedited by Jim Duffy (jimduffy86@yahoo.com). +

+Advertising: Erik Vanderkolk (erikvanderkolk@yahoo.com). +

+Editor and publisher: Jimmy Guterman (guterman@vineyard.com). +

+Media Unspun is produced by The Vineyard Group Inc. +
Copyright 2002 Media Unspun, Inc., and The Vineyard Group, Inc. +
Subscribe already, willya? http://www.mediaunspun.com +

+Redistribution by email is permitted as long as a link to http://newsletter.mediaunspun.com is included. + +
+ + +
+

+ +
+ + + + + + + + + + + + + + + +
+ + + + + + + + + + + + + + +
+ + + +
+ + + Subscribe + + +
+ + + + + + + + + + + + + + + + +
+ +

+Enter your email address in the box below to receive a free four-week trial of Media Unspun: +

+ + + + + + + + + + + + + + + + + + + + + + + + + + +

+
+ + + + + Add + + + + + + Remove
+ + + + Send as HTML
+ +   + +

+ + + +
+ + +
+
+


Newsletter Services
Provided by
iMakeNews.com

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ + +
Advertisement
+ +
+
+ + + + + + + + + + + + +
+ + + + +
+ + +
+ +
+ + + + + + + + + + + + + + + +
+
+ + + + + + + + + + + + + + + +
+ + + +
+ + + + + + + +
+ + + + + + + + + + + + + + + Tell a Friend... + + + +
+ +
+ + + + + + + + + + + + + + + + + + + + + +
+ + +
Powered by iMakeNews.com
+ This email was sent to: zzzz-unspun@example.com
(REMOVE) - to be instantly deleted from this list.
(CHANGE FORMAT) - receive future messages in plain text format.
(UPDATE) your subscriber information and preferences.
+ + + + + + +

  + + + + + +

+ + + + + +
+ + + + + + + +------------=_1034083278-26594-4-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0209.ce176e249d1b3d1bf97d02aaddb1ffd4 b/machine-learning-ex6/ex6/easy_ham/0209.ce176e249d1b3d1bf97d02aaddb1ffd4 new file mode 100644 index 0000000..fcb9b04 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0209.ce176e249d1b3d1bf97d02aaddb1ffd4 @@ -0,0 +1,69 @@ +From sentto-2242572-56023-1034083490-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 14:40:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id BAD3F16F21 + for ; Tue, 8 Oct 2002 14:39:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:55 +0100 (IST) +Received: from n4.grp.scd.yahoo.com (n4.grp.scd.yahoo.com [66.218.66.88]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g98DYTK17380 for + ; Tue, 8 Oct 2002 14:34:30 +0100 +X-Egroups-Return: sentto-2242572-56023-1034083490-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n4.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 13:24:50 -0000 +X-Sender: tom@swirly.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 13:24:49 -0000 +Received: (qmail 78721 invoked from network); 8 Oct 2002 13:24:48 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 13:24:48 -0000 +Received: from unknown (HELO crank.slack.net) (166.84.151.181) by + mta2.grp.scd.yahoo.com with SMTP; 8 Oct 2002 13:24:48 -0000 +Received: from [10.0.0.153] (pool-162-84-145-37.ny5030.east.verizon.net + [162.84.145.37]) by crank.slack.net (Postfix) with ESMTP id BA2F63EB37; + Tue, 8 Oct 2002 09:29:42 -0400 (EDT) +X-Sender: secret@ax.to +Message-Id: +In-Reply-To: +References: +To: fort@yahoogroups.com, zzzzteana@yahoogroups.com +From: Tom Ritchford +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 8 Oct 2002 09:24:39 -0400 +Subject: [zzzzteana] Pravda reports cities on the moon! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +From: Steve Speer +Subject: http://english.pravda.ru/main/2002/10/05/37771.html + +[not sure what the rules for crossposting between the two groups is... + my reasoning is that it's a major newspaper reporting evidence of + alien life so.... /t] +-- + +http://loopNY.com ......................An "open loop": shows every Saturday! +http://extremeNY.com/submit .......................... submit to the calendar. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home with Ease! +http://us.click.yahoo.com/SrPZMC/kTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0210.35f5f8aef973035bc4ec4ad13d717ebf b/machine-learning-ex6/ex6/easy_ham/0210.35f5f8aef973035bc4ec4ad13d717ebf new file mode 100644 index 0000000..22bd314 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0210.35f5f8aef973035bc4ec4ad13d717ebf @@ -0,0 +1,81 @@ +From ilug-admin@linux.ie Tue Oct 8 14:39:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8E9EA16F1E + for ; Tue, 8 Oct 2002 14:39:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:36 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98DRQK17284 for + ; Tue, 8 Oct 2002 14:27:26 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 13280341E1; Tue, 8 Oct 2002 14:28:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from homer.jinny.ie (homer.jinny.ie [193.120.171.3]) by + lugh.tuatha.org (Postfix) with ESMTP id 7F96E340A2 for ; + Tue, 8 Oct 2002 14:27:40 +0100 (IST) +Received: from barney (fw.jinny.ie [193.120.171.2]) by homer.jinny.ie + (Postfix) with ESMTP id 505297FC46 for ; Tue, + 8 Oct 2002 14:27:39 +0100 (IST) +Received: from john by barney with local (Exim 3.35 #1 (Debian)) id + 17yuOi-0006Yc-00 for ; Tue, 08 Oct 2002 14:27:40 +0100 +From: "John P. Looney" +To: Irish LUG list +Message-Id: <20021008132740.GG23820@jinny.ie> +Reply-To: ilug@linux.ie +Mail-Followup-To: Irish LUG list +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.28i +X-Os: /Linux 2.4.18 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Subject: [ILUG] cups question +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 14:27:40 +0100 +Date: Tue, 8 Oct 2002 14:27:40 +0100 + + I seem to be having a little trouble with it. My printers.conf is: + + +Info Hp4050 +Location locals +DeviceURI ipp://192.168.2.90:9100/ +State Idle +Accepting Yes +JobSheets none none +QuotaPeriod 0 +PageLimit 0 +KLimit 0 + + + and cupds uses that to make a printcap of: + +lp: + + Sounds dodgy to me. If someone has an example printers.conf/printcap for +a JetDirect printer, I'd appreciate it if they sent it on. + +John + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0211.abf5659ad8e94f01551b685061f06d94 b/machine-learning-ex6/ex6/easy_ham/0211.abf5659ad8e94f01551b685061f06d94 new file mode 100644 index 0000000..47f5222 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0211.abf5659ad8e94f01551b685061f06d94 @@ -0,0 +1,78 @@ +From ilug-admin@linux.ie Tue Oct 8 14:40:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 90DCC16F20 + for ; Tue, 8 Oct 2002 14:39:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 14:39:39 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98DaRK17431 for + ; Tue, 8 Oct 2002 14:36:27 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 01CDA341FE; Tue, 8 Oct 2002 14:37:11 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from urhosting.urhosting.com (urhosting.urhosting.com + [216.71.84.141]) by lugh.tuatha.org (Postfix) with ESMTP id 702FB341E1 for + ; Tue, 8 Oct 2002 14:36:37 +0100 (IST) +Received: from [192.168.1.31] (r96-70.bas1.srl.dublin.eircom.net + [159.134.96.70]) by urhosting.urhosting.com (8.11.6/8.11.6) with ESMTP id + g98DaX012629; Tue, 8 Oct 2002 08:36:34 -0500 +Subject: Re: [ILUG] mini-itx +From: Philip Trickett +To: John Moylan +Cc: ilug@linux.ie +In-Reply-To: <3DA2DA0E.6080402@rte.ie> +References: <3DA2DA0E.6080402@rte.ie> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1034084194.6615.4.camel@unagi.internal.techworks.ie> +MIME-Version: 1.0 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 14:36:33 +0100 +Date: 08 Oct 2002 14:36:33 +0100 + +On Tue, 2002-10-08 at 14:13, John Moylan wrote: +> Hmm, speaking of cheap machines etc, has anyone tried this sort of +> thing: http://www.mini-itx.com/projects/humidor64/ ? or more importantly +> has anyone had any positive/negative experiences with the Via mini-itx +> boards/via c3 processors. +> I recall a thread last year about building a custom MP3/CD/Game/vcd +> recorder machine, these systems seem to hit the mark. Also, I need to +> build a new box, and I was thinking about something that would be as +> unobtrusive as possible in my living room;) +> +> John + + +The forums there are very informative, and there is also more info on +using linux on the mini ITX boards at http://linitx.org/. + +A couple of the autopc projects make interesting reading in this regard: +http://thisstrife.com/ but most of them seem to use windows for some +unknown reason..... + +HTH + +Phil + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0212.28ec74e3e60f9ea866ee8ef8e429254b b/machine-learning-ex6/ex6/easy_ham/0212.28ec74e3e60f9ea866ee8ef8e429254b new file mode 100644 index 0000000..257a860 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0212.28ec74e3e60f9ea866ee8ef8e429254b @@ -0,0 +1,64 @@ +From solarion@1starnet.com Wed Aug 28 10:53:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 73AE143F99 + for ; Wed, 28 Aug 2002 05:53:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:14 +0100 (IST) +Received: from n14.grp.scd.yahoo.com (n14.grp.scd.yahoo.com + [66.218.66.69]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7RNccZ31295 for ; Wed, 28 Aug 2002 00:38:38 +0100 +X-Egroups-Return: sentto-2242572-53117-1030491524-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.200] by n14.grp.scd.yahoo.com with NNFMP; + 27 Aug 2002 23:38:44 -0000 +X-Sender: solarion@1starnet.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 27 Aug 2002 23:38:44 -0000 +Received: (qmail 18399 invoked from network); 27 Aug 2002 23:38:42 -0000 +Received: from unknown (66.218.66.217) by m8.grp.scd.yahoo.com with QMQP; + 27 Aug 2002 23:38:42 -0000 +Received: from unknown (HELO 1starnet.com) (207.243.104.35) by + mta2.grp.scd.yahoo.com with SMTP; 27 Aug 2002 23:38:42 -0000 +Received: from sweep2.1starnet.com [207.243.104.27] by 1starnet.com + (SMTPD32-7.12) id AD7FA80134; Tue, 27 Aug 2002 18:38:39 -0500 +Received: from [207.243.107.34] ([207.243.107.34]) by sweep2.1starnet.com + (NAVGW 2.5.2.12) with SMTP id M2002082718383006317 ; Tue, 27 Aug 2002 + 18:38:37 -0500 +X-Sender: solarion@mail.1starnet.com +Message-Id: +To: Tyana Archive , + Forteana +From: Rob Solarion +X-Yahoo-Profile: r_solarion +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 27 Aug 2002 18:40:01 -0600 +Subject: [zzzzteana] "Put this in your stereo and smoke it ... " +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.ouchytheclown.com/welcome.html + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0213.ee51a591f777be501b45101a6fe01776 b/machine-learning-ex6/ex6/easy_ham/0213.ee51a591f777be501b45101a6fe01776 new file mode 100644 index 0000000..17899ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0213.ee51a591f777be501b45101a6fe01776 @@ -0,0 +1,78 @@ +From wt046@victoria.tc.ca Wed Aug 28 10:53:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 519F443F99 + for ; Wed, 28 Aug 2002 05:53:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:26 +0100 (IST) +Received: from n3.grp.scd.yahoo.com (n3.grp.scd.yahoo.com [66.218.66.86]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7S1DuZ05312 for + ; Wed, 28 Aug 2002 02:13:56 +0100 +X-Egroups-Return: sentto-2242572-53123-1030497241-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n3.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 01:14:01 -0000 +X-Sender: wt046@vtn1.victoria.tc.ca +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 01:14:01 -0000 +Received: (qmail 65916 invoked from network); 28 Aug 2002 01:14:01 -0000 +Received: from unknown (66.218.66.216) by m7.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 01:14:01 -0000 +Received: from unknown (HELO vtn1.victoria.tc.ca) (199.60.222.3) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 01:14:00 -0000 +Received: from vtn1.victoria.tc.ca (wt046@localhost [127.0.0.1]) by + vtn1.victoria.tc.ca (8.12.5/8.12.5) with ESMTP id g7S1E0PL022778 for + ; Tue, 27 Aug 2002 18:14:00 -0700 (PDT) +Received: (from wt046@localhost) by vtn1.victoria.tc.ca + (8.12.5/8.12.3/Submit) id g7S1DxHq022777; Tue, 27 Aug 2002 18:13:59 -0700 + (PDT) +X-Sender: wt046@vtn1 +To: zzzzteana@yahoogroups.com +In-Reply-To: <4d.23215217.2a9d2f49@aol.com> +Message-Id: +From: Brian Chapman +X-Yahoo-Profile: mf8r31p +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 27 Aug 2002 18:13:59 -0700 (PDT) +Subject: Re: [zzzzteana] Not a materialisation, but a transfiguration +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +On Tue, 27 Aug 2002 MICGRANGER@aol.com wrote: + +> Concerning this mail, what is your intention? + +When posting to this list excerpts from books I've just read, I usually +refrain from adding any comments, letting the listmembers interpret them +as they see fit. + +But since you asked.... + +I chose to post this text simply because I thought it was a particularly +risible example of Doyle's invincible faith and his refusal to accept the +fucking obvious. + +bc + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0214.2d5f01a083341062ac55f45a123f2dcd b/machine-learning-ex6/ex6/easy_ham/0214.2d5f01a083341062ac55f45a123f2dcd new file mode 100644 index 0000000..bcdbcd7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0214.2d5f01a083341062ac55f45a123f2dcd @@ -0,0 +1,92 @@ +From billjac@earthlink.net Wed Aug 28 10:53:21 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 69CD643F9B + for ; Wed, 28 Aug 2002 05:53:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:17 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S0P7Z03502 for ; Wed, 28 Aug 2002 01:25:07 +0100 +X-Egroups-Return: sentto-2242572-53121-1030494312-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n21.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 00:25:12 -0000 +X-Sender: billjac@earthlink.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 00:25:12 -0000 +Received: (qmail 93628 invoked from network); 28 Aug 2002 00:25:12 -0000 +Received: from unknown (66.218.66.217) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 00:25:12 -0000 +Received: from unknown (HELO scaup.mail.pas.earthlink.net) + (207.217.120.49) by mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 00:25:12 + -0000 +Received: from dialup-64.152.170.33.dial1.newyork1.level3.net + ([64.152.170.33] helo=oemcomputer) by scaup.mail.pas.earthlink.net with + smtp (Exim 3.33 #1) id 17jqdx-0001BR-00 for forteana@yahoogroups.com; + Tue, 27 Aug 2002 17:25:10 -0700 +Message-Id: <001501c24e28$d2c3c960$21aa9840@oemcomputer> +To: +References: <19-3D6AD80C-3146@storefull-2336.public.lawson.webtv.net> +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.00.2919.6600 +X-Mimeole: Produced By Microsoft MimeOLE V5.00.2919.6600 +From: "Bill Jacobs" +X-Yahoo-Profile: billjac2000 +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 27 Aug 2002 14:42:46 -0400 +Subject: Re: [zzzzteana] Moon over ocean +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +David asked: +> My wife noticed something odd. The nearly-full moon was about 30 +> degrees above the horizon. There was a notable glow on the horizon, +> except under the moon. The moon seemed to be in a column of darkness +> that was about three times the apparent width of the moon. We could see +> the column over its entire length as a strip of sky darker than the sky +> around it. +> +> Any of you ever see this? Do you have any idea what could have caused +> it? I suspect it's due to some pecularity of the visual system, but +> have no clear idea. + +I'm surprised to not find this phenomenon in Corlis. I could have sworn I +saw it there. He does have the somewhat similar dark sky between a rainbow +and a secondary bow. I personally have seen a rainbow enclosing a +semi-circle of darker sky. + +I know I've read about pillars under the Sun and Moon elsewhere, but I can't +recall if they were reportedly dark or bright. I do know these sorts of +things are supposed to be quirks of optics not of the visual system. I'm +sorry I haven't got any answers, but a search through some books on +atmospheric optics ought to turn a few hints up. + +Bill + +William Jacobs +Freelance Unemployed Person + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0215.201f7adff1b30b986939a5fa17a80a86 b/machine-learning-ex6/ex6/easy_ham/0215.201f7adff1b30b986939a5fa17a80a86 new file mode 100644 index 0000000..dc39368 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0215.201f7adff1b30b986939a5fa17a80a86 @@ -0,0 +1,83 @@ +From felinda@frogstone.net Wed Aug 28 10:53:37 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 26AE543F99 + for ; Wed, 28 Aug 2002 05:53:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:37 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S4cYZ10839 for ; Wed, 28 Aug 2002 05:38:34 +0100 +X-Egroups-Return: sentto-2242572-53125-1030509520-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n21.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 04:38:40 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 04:38:39 -0000 +Received: (qmail 36170 invoked from network); 28 Aug 2002 04:38:38 -0000 +Received: from unknown (66.218.66.218) by m11.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 04:38:38 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 04:38:38 -0000 +Received: from [209.103.203.50] (209-103-203-50.dial-in1.osh.athenet.net + [209.103.203.50]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g7S4cZt20363 for ; Tue, 27 Aug 2002 23:38:36 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: +References: <5.1.0.14.1.20020828070650.02af5a70@mail.austarnet.com.au> + +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 27 Aug 2002 23:38:48 -0500 +Subject: Re: [zzzzteana] Bad Buffalo +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>peter fwded: +>>Finally, Constable Evans hurled a thong at the animal, hitting it on the +>>head. +> +>I know this isn't *quite* as funny to Australians as it is to +>everyone else. Honestly. +> +>Rachel +>not that walloping it with a flip-flop isn't hilarious too... +>-- + +well unless you used the thong like a sling shot..... +-- + + +Fel +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0216.d46ac2cc3fa5d42e1a9b7d8b4339f789 b/machine-learning-ex6/ex6/easy_ham/0216.d46ac2cc3fa5d42e1a9b7d8b4339f789 new file mode 100644 index 0000000..50fbe31 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0216.d46ac2cc3fa5d42e1a9b7d8b4339f789 @@ -0,0 +1,105 @@ +From jkahila@world.std.com Wed Aug 28 10:53:34 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 26F9944155 + for ; Wed, 28 Aug 2002 05:53:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:32 +0100 (IST) +Received: from n13.grp.scd.yahoo.com (n13.grp.scd.yahoo.com + [66.218.66.68]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S3q3Z09666 for ; Wed, 28 Aug 2002 04:52:03 +0100 +X-Egroups-Return: sentto-2242572-53124-1030506729-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.200] by n13.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 03:52:09 -0000 +X-Sender: jkahila@world.std.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 03:52:09 -0000 +Received: (qmail 34412 invoked from network); 28 Aug 2002 03:52:08 -0000 +Received: from unknown (66.218.66.217) by m8.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 03:52:08 -0000 +Received: from unknown (HELO TheWorld.com) (199.172.62.103) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 03:52:08 -0000 +Received: from amdk62450 (ppp0c006.std.com [208.192.102.6]) by + TheWorld.com (8.9.3/8.9.3) with ESMTP id XAA29517 for + ; Tue, 27 Aug 2002 23:52:06 -0400 +To: +Message-Id: +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <001501c24e28$d2c3c960$21aa9840@oemcomputer> +Importance: Normal +From: "John Kahila" +X-Yahoo-Profile: jkahila +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 27 Aug 2002 23:57:42 -0400 +Subject: RE: [zzzzteana] Moon over ocean +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>David asked: +>> My wife noticed something odd. The nearly-full moon was about 30 +>> degrees above the horizon. There was a notable glow on the horizon, +>> except under the moon. The moon seemed to be in a column of darkness +>> that was about three times the apparent width of the moon. We could see +>> the column over its entire length as a strip of sky darker than the sky +>> around it. +>> +>> Any of you ever see this? Do you have any idea what could have caused +>> it? I suspect it's due to some pecularity of the visual system, but +>> have no clear idea. + +Bill Jacobs: +> I'm surprised to not find this phenomenon in Corlis. I could have sworn I +> saw it there. He does have the somewhat similar dark sky between a rainbow +> and a secondary bow. I personally have seen a rainbow enclosing a +> semi-circle of darker sky. +> +> I know I've read about pillars under the Sun and Moon elsewhere, +> but I can't recall if they were reportedly dark or bright. I do know +> these sorts of things are supposed to be quirks of optics not of the +> visual system. I'm sorry I haven't got any answers, but a search +> through some books on atmospheric optics ought to turn a few hints up. + +Some links: + +comprehensive +http://www.meteoros.de/indexe.htm + +Atmospheric Light Phenomena +http://www.auf.asn.au/meteorology/section12.html + +interesting observational stuff from the prior millenium including pix +(click 1997 / colour plates) +http://www.ursa.fi/ursa/jaostot/halot/ehp/index.html + +more pix, many of which flip to negative to highlight details (hover cursor) +http://idefix.taide.turkuamk.fi/~iluukkon/taivas/valok/88.html and +subsequent links + +john k + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0217.36d91fd462703996ea8b15571a778f5b b/machine-learning-ex6/ex6/easy_ham/0217.36d91fd462703996ea8b15571a778f5b new file mode 100644 index 0000000..9d63f41 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0217.36d91fd462703996ea8b15571a778f5b @@ -0,0 +1,77 @@ +From Stewart.Smith@ee.ed.ac.uk Wed Aug 28 10:53:44 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AFE0543F9B + for ; Wed, 28 Aug 2002 05:53:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:42 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S7xAZ15466 for ; Wed, 28 Aug 2002 08:59:10 +0100 +X-Egroups-Return: sentto-2242572-53126-1030521556-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n16.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 07:59:16 -0000 +X-Sender: Stewart.Smith@ee.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 07:59:14 -0000 +Received: (qmail 46517 invoked from network); 28 Aug 2002 07:59:14 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 07:59:14 -0000 +Received: from unknown (HELO postbox.ee.ed.ac.uk) (129.215.80.253) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 07:59:14 -0000 +Received: from ee.ed.ac.uk (sxs@dunblane [129.215.34.86]) by + postbox.ee.ed.ac.uk (8.11.0/8.11.0) with ESMTP id g7S7x8P07079 for + ; Wed, 28 Aug 2002 08:59:09 +0100 (BST) +Message-Id: <3D6C82CB.5040109@ee.ed.ac.uk> +Organization: Scottish Microelectronics Centre +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:1.1b) Gecko/20020628 +X-Accept-Language: en, en-us +To: zzzzteana@yahoogroups.com +References: +From: Stewart Smith +X-Yahoo-Profile: stochasticus +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 08:59:07 +0100 +Subject: Re: [zzzzteana] Illusionist emerges after 24 hours underwater +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> An illusionist has emerged after 24 hours underwater in a case in New York's +> Times Square. + +I'd just like to recommend the newest Viz to ukers just for the hilarious "David +Blaine: Stalag Magician". The ego'd one is in a WWII prison camp and sort of +trying to escape. Several times he seems to have escaped and the british +officers celebrate before it's revealed he's been buried alive or hiding in a +freezer. At one point he's asked why and says "Well it's not for publicity" +Cracking stuff. + +Stew +-- +Stewart Smith +Scottish Microelectronics Centre, University of Edinburgh. +http://www.ee.ed.ac.uk/~sxs/ + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0218.9fc48080321710ad8478e7c1c61e4bf0 b/machine-learning-ex6/ex6/easy_ham/0218.9fc48080321710ad8478e7c1c61e4bf0 new file mode 100644 index 0000000..58d7640 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0218.9fc48080321710ad8478e7c1c61e4bf0 @@ -0,0 +1,73 @@ +From Stewart.Smith@ee.ed.ac.uk Wed Aug 28 10:53:47 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 301D743F99 + for ; Wed, 28 Aug 2002 05:53:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:47 +0100 (IST) +Received: from n11.grp.scd.yahoo.com (n11.grp.scd.yahoo.com + [66.218.66.66]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S82gZ15666 for ; Wed, 28 Aug 2002 09:02:42 +0100 +X-Egroups-Return: sentto-2242572-53127-1030521768-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n11.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:02:48 -0000 +X-Sender: Stewart.Smith@ee.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:02:48 -0000 +Received: (qmail 52522 invoked from network); 28 Aug 2002 08:02:47 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:02:47 -0000 +Received: from unknown (HELO postbox.ee.ed.ac.uk) (129.215.80.253) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:02:47 -0000 +Received: from ee.ed.ac.uk (sxs@dunblane [129.215.34.86]) by + postbox.ee.ed.ac.uk (8.11.0/8.11.0) with ESMTP id g7S82kP07514 for + ; Wed, 28 Aug 2002 09:02:46 +0100 (BST) +Message-Id: <3D6C83A6.9040504@ee.ed.ac.uk> +Organization: Scottish Microelectronics Centre +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:1.1b) Gecko/20020628 +X-Accept-Language: en, en-us +To: zzzzteana@yahoogroups.com +References: +From: Stewart Smith +X-Yahoo-Profile: stochasticus +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:02:46 +0100 +Subject: Re: [zzzzteana] The Coming Firestorm +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> So now Osama bin Laden is Hitler. And Saddam Hussein is Hitler. And +> George Bush is fighting the Nazis. + +Someone should shout "Godwin!" at him at a press conference. Then he'd have to +shut up. Or does that only work on Usenet? + +Stew +-- +Stewart Smith +Scottish Microelectronics Centre, University of Edinburgh. +http://www.ee.ed.ac.uk/~sxs/ + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0219.c885fbe9fa7e255d6f589b373c8608e3 b/machine-learning-ex6/ex6/easy_ham/0219.c885fbe9fa7e255d6f589b373c8608e3 new file mode 100644 index 0000000..d0a790b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0219.c885fbe9fa7e255d6f589b373c8608e3 @@ -0,0 +1,132 @@ +From robin.hill@baesystems.com Wed Aug 28 10:53:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6D00A44155 + for ; Wed, 28 Aug 2002 05:53:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:49 +0100 (IST) +Received: from n19.grp.scd.yahoo.com (n19.grp.scd.yahoo.com + [66.218.66.74]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8G4Z16036 for ; Wed, 28 Aug 2002 09:16:04 +0100 +X-Egroups-Return: sentto-2242572-53128-1030522570-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n19.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:16:10 -0000 +X-Sender: robin.hill@baesystems.com +X-Apparently-To: zzzzteana@egroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:16:09 -0000 +Received: (qmail 70924 invoked from network); 28 Aug 2002 08:16:09 -0000 +Received: from unknown (66.218.66.217) by m15.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:16:09 -0000 +Received: from unknown (HELO smtp1.bae.co.uk) (20.138.254.61) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:16:09 -0000 +Received: from ngbaux (ngbaux.msd.bae.co.uk [141.245.68.234]) by + smtp1.bae.co.uk (Switch-2.2.2/Switch-2.2.0) with ESMTP id g7S8G5t17586 for + ; Wed, 28 Aug 2002 09:16:05 +0100 (BST) +Received: from ngban12.ng.bae.co.uk ([141.245.68.238]) by + ngbaux.net.bae.co.uk (PMDF V5.2-33 #44998) with ESMTP id + <0H1J00AK7O7RP2@ngbaux.net.bae.co.uk> for forteana@egroups.com; + Wed, 28 Aug 2002 09:14:15 +0100 (BST) +Received: from ngbauh.ng.bae.co.uk (unverified) by ngban12.ng.bae.co.uk + (Content Technologies SMTPRS 2.0.15) with ESMTP id + for ; + Wed, 28 Aug 2002 09:14:25 +0100 +Received: (from x400@localhost) by ngbauh.ng.bae.co.uk (8.9.3 + (PHNE_18546)/8.8.6) id JAA24596 for forteana@egroups.com; Wed, + 28 Aug 2002 09:18:26 +0100 (BST) +Received: by GOLD 400; Wed, 28 Aug 2002 09:17:20 +0000 +To: zzzzteana@yahoogroups.com +Message-Id: <"020828081752Z.WT24519. 6*/PN=Robin.Hill/OU=Technical/OU=NOTES/O=BAe MAA/PRMD=BAE/ADMD=GOLD 400/C=GB/"@MHS> +X-Mailer: NetJunction (NetJunction 5.1.1-p2)/MIME +From: Robin Hill +X-Yahoo-Profile: sfgameruk +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:17:20 +0000 +Subject: [zzzzteana] re: Steam +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +On Tue, 27 Aug 2002 10:15:36 -0500 (EST) +Jay Lake wrote: + + + + +>Second, one could make the assumption that ancient or future civilizations +>would not be hydrocarbon based. There are alternative fuel sources, +>including seabed methane, biomass and all the usual suspects -- solar, +>hydro etc. Some of these could be exploited on a decidedly low-tech (ie, +>emergent civilization) basis. However, it is difficult to conceive of an +>industrial civilization that doesn't employ wheels, axles and bearings, +>all of which require lubrication. I'm not an engineer (Robin, anyone?) but +>it's my understanding that vegetable lubrication breaks down under stress, +>and that oil or graphite lubricants are the only reasonable choices for +>high temperature/high rotation applications, at least prior to extremely +>advanced modes of chemical synthesis. + +This is a good point. There are a lot of alternatives to hydrocarbon +products derived from petroleum, but these have often been developed as +a replacement for petroleum after the technology has been established - +there is a growing industry in plant-derived plastics and lubricants, +but this is to replicate materials that have been previously created +much more easily within the petrochemical industry. + +Vegetable-derived lubricants have been used. The Russians used sunflower +oil in the lubrication systems of tanks and trucks during the second world +war, and work is being done in the UK to produce diesel fuel derived from +waste cooking oil from fast-food restaurants. + +Jay's correct in his opinion that vegetable oil is not as durable as +petroleum oil, but this is only because of the lack of sophistication +of the chemistry involved. Synthetic fuels and lubricants are continuously +being developed, and I don't see any problems with synthetics ultimately +matching the performance of the more conventional products. As the rock +oil runs out, plant oil derivatives *will* be developed to fill the +gap. In parallel, changes will occur in the designs of the machines to +cope with any changes in performance of the lubricants. + +My big concern is if the technology were ever to be lost for some reason. +Re-creating a petrochemical industry from scratch without petrochemicals +(that is, going immediately to plant-based synthetics) would be extremely +difficult, especially if it were necessary to recreate *all* of the +petrochemical-derived products (not just lubricants and fuels). I suspect +that, bearing in mind the ingenuity of the human race, it would happen, +just at a different pace. Imagine an industrial revollution based on, +for example, methane from pig manure, or diesel oil from sunflowers. + +All we would then have to do is get used to all the machines smelling +like pig farms and fish and chip shops... + +Robin Hill, STEAMY BESS, Brough, East Yorkshire + + + +******************************************************************** +This email and any attachments are confidential to the intended +recipient and may also be privileged. If you are not the intended +recipient please delete it from your system and notify the sender. +You should not copy it or use it for any purpose nor disclose or +distribute its contents to any other person. +******************************************************************** + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0220.1cca495dc30f98fc43adb00683029dbf b/machine-learning-ex6/ex6/easy_ham/0220.1cca495dc30f98fc43adb00683029dbf new file mode 100644 index 0000000..7d4bfe3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0220.1cca495dc30f98fc43adb00683029dbf @@ -0,0 +1,94 @@ +From timc@2ubh.com Wed Aug 28 10:54:08 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A164A43F99 + for ; Wed, 28 Aug 2002 05:53:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:53:59 +0100 (IST) +Received: from n23.grp.scd.yahoo.com (n23.grp.scd.yahoo.com + [66.218.66.79]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8PYZ16223 for ; Wed, 28 Aug 2002 09:25:34 +0100 +X-Egroups-Return: sentto-2242572-53129-1030523140-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n23.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:25:40 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:25:40 -0000 +Received: (qmail 78815 invoked from network); 28 Aug 2002 08:25:39 -0000 +Received: from unknown (66.218.66.217) by m15.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:25:39 -0000 +Received: from unknown (HELO gadolinium.btinternet.com) (194.73.73.111) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:25:39 -0000 +Received: from host217-36-22-4.in-addr.btopenworld.com ([217.36.22.4]) by + gadolinium.btinternet.com with esmtp (Exim 3.22 #8) id 17jy8w-0003UK-00 + for forteana@yahoogroups.com; Wed, 28 Aug 2002 09:25:39 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:24:34 +0100 +Subject: [zzzzteana] Cambodian Buddhaas unearthed +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://news.bbc.co.uk/1/hi/world/asia-pacific/2220132.stm + +Tuesday, 27 August, 2002, 21:35 GMT 22:35 UK +Cambodia temple ruins yield treasure + +Workers clearing dense jungle near the ruins of an ancient pagoda in +northern Cambodia have unearthed 31 Buddha statues - 27 of them solid gold. +The statues - which are 10 centimetres (4 inches) tall - are in good +condition and believed to be hundreds of years old. +They were found on Saturday as workers were rebuilding the Po Pich temple +about 100 km (65miles) north of the capital, Phnom Penh. +The pagoda, in the Batay district of Kampong Thom province, was torn down +during the reign of the Khmer Rouge in the 1970s and the area became +overgrown. +Community care +Deputy police chief of Kampong Thom province, Hang Sithim, said the statues +- three of which were silver and one bronze - were buried in about one metre +(3.4ft) of earth and each weigh around 500 grams (1lb). +''I think that these Buddha statues had been buried hundreds of years ago, +when the last temple was fully operating," Mr Hang Sithim said. +Provincial authorities initially planned to take the statues to a nearby +town for safekeeping, but opted to allow the Buddhist community at the +temple to take care of them. +''We believe they are safe there,'' said Som Somphat, deputy governor of +Kampong Thom province. +''The people of Po Pich pledged to treat them with respect and honour.'' +Reign of terror +A police guard has been placed around the site to protect it from looters. +The Khmer Rouge waged civil war in Cambodia between 1970 and 1998 and +controlled the country between 1975 and 1979. +The regime outlawed religion and destroyed many objects regarded as decadent +or culturally impure. +About two million people died in the Khmer Rouge's drive to turn Cambodia +into a farmers' utopia. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0221.32f8ba14e3285ddafb44327f88a70aa5 b/machine-learning-ex6/ex6/easy_ham/0221.32f8ba14e3285ddafb44327f88a70aa5 new file mode 100644 index 0000000..cf37543 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0221.32f8ba14e3285ddafb44327f88a70aa5 @@ -0,0 +1,113 @@ +From timc@2ubh.com Wed Aug 28 10:54:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 55B9743F99 + for ; Wed, 28 Aug 2002 05:54:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:54:28 +0100 (IST) +Received: from n24.grp.scd.yahoo.com (n24.grp.scd.yahoo.com + [66.218.66.80]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8TKZ16323 for ; Wed, 28 Aug 2002 09:29:20 +0100 +X-Egroups-Return: sentto-2242572-53131-1030523366-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n24.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:29:26 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:29:26 -0000 +Received: (qmail 381 invoked from network); 28 Aug 2002 08:29:26 -0000 +Received: from unknown (66.218.66.216) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:29:26 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:29:26 -0000 +Received: from host217-36-22-4.in-addr.btopenworld.com ([217.36.22.4]) by + carbon with esmtp (Exim 3.22 #8) id 17jyCb-0002sj-00 for + forteana@yahoogroups.com; Wed, 28 Aug 2002 09:29:25 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:28:35 +0100 +Subject: [zzzzteana] Height, weight, girth, etc +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.guardian.co.uk/uk_news/story/0,3604,781616,00.html + +Britons stand tall, if slightly heavy, in Europe + +John Carvel, social affairs editor +Wednesday August 28, 2002 +The Guardian + +Not every European dimension has been harmonised in Brussels yet. According +to the Department for Trade and Industry, the average Briton stands head, +shoulders, girth and bottoms above their continental partners. +The figures come in a new edition of the department's handbook of +anthropometric and strength measurements, compiled by ergonomists at the +University of Nottingham to help manufacturers design products to fit +people's shape. +The volume provides 294 measurements ranging from the distance between the +inner corners of the eyes to the length of the leg between the crease below +the buttock to the crease at the back of the knee. +It has discovered that the average British man is 36 millimetres (1 inches) +taller than his French counterpart. +The mean height of UK citizens is 1,755.1mm (5ft 9in). Among European men +only the Dutch are taller, averaging 1,795mm and with a clear height +advantage over the US men's average of 1,760.4. +The average British woman is 1,620mm tall (just under 5ft 4in), compared +with 1,604mm for her French counterpart, 1,610mm for the Italians and +1,619mm for the Germans. Swedish women average 1,640mm, Dutch 1,650mm and +Americans 1,626.7mm +More disturbingly, British men and women are heavier than all the other +nationalities except the Americans, averaging 79.75 kilos for British men +and 66.7 for women. +The average British woman has a chest measurement of 1,007.8mm (39.7 +inches), compared with 965mm for the Italians, 912.6mm for the Japanese and +806mm for Sri Lankans. American women also top this scale with an average of +1,047.2mm. +The average British woman's waist is 840.6mm (33 inches) - also second +largest behind the Americans. But her bottom at 873.7mm is considerably +smaller than the Italians at 916mm who beat the Americans into second place. +The average British male foot is 266.8mm long (10.5 inches), 6mm longer than +the French and Germans, 3mm more than the Italians and 1mm more than the +Swedes. But they are just beaten by the Americans at 267.8mm and massively +outstripped by the Dutch at 275mm. +However Dutch women have daintier feet than the British, averaging 240mm +compared with 241.1mm in the UK (9.5 inches). German women average 242mm, +compared with 245mm for the Swedes and 242.1mm for the Americans. +The DTI has a less than exhaustive record of ring finger lengths, but on the +available evidence the British man's finger at 78.7mm (3.1 inches) is 1.7mm +longer than his German counterpart, but 0.2mm shorter than the American +average. +The British woman's ring finger at 72.6mm is 0.4mm smaller than her German +counterpart and 0.3mm smaller than the American. +Beverley Norris, research fellow at Nottingham university's institute for +occupational ergonomics, said the figures were useful for product designers. +The department has recently completed a study of the pulling force needed to +open ring pull cans. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0222.160c5b2e2a80f71367b4d9a47f8f9d4e b/machine-learning-ex6/ex6/easy_ham/0222.160c5b2e2a80f71367b4d9a47f8f9d4e new file mode 100644 index 0000000..36b29b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0222.160c5b2e2a80f71367b4d9a47f8f9d4e @@ -0,0 +1,159 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 10:54:40 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 54F9744155 + for ; Wed, 28 Aug 2002 05:54:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:54:38 +0100 (IST) +Received: from n4.grp.scd.yahoo.com (n4.grp.scd.yahoo.com [66.218.66.88]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7S8W6Z16396 for + ; Wed, 28 Aug 2002 09:32:07 +0100 +X-Egroups-Return: sentto-2242572-53133-1030523533-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n4.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:32:13 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:32:13 -0000 +Received: (qmail 63177 invoked from network); 28 Aug 2002 08:32:13 -0000 +Received: from unknown (66.218.66.217) by m13.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:32:13 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:32:12 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7S8WB303026 for + ; Wed, 28 Aug 2002 09:32:11 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 09:32:10 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 09:32:01 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6C98AE.7172.23FD4363@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:31:57 +0100 +Subject: [zzzzteana] Emigrate to Russia? That's a steppe too far +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S8W6Z16396 + +The Electronic Telegraph + + Emigrate to Russia? That's a steppe too far + (Filed: 28/08/2002) + + + So you think you've got it bad: fed up with Folkestone, bored with Birmingham + or sick of Sheffield. + + Those 54 per cent of Britons - according to a Daily Telegraph/YouGov survey + this week - who dream of a stress-free life in sunnier climes should perhaps + heed a word of friendly advice on the realities of living abroad. + + Kommersant, a Russian daily newspaper, yesterday offered those dissatisfied + with life in Blair's Britain a taste of what to expect should they choose to + emigrate to provincial Russia. + + After reading about the gripes of affluent Britons, its tongue-in-cheek + article admitted, however, that the grass was not always greener on the other + side. + + "The inhabitants of foggy Albion keen to travel could go to any Russian city + deep in the provinces where things are quiet," said Kommersant. + + "In any central Russian district, life, by British standards, is unseemingly + cheap and remarkably laid back. By 11am most of the working population are + becoming 'traditionally' relaxed." + + The time for elevenses in Britain - perhaps the opportunity for a quiet cup of + tea and a chocolate Hobnob - is known in Russia as the Wolf Hour. + + It was so named in Soviet times because at 11am a wolf appeared from the + famous animal clock at the Obrasov Puppet Theatre in Moscow. It is also + opening time in the nation's vodka shops. + + And the vodka, like all other spirits, is cheap. Kommersant pointed out that + "the money a Briton can earn from selling even the most shabby house would be + enough to support them at the local standard of living for the rest of their + life. + + "The local shops are full of all they would need and they could buy a bottle + of whisky for kopecks." + + There are 100 kopecks in a ruble and the ruble is currently worth about a + halfpenny in sterling. + + The whisky is cheap, however, because it is unlike anything the average Briton + will have consumed before. It is made of samagon - home-distilled, moonshine + vodka - coloured with tea, and is a popular beverage in rural areas and among + diehard alcoholics. + + While alcohol is plentiful and cheap, food may not be so easy to come by. The + newspaper pointed out that traditional British foodstuffs - it selected oxtail + soup as an example - were in short supply. However, the wealth of the British + settler should overcome the difficulty. + + "For a modest reward in most Russian villages, the locals would happily cut + off the tails from the entire collective farm's herd of cattle." + + One or two potential emigrés might be deterred by language difficulties. There + are few English speakers to be found among the green hills of Tula on the + Mongolian border. + + However, Kommersant pointed out, language difficulties were not considered a + deterrent by the 13 per cent of Britons who nominated France as the country in + which they would like to live. + + France, the Russian paper claimed, was a country "where English is only known + by the beggars, Belorussian prostitutes and Russian tourists". + + Despite the low cost of living and the easy-going lifestyle, the Russian + weather remains a major stumbling block for Britons. + + Even in the most temperate regions, winter temperatures of -20C are common. + And somewhere like the Sakha Republic - east of Siberia and the coldest place + in the world - enjoys just one month of summer and endures winter temperatures + that drop below -70C. Houses are built on concrete stilts because the + permafrost makes digging foundations impossible. + + Again, the Russian paper had a word of reassurance. While acknowledging the + climatic problems, it said that "thanks to global warming this difficulty will + solve itself". + + Kommersant also had an answer to the labour crisis that would be created in + Britain if 54 per cent of its citizens decided to opt for a life in Russia. + + "Thirty-three million Russians could be sent to Britain to replace the 33 + million who leave. We think that the required number could probably be found + amongst our citizens." + + Unfortunately for those 33 million Russians, however, not one of those Britons + surveyed who wanted to move abroad nominated the Russian steppes as their + preferred new home. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0223.a009cff7a913fae0e58d901e5e847a82 b/machine-learning-ex6/ex6/easy_ham/0223.a009cff7a913fae0e58d901e5e847a82 new file mode 100644 index 0000000..76b1cf3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0223.a009cff7a913fae0e58d901e5e847a82 @@ -0,0 +1,119 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 10:54:46 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 547AE43F99 + for ; Wed, 28 Aug 2002 05:54:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:54:42 +0100 (IST) +Received: from n33.grp.scd.yahoo.com (n33.grp.scd.yahoo.com + [66.218.66.101]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8XaZ16552 for ; Wed, 28 Aug 2002 09:33:37 +0100 +X-Egroups-Return: sentto-2242572-53134-1030523622-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.197] by n33.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:33:42 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:33:42 -0000 +Received: (qmail 45450 invoked from network); 28 Aug 2002 08:33:42 -0000 +Received: from unknown (66.218.66.216) by m4.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:33:42 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:33:41 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7S8Xe303560 for + ; Wed, 28 Aug 2002 09:33:40 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 09:33:40 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 09:33:20 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6C98FC.9355.23FE7736@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:33:16 +0100 +Subject: [zzzzteana] Six arrested for attacking Palio jockey who defected +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +The Electronic Telegraph + + Six arrested for attacking Palio jockey who defected + By Bruce Johnston in Rome + (Filed: 28/08/2002) + + + Police waded into the intrigues and enmities surrounding the Palio, Siena's + traditional bareback horse race, for the first time yesterday, arresting six + people for beating up a star jockey who defected to a rival team. + + + Angry spectators attack Giuseppe Pes at the Palio horse race in Siena + Giuseppe Pes, a champion jockey of Sardinian extraction who has won the Palio + nine times in 38 runs, was closely associated with the Istrice, or Porcupine, + contrada - section of town - until the race earlier this month. + + Istrice did not have a horse in the contest - only 10 of the 17 contradas take + part in each Palio - but, despite promises to the contrary, moments before the + off Mr Pes mounted the horse of Lupa, or She-Wolf. + + Lupa are Istrice's historic rivals, and the defection was not taken well. Lupa + did not win, victory going instead to Tartuca, tortoise. + + As its supporters erupted into joyous celebrations, Mr Pes was pulled from his + mount by Istrice members and savagely beaten and kicked for seven minutes. + + Mr Pes, 39, whose jacket with his contrada's colours was torn from his back, + was sent to hospital with fractures, cuts and bruises. + + Three of his attendants who tried to intervene were also beaten. Police + yesterday arrested six people they said had been identified as the attackers + from video footage. + + Experts said it was the first time that members of a contrada - known as + contradaioli - had been arrested for beating up a jockey, despite the fact + that such episodes belong to the race's ancient traditions. + + The Palio, which was first raced in the 14th century, is held twice a year on + the cobbles of Siena's main square. For weeks beforehand supporters parade + through the city, singing, waving flags and wearing their contrada colours. + But by the day of the race the good humour evaporates. + + The event has no rules and is prepared for and run amid an extraordinary + undercurrent of intrigue and even violence. Jockeys may swap sides at the last + minute, take bribes, and whip rivals' horses, and more, so long as they do not + grab their reins. + + The origins of the contrada lie in the Middle Ages, when the neighbourhoods' + boundaries were set out to aid the many mercenary companies hired to defend + Siena's fiercely earned independence from Florence and other city states. + + The first Palio of the year takes place on July 2, to commemorate the miracles + of the Madonna of Provenzano, and a second race on Aug 16 marks the feast of + the Assumption of the Virgin. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0224.17430432fb67f4f3278eac9cba4714aa b/machine-learning-ex6/ex6/easy_ham/0224.17430432fb67f4f3278eac9cba4714aa new file mode 100644 index 0000000..1e428c8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0224.17430432fb67f4f3278eac9cba4714aa @@ -0,0 +1,164 @@ +From timc@2ubh.com Wed Aug 28 10:54:56 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9E69C43F9B + for ; Wed, 28 Aug 2002 05:54:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:54:50 +0100 (IST) +Received: from n33.grp.scd.yahoo.com (n33.grp.scd.yahoo.com + [66.218.66.101]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8YTZ16559 for ; Wed, 28 Aug 2002 09:34:29 +0100 +X-Egroups-Return: sentto-2242572-53135-1030523675-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n33.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:34:36 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:34:35 -0000 +Received: (qmail 4682 invoked from network); 28 Aug 2002 08:34:35 -0000 +Received: from unknown (66.218.66.218) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:34:35 -0000 +Received: from unknown (HELO gadolinium.btinternet.com) (194.73.73.111) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:34:35 -0000 +Received: from host217-36-22-4.in-addr.btopenworld.com ([217.36.22.4]) by + gadolinium.btinternet.com with esmtp (Exim 3.22 #8) id 17jyHY-0004Ja-00 + for forteana@yahoogroups.com; Wed, 28 Aug 2002 09:34:34 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:33:47 +0100 +Subject: [zzzzteana] That wacky imam +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://media.guardian.co.uk/broadcast/comment/0,7493,781769,00.html + +Hamza's horrid - but we must tolerate him + +Rod Liddle +Wednesday August 28, 2002 +The Guardian + +Sheikh Abu Hamza al-Masri, our maddest of mad mullahs and a cartoon bogeyman +to scare the kiddies, spent a quiet and contemplative bank holiday playing +with his own children in Victoria Park, Hackney. +I've often wondered what incendiary Islamic fundamentalist clerics do on +statutory public holidays. Head for the beach and maybe swing by B&Q on the +way home, I had hoped. I had this beguiling vision of Hamza paddling in the +sea, an ice-cream cone in his one good hand, the waves tickling his shins, +and the sheikh mentally preparing to fix those pesky shelves in the kitchen +for once, instead of planning the extermination of Zionism and America and +maybe me and you, too. +But B&Q and a day at the seaside is probably beyond Hamza's budget since the +Bank of England froze his assets, so Victoria Park had to do. But he sounded +happy enough when I spoke to him, with the babble of tiny, cheerful, Islamic +proto-warriors in the background. +You must know Hamza; he's the imam designed, it would seem, by the Daily +Mail's cartoonist Mac. Large metal hook in place of a left hand. One eye +covered by a patch, the other a baleful, watchful, milky-white. We don't +mock the disabled any more these days, unless it's someone like Hamza whom +we don't like; then, if you'll excuse the inapt phraseology, the gloves come +off. So Hamza is known (with that vaulting imagination typical of the +British right) as "Captain Hook", in articles which usually call for his +arrest, or extradition to the US, or deportation back home to Egypt or maybe +off to Pakistan or Afghanistan, where he fought the Russians for years and +thus sustained his disabilities - anywhere, really; just out of here. And if +we can't lock him up or chuck him out of the country, maybe we can force him +to shut up. +Because we don't like Hamza very much. We weren't that fond of him before +September 11, but afterwards, in that nervy, paranoid few months when we all +thought the sky might fall in, our disapprobation turned into political +persecution. +And now the Daily Mirror is agitating again for his arrest because they've +got hold of secret videos of the man behaving in an even more inflammatory +manner, urging warfare on and looting of enemies of Islam. All out of +context, and a very long time ago, says the imam, not unduly bothered. But +perhaps he should be, because our reputation for broad-mindedness and +tolerance towards people like Hamza was thinning even before the Mirror's +scoop. +Hamza preaches, or preached, at the scary Finsbury Park Mosque - so, earlier +this year, the Charity Commissioners banned him from doing so because of his +allegedly inflammatory remarks. I didn't know Charity Commissioners were +meant to do stuff like that. +He has had his passport seized and not returned; his assets have been +frozen. He is tailed by the police every now and then, and his access to the +media is restricted by internal policing within broadcasting corporations +and the press. And this last point is because, we tell ourselves, endlessly +- repeating the mantra over and over again, and fervently wishing it to be +true - Hamza is not "representative" of British Muslims, as if British +Muslims were a simple, homogenous thing with a single voice that one could +turn to every now and then for explanation. And perhaps succour. +The trouble is, in the first month or so after the twin towers attack he was +revealed to be rather more "representative" than the list of those +government-approved Muslim spokesmen who were - uncomfortably, I suspect - +dragooned briefly into statements of support for the war against terrorism +and a blanket condemnation of the Taliban. +An opinion poll commissioned by Radio 4's Today programme revealed that an +overwhelming majority of British Muslims were against George Bush's crusade. +One in six were, to put it mildly, ambivalent about the attack on the US +(the remainder condemned the attack unequivocally). A large majority thought +the war against terrorism was a war against Islam. +Which is what Hamza said, repeatedly. But it was something that, at the +time, we didn't want to hear. Now, if you quiz the man on present policy at +home and abroad he comes across - superficially, at least - as someone from +the liberal left. No war against Iraq; Britain to become independent of US +foreign policy and attempt rapprochement with Arab states; stronger action +against Israel; mistrust of global capitalism; redistribution of wealth. +Nor is he particularly anti-semitic, so far as I can tell, although I don't +suppose he will be holidaying in Eilat this year. In yesterday's Guardian, +the chief rabbi expressed a willingness to talk to Hamza and was grateful +for the sheikh's message of condolence when a London synagogue was attacked. +Which is not to say that Hamza is a peaceable Jeffersonian democrat who has +been wilfully misrepresented: he is, without question, rather more +inflammatory in private sermons to his own people than he is in public. His +ideology is an arid and uncompromising interpretation of Islam: he would be +happy, in a truly Islamic society, to stone women to death for adultery, for +example. You and I would find many - perhaps most - of his views utterly +repellent. +And that's the point. Because Hamza is the true test of our apparent desire +to be multicultural. Multiculturalism is not, surely, the cheerful +appropriation of bits of inoffensive minority cultural behaviour by the +ruling hegemony. That is a sort of syncopated monoculturalism. +Multiculturalism is, rather, the ability of society to tolerate views that +are antithetical to the dominant culture - and maybe learn from them. +The FBI has been investigating Hamza, but, of course, has found nothing +remotely incriminating. The real reason for his vilification and persecution +is simply the pungency of his views. +It is often said that we should shut him up or arrest him because his +rhetoric increases hostility against the Muslim population generally. This +is a perfectly noble argument, but it does not wash. +You don't defuse a difficult situation by pretending it doesn't exist. And +if British Muslims - maybe a minority, maybe not - feel a growing sense of +unease or mystification at the direction of western foreign policy, it is +not because they have been led in that direction by Hamza. Shutting the man +up, therefore, won't make a difference. +It is rather as Louis MacNeice had it: +The glass is falling hour by hour, the glass will fall for ever. +But if you break the bloody glass, you won't hold up the weather. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0225.80a615200726ed2da1bfd347dcfd648c b/machine-learning-ex6/ex6/easy_ham/0225.80a615200726ed2da1bfd347dcfd648c new file mode 100644 index 0000000..e588bd0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0225.80a615200726ed2da1bfd347dcfd648c @@ -0,0 +1,117 @@ +From timc@2ubh.com Wed Aug 28 10:55:08 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 31D4F43F99 + for ; Wed, 28 Aug 2002 05:55:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:06 +0100 (IST) +Received: from n24.grp.scd.yahoo.com (n24.grp.scd.yahoo.com + [66.218.66.80]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8e8Z16624 for ; Wed, 28 Aug 2002 09:40:08 +0100 +X-Egroups-Return: sentto-2242572-53136-1030524014-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.96] by n24.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:40:14 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:40:14 -0000 +Received: (qmail 69869 invoked from network); 28 Aug 2002 08:40:14 -0000 +Received: from unknown (66.218.66.217) by m13.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:40:14 -0000 +Received: from unknown (HELO gadolinium.btinternet.com) (194.73.73.111) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:40:14 -0000 +Received: from host217-36-22-4.in-addr.btopenworld.com ([217.36.22.4]) by + gadolinium.btinternet.com with esmtp (Exim 3.22 #8) id 17jyN3-0004sQ-00 + for forteana@yahoogroups.com; Wed, 28 Aug 2002 09:40:13 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:39:20 +0100 +Subject: [zzzzteana] White Horse vandalised +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S8e8Z16624 + +http://yorkshirepost.co.uk/ed/front/481722 + +Pro-hunt activists target top sight + +ONE of Yorkshire's most famous sights yesterday became one of the first +targets in bizarre attacks on White Horse landmarks linked to the hunting +debate. +Villagers near Thirsk could not believe their eyes when they woke yesterday +to find the famous White Horse of Kilburn had acquired a rider during the +night. +In another incident, the Uffington white horse in Oxfordshire had a huntsman +and three hounds added to the ancient figure, which is thought to represent +a Celtic god or tribal symbol. +Pro-hunt activists in the Real Countryside Alliance (RCA) ­ a radical +alternative to the better-known Countryside Alliance ­ admitted +responsibility last night for targeting the two images. +The 314ft by 228ft landmark at Kilburn has been lovingly preserved since it +was carved in the limestone by schoolmaster John Hodgson and his pupils in +1857. +But during Monday night someone nailed on a massive figure of a huntsman +with a horn ­ which had been cut to scale out of a single piece of white +carpet. It was removed yesterday by members of Kilburn White Horse +Association, who found a Countryside Alliance badge attached to the carpet. +John Roberts of the association said: "It has obviously been very well +organised. It was a well crafted piece of kit: a figure of a huntsman with a +horn cut out of carpets. +"It was big and impressive and could be seen for miles about. They tied it +to bushes at the top and nailed it down. It caused all the stone chippings +to be pushed downwards, which will help turn the white horse grey. It will +not get another refit for another year. +"Whoever did it must have come with a vehicle ­ a tractor and trailer or a +lorry ­ because the carpet must have come in one piece. It was extremely +well planned and took several people an hour and a half to get it off." +The sculpture needs constant work because, unlike chalk horses in the south +of England, it is cut into limestone which is the wrong colour and needs +whitening. +Mr Roberts added: "The damage as such is not great but it adds to the +deterioration, which means it will need more work next time. +"We would have more sympathy if, having made the point, they would come to +take it away again because it was a major job." +Andy Wilson, chief executive of the North York Moors National Park, said: +"It is a scheduled ancient monument and the local residents are very proud +of it and go to enormous trouble to keep it white. There is also careful +consideration of what shape it should be kept with the constant growth of +vegetation so you can understand the alarm and regret at any changes. There +has not been a cut in the turf ­ which would be much more of a problem. It +would seem it was carefully plotted beforehand." +An RCA spokesman said: "Some people in the country are getting very +frustrated at the inaction. All we want is Ministers to take notice. Marches +don't seem to be doing anything good." +The Countryside Alliance said it did not have any part in the action. +Spokesman Adrian Yelland said: "The Countryside Alliance only ever advocates +campaigning that is lawful and dissociates itself from acts of vandalism and +regrets any damage that may have been caused by this incident." +The incident follows graffiti on road signs and motorway bridges in +Yorkshire thought to be RCA work. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0226.aafb7854f8f17e90f7e5e5f99c54e76e b/machine-learning-ex6/ex6/easy_ham/0226.aafb7854f8f17e90f7e5e5f99c54e76e new file mode 100644 index 0000000..2439b35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0226.aafb7854f8f17e90f7e5e5f99c54e76e @@ -0,0 +1,120 @@ +From mephistopheles29@hotmail.com Wed Aug 28 10:55:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2367B43F99 + for ; Wed, 28 Aug 2002 05:55:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:15 +0100 (IST) +Received: from n25.grp.scd.yahoo.com (n25.grp.scd.yahoo.com + [66.218.66.81]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8jKZ16862 for ; Wed, 28 Aug 2002 09:45:21 +0100 +X-Egroups-Return: sentto-2242572-53137-1030524326-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n25.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:45:26 -0000 +X-Sender: mephistopheles29@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:45:26 -0000 +Received: (qmail 4957 invoked from network); 28 Aug 2002 08:45:26 -0000 +Received: from unknown (66.218.66.218) by m10.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:45:26 -0000 +Received: from unknown (HELO n8.grp.scd.yahoo.com) (66.218.66.92) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:45:25 -0000 +Received: from [66.218.67.137] by n8.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:45:25 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "timothy_hodkinson" +X-Originating-Ip: 62.172.206.50 +X-Yahoo-Profile: timothy_hodkinson +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 08:45:25 -0000 +Subject: [zzzzteana] Crop Idol: Crop circle competition +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S8jKZ16862 + +>>From todays Sun: +http://www.thesun.co.uk/article/0,,5-2002392050,00.html + +Your vote on Crop Idol +By OLIVER HARVEY + +WELCOME to Crop Idol – your chance to choose Britain's most out-of-this-wor= +ld corn circle. + + +The intricate patterns, which some say are the work of aliens, are big news= + again thanks to the spooky new Mel Gibson film Signs. + + +Nine of the best are shown on the right. You can vote for your favourite by= + clicking on the image and dialling the number shown beneath. + +Calls cost only 10p, or 12 cents from the Republic of Ireland (though it ma= +y be a bit more if you contact us from other planets). + +Lines close at 6pm today. We will reveal the +winner tomorrow. + + +Aliens ... or hoaxers? +THE debate continues to rage over the origin of crop circles. + +Many believe they are simply the work of human hoaxers — while others are c= +onvinced they are made by aliens trying to communicate with us. + +Crop circle enthusiasts insist that some of the designs appear so quickly a= +nd on such a vast scale that it is impossible for humans to have made them. = + + +Witnesses even claim to have seen balls of light moving through the fields = +on the nights that circles appear. + +Researchers have found connections between some patterns and symbols from a= +ncient religions, mathematics and even music. + +Crop circles were first spotted in Britain in the early 1970s and now appea= +r throughout the world. The weird outlines are still most common in the sout= +h of England. + +Theories about their cause include whirlwinds — known to circle experts as = +plasma vortexes — earth energies from ley lines or even forces from the huma= +n mind. + +In the past the circles have also been blamed on mating roe deer, hedgehogs= +, helicopters and holes in the ozone layer. + +Raymond Cox, Chairman of the Centre for Crop Circle Studies, said last nigh= +t: "It's a great unsolved mystery. + +"We know not all crop circles are created by humans but we cannot say for s= +ure what is making them." + +Plus lots of photos + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0227.95301af4d5382e2029db75a4ecf7560f b/machine-learning-ex6/ex6/easy_ham/0227.95301af4d5382e2029db75a4ecf7560f new file mode 100644 index 0000000..40e823d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0227.95301af4d5382e2029db75a4ecf7560f @@ -0,0 +1,77 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 10:55:21 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9AB2F43F9B + for ; Wed, 28 Aug 2002 05:55:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:20 +0100 (IST) +Received: from n19.grp.scd.yahoo.com (n19.grp.scd.yahoo.com + [66.218.66.74]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S8q0Z16982 for ; Wed, 28 Aug 2002 09:52:00 +0100 +X-Egroups-Return: sentto-2242572-53138-1030524726-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n19.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 08:52:06 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 08:52:06 -0000 +Received: (qmail 18008 invoked from network); 28 Aug 2002 08:52:06 -0000 +Received: from unknown (66.218.66.216) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 08:52:06 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 08:52:05 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7S8q4311684 for + ; Wed, 28 Aug 2002 09:52:04 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 09:52:04 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 09:51:51 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6C9D54.27778.240F6D50@localhost> +Priority: normal +In-Reply-To: +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 09:51:47 +0100 +Subject: Re: [zzzzteana] That wacky imam +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +> Sheikh Abu Hamza al-Masri, our maddest of mad mullahs and a cartoon bogeyman +> to scare the kiddies, spent a quiet and contemplative bank holiday playing +> with his own children in Victoria Park, Hackney. + +For an alternative, and rather more factually based, rundown on Hamza's +career, including his belief that all non Muslims in Yemen should be murdered +outright: + +http://memri.org/bin/articles.cgi?Page=archives&Area=ia&ID=IA7201 + +Martin + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0228.b83f2f4ef114c69d9ca927d1082b393f b/machine-learning-ex6/ex6/easy_ham/0228.b83f2f4ef114c69d9ca927d1082b393f new file mode 100644 index 0000000..6e54be6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0228.b83f2f4ef114c69d9ca927d1082b393f @@ -0,0 +1,114 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 10:55:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 506A044155 + for ; Wed, 28 Aug 2002 05:55:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:22 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S9ENZ17810 for ; Wed, 28 Aug 2002 10:14:23 +0100 +X-Egroups-Return: sentto-2242572-53139-1030526069-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n16.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 09:14:29 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 09:14:29 -0000 +Received: (qmail 31918 invoked from network); 28 Aug 2002 09:14:29 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 09:14:29 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 09:14:28 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7S9ER320256 for + ; Wed, 28 Aug 2002 10:14:27 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 10:14:26 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 10:14:08 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6CA290.8179.2423E1FC@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 10:14:08 +0100 +Subject: [zzzzteana] It's August, and big cats are on the prowl +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S9ENZ17810 + +The Times + + August 28, 2002 + + It's August, and big cats are on the prowl + By Alan Hamilton + + + + ROUND up the sheep. Pull on the gauntlets. Oil the shotgun. The British + countryside is crawling with pumas, black panthers, fen tigers and other big, + vicious cats. No corner of the nation is safe. Evidence released yesterday, + including sightings, photographs, paw prints, livestock kills and hair + samples, claims to prove that every county has big cats lurking in its + undergrowth, poised to pounce on man and beast alike. + + Sightings have reached record levels in 2002, according to Daniel Bamping, + founder of the British Big Cats Society, which in the past 12 months has + received more than 800 reports of big cat sightings. + + “During the first six months we have seen an incredible amount of big cat + activity. We have now had reports in every single county; the response from + the public has been fantastic,” Mr Bamping said. “Big cats in Britain are + real. They are out there, they are breeding; there’s more of them.” + + Scotland and Gloucestershire are said to be hotspots of big cat activity. Mark + Fraser, who heads the society’s Scottish arm, said: “Lynx are now present in + the Scottish countryside; I believe they are established and breeding. I don’t + want to hazard a guess at the numbers; suffice it to say there are several + hotspots, notably Fife, Aberdeenshire, Inverness and the Borders.” + + Next month the society plans to unveil its full dossier of evidence, which + includes two dead wild cats, pictures of paw prints and tree scratchings, as + well as stories of a horse strangely lacerated in West Wales and a man in + Gravesham, Kent, who had to beat a hasty retreat to his garage after his hand + was cut by a creature the size of a labrador dog, except that it had black + hairy tufts on the tips of its ears. + + The society is taking the sightings seriously. It plans to set up a network of + trigger-cameras throughout the country to capture further evidence of the + beasts, which it will then present to the Government. + + It is not, however, clear on what it wants the Government to do about it all. + Throwing its weight behind the pro-hunting lobby might be a start. + + Next in August: record abductions by aliens. + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0229.49528f1403038d8d080420b023aa8d4f b/machine-learning-ex6/ex6/easy_ham/0229.49528f1403038d8d080420b023aa8d4f new file mode 100644 index 0000000..0aaddaa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0229.49528f1403038d8d080420b023aa8d4f @@ -0,0 +1,137 @@ +From skitster@hotmail.com Wed Aug 28 10:55:28 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AC12B44156 + for ; Wed, 28 Aug 2002 05:55:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:25 +0100 (IST) +Received: from n36.grp.scd.yahoo.com (n36.grp.scd.yahoo.com + [66.218.66.104]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S9EPZ17814 for ; Wed, 28 Aug 2002 10:14:25 +0100 +X-Egroups-Return: sentto-2242572-53140-1030526071-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n36.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 09:14:31 -0000 +X-Sender: skitster@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 09:14:31 -0000 +Received: (qmail 85461 invoked from network); 28 Aug 2002 09:14:31 -0000 +Received: from unknown (66.218.66.218) by m5.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 09:14:31 -0000 +Received: from unknown (HELO hotmail.com) (64.4.17.167) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 09:14:31 -0000 +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 28 Aug 2002 02:14:30 -0700 +Received: from 213.121.94.124 by lw11fd.law11.hotmail.msn.com with HTTP; + Wed, 28 Aug 2002 09:14:30 GMT +To: clare.bunkham@prudential.co.uk, zzzzteana@yahoogroups.com, + forteana@taint.org +Message-Id: +X-Originalarrivaltime: 28 Aug 2002 09:14:30.0994 (UTC) FILETIME=[512D8B20:01C24E73] +From: "Scott Wood" +X-Originating-Ip: [213.121.94.124] +X-Yahoo-Profile: fromage_frenzy +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 10:14:30 +0100 +Subject: [zzzzteana] Fwd: Hill Monuments defaced to promote hunting +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +The hunting community showing, yet again, how utterly out of touch they +are....(though the anti-Esso sign on the Long Man made me smirk last week) + + +>From: "Carol" +> +>The white horses at Uffington and Kilburn have had hunters painted +>onto them to 'keep the pro-hunt image in the media' +> +>http://www.ananova.com/news/story/sm_658592.html +> +>*boggle* How can the pro-hunt people think this will help their cause? +> +>Carol + + +Giant horse images 'defaced by hunting activists' + +Pro-hunt activists have defaced two of the country's national monuments - +the two giant white horses - to highlight their cause + +Campaigners for the Real Countryside Alliance say they targeted the two +images, on hills in Oxfordshire and North Yorkshire, "to keep the pro-hunt +thing in the papers". + + +Ananova: + +Giant horse images 'defaced by hunting activists' + +Pro-hunt activists have defaced two of the country's national monuments - +the two giant white horses - to highlight their cause. + + + +Campaigners for the Real Countryside Alliance say they targeted the two +images, on hills in Oxfordshire and North Yorkshire, "to keep the pro-hunt +thing in the papers". + + + +Aerial shots show the 374ft-long Bronze Age image on the Berkshire Downs +near Uffington in Oxfordshire complete with three white hounds and a rider. + +In North Yorkshire, a rider in full hunt regalia has been added to the 300ft +White Horse cut in to the hills at Kilburn, which dates back to the 1700s. + +But no-one reported anything to the police. + +A spokesman for North Yorkshire police said no reports had been received but +he had seen "a red blob" on the horse and had sent officers to investigate. + +In Uffington, no-one in the village had heard anything about the reported +incident. A spokesman for Thames Valley police said he was not aware of any +complaints. + +Activists say the image in Oxfordshire was drawn in paint used for marking +lines on grass tennis courts and will wash away in the first rains. + + +Story filed: 21:17 Tuesday 27th August 2002 + + + + + + +Scott +"I cried for madder music and for stronger wine" +Ernest Dowson + + +_________________________________________________________________ +MSN Photos is the easiest way to share and print your photos: +http://photos.msn.com/support/worldwide.aspx + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0230.a6e285288a40fccdbea8cf93de581ad2 b/machine-learning-ex6/ex6/easy_ham/0230.a6e285288a40fccdbea8cf93de581ad2 new file mode 100644 index 0000000..6f58fba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0230.a6e285288a40fccdbea8cf93de581ad2 @@ -0,0 +1,86 @@ +From Steve_Burt@cursor-system.com Wed Aug 28 10:55:32 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 876C943F99 + for ; Wed, 28 Aug 2002 05:55:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:55:27 +0100 (IST) +Received: from n17.grp.scd.yahoo.com (n17.grp.scd.yahoo.com + [66.218.66.72]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7S9gNZ18555 for ; Wed, 28 Aug 2002 10:42:23 +0100 +X-Egroups-Return: sentto-2242572-53141-1030527749-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n17.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 09:42:29 -0000 +X-Sender: steve.burt@cursor-system.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 09:42:28 -0000 +Received: (qmail 83424 invoked from network); 28 Aug 2002 09:42:27 -0000 +Received: from unknown (66.218.66.217) by m11.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 09:42:27 -0000 +Received: from unknown (HELO mailgateway.cursor-system.com) (62.189.7.27) + by mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 09:42:27 -0000 +Received: from exchange1.cps.local (unverified) by + mailgateway.cursor-system.com (Content Technologies SMTPRS 4.2.10) with + ESMTP id for + ; Wed, 28 Aug 2002 10:43:38 +0100 +Received: by exchange1.cps.local with Internet Mail Service (5.5.2653.19) + id ; Wed, 28 Aug 2002 10:42:26 +0100 +Message-Id: <5EC2AD6D2314D14FB64BDA287D25D9EF12B50F@exchange1.cps.local> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +X-Egroups-From: Steve Burt +From: Steve Burt +X-Yahoo-Profile: pyruse +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 10:42:25 +0100 +Subject: RE: [zzzzteana] Digest Number 2453 +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +>JUST as the pyramids of Egypt were built in honour of great kings, it was +>fitting that sandy replicas were created on Weymouth beach in memory of the +>king of the castle. Fred Darrington, who became the world's most famous +sand +>sculptor, died last week aged 91. His grandson, Mark Anderson, who has +taken +>over his Dorset seafront pitch, is determined that his grandfather's name +will +>not be forgotten, despite the impermanence of his creations. + +Can someone please tell me what a "pitch" constitutes? I have an idea +it is somewhat like the spots street musicians claim, but this sounds +more formal. +------------------ +Just an area of the beach by the prom where he's allowed to make his +sculptures. +Weymouth is where I spent my teenage years. My mum and one sister still live +there. +So I'm pretty familiar with the sculptures; pretty impressive, and very big. +(I think he uses some sort of armature for some bits - it's not just sand) +They usually get vandalised, though; after a lot of drinks, it obviously is +a good idea to break into the enclosure and kick all the sculptures to bits. +Then again, Weymouth is pretty run down, and attracts holiday makers of the +worst sort. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0231.1bc071b16de2cc1e2adab334be65f7c6 b/machine-learning-ex6/ex6/easy_ham/0231.1bc071b16de2cc1e2adab334be65f7c6 new file mode 100644 index 0000000..9b7c477 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0231.1bc071b16de2cc1e2adab334be65f7c6 @@ -0,0 +1,59 @@ +From tony@svanstrom.com Wed Aug 28 11:02:33 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3334043F99 + for ; Wed, 28 Aug 2002 06:02:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:02:32 +0100 (IST) +Received: from moon.campus.luth.se (root@moon.campus.luth.se + [130.240.202.158]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7S4MwZ10483 for ; Wed, 28 Aug 2002 05:22:58 +0100 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7S4N9Mg010720; Wed, 28 Aug 2002 06:23:09 +0200 (CEST) (envelope-from + tony@svanstrom.com) +Date: Wed, 28 Aug 2002 06:23:09 +0200 (CEST) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Robin Lynn Frank +Cc: Justin Mason , + , +Subject: Re: [SAtalk] Re: patent on TMDA-like system +In-Reply-To: <1030506273.18567.TMDA@omega.paradigm-omega.net> +Message-Id: <20020828062019.Y10668-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII + +On Tue, 27 Aug 2002 the voices made Robin Lynn Frank write: + +> > Tony Svanstrom, on SpamAssassin-talk, noted this US patent: +> > +> > http://appft1.uspto.gov/netacgi/nph-Parser?Sect1=PTO2&Sect2=HITOFF&u=/netah +> >tml/PTO/search-adv.html&r=62&f=G&l=50&d=PG01&s1=spam&p=2&OS=haiku&RS=spam + +> I took a bit of time to review what is on the above URL. If I were a news +> editor, the headline would be: +> +> "Inventor" from country that ignores patents and copyrights, seeks patent for +> inventing the wheel! + + The wheel is already patented in Australia; Melbourne man patents the wheel: + + + + + The sad news is that there seems to be a lot of patents (pending or not) +that's for very basic/general ideas; it's the current form of "domainnapping", +and it might turn uggly when people start trying to enfoce these patents. + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0232.12e1f1709e19a9dcd8a0bc051ceeb2c4 b/machine-learning-ex6/ex6/easy_ham/0232.12e1f1709e19a9dcd8a0bc051ceeb2c4 new file mode 100644 index 0000000..4969806 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0232.12e1f1709e19a9dcd8a0bc051ceeb2c4 @@ -0,0 +1,134 @@ +From fork-admin@xent.com Wed Aug 28 10:50:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E8BC743F99 + for ; Wed, 28 Aug 2002 05:49:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:49:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RIKgZ20480 for ; + Tue, 27 Aug 2002 19:20:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4E9BD2940C3; Tue, 27 Aug 2002 11:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id C557E2940C3 for ; + Tue, 27 Aug 2002 11:17:58 -0700 (PDT) +Received: (qmail 1107 invoked from network); 27 Aug 2002 18:19:59 -0000 +Received: from unknown (HELO maya.dyndns.org) (165.154.190.88) by + smtp1.superb.net with SMTP; 27 Aug 2002 18:19:59 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 16A5F1C388; + Tue, 27 Aug 2002 13:49:26 -0400 (EDT) +To: Mike Masnick +Cc: "Adam L. Beberg" , Tom , + +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +References: + <5.1.1.6.0.20020826113243.034de5d0@techdirt.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 27 Aug 2002 13:49:25 -0400 + +>>>>> "M" == Mike Masnick writes: + + M> In which world are we talking about? That may be true for the + M> first sale, but once something is out in the world, the + M> "creator" loses control... If I buy a chair you built, and then + M> decide to give it away to my neighbor, by you're definition, he + M> just stole from you. + +I don't endorse the whole RIAA thing, but to be accurate, you would +have to duplicate the chair so that both you and your neighbour could +continue to sit down, and yes, I suppose that would be more serious. + +They can sit on /your/ copy, but if you start churning out exact dups +of a name-brand artifact, people with law degrees start to smell +money. For example, I could copy a Gibson Guitar /exactly/ so long as +(a) I don't put Orville's name on the headstock and (b) I license the +patented bracing methods. If I instead try to sell a homebuilt guitar +on eBay with "Gibson" written in crayon on the headstock, and then +claim it is a true Les Paul limited edition, I expect people would get +upset. + + M> Why is it that people don't understand that giving stuff away + M> is a perfectly acceptable tactic in capitalist businesses? + +To play the Devil's Advocate here, it's not about giving /stuff/ away, +it is about granting endless and cascading duplication/distribution +rights. Even if _I_ only make the copy I give to you, that doesn't +stop you from making 10000 copies to sell. + + M> Access to free stuff often helps to sell other stuff. + +This is the difficult question: How will they draw the distinction? +The "other stuff" is just as easy to duplicate as the free stuff. +This is why MS is hunting people with illegal Windows; it's no harder +to dup than a Linux CD, only what is there that actually prevents +people from doing it? + +Personally, I don't think the issue should have anything to do with +sales or units. The issue is that basic phallacy that says a suit +should be able to "own" someone else's intellectual property. Sarah +McLaughlin isn't suing you, it's her label's legal dept because it's +the label who stands to lose; Sarah's already fat beyond her wildest +dreams, so a few bucks here or there, or even if the well dried up +tomorrow, it's not going to really traumatize her (unless she's been +blazingly stupid with her money) + +But the label ... like Disney and Mickey, they need the cash cow so +they can keep all sorts of uncreative hangers-on in limos and coke. +If you thought only Elvis or Brian Jones or Dennis Wilson had problems +with beautiful-people deadbeat leech "friends" draining their riches, +think again. + +The problem is really very simple because it is semantic, and until we +make the semantic flip, it's unsolvable, but like trisecting an angle, +all it takes is looking at the same situation in a different +way. Here's the revelation: Elvis never ever made a hit record. + +Elvis didn't make the hits, his /fans/ made the hits. His fans did +the work cleaning toilets, manning the convenience stores, driving +milk trucks, sitting at endless office desks, they did the /real/ +labour that paid for every last one of Elvis Presley's pills. All +Elvis did was sing into a microphone every so often, and pen or +collect the odd song that all those /people/ liked and wanted as +something of their own. But it's not _Elvis_ who made them universal +statements, it is the universe of fans who slurped the songs into +their own lives, it was pull-technology, not push. + +Therefore the question becomes: how many times must these fans pay +before they own what they themselves have created? They pay royalties +for listening to the radio, for blank tapes, for concert tickets, for +a beer in a bar with a cover band ... they pay over and over and over +again for the /right/ to make some hack writer's song /their/ +favourite song???? That's where the whole system has been seriously +warped by the record companies and ad companies reframing it into your +thinking that it is the Elvis who makes the Elvis. It's not. It's +the people who make them; the songs are already theirs. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0233.8ee5f381dff013a0ccac9a01ac2d2976 b/machine-learning-ex6/ex6/easy_ham/0233.8ee5f381dff013a0ccac9a01ac2d2976 new file mode 100644 index 0000000..9177b99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0233.8ee5f381dff013a0ccac9a01ac2d2976 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Wed Aug 28 10:50:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3678844155 + for ; Wed, 28 Aug 2002 05:50:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RKrhZ25471 for ; + Tue, 27 Aug 2002 21:53:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6D4392940D4; Tue, 27 Aug 2002 13:51:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav46.law15.hotmail.com [64.4.22.18]) by + xent.com (Postfix) with ESMTP id D4FAA29409A for ; + Tue, 27 Aug 2002 13:50:41 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 27 Aug 2002 13:52:43 -0700 +X-Originating-Ip: [63.224.51.161] +From: "Mr. FoRK" +To: "FoRK (E-mail)" +References: +Subject: Re: Startups, Bubbles, and Unemployment (fwd) +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Message-Id: +X-Originalarrivaltime: 27 Aug 2002 20:52:43.0733 (UTC) FILETIME=[B0C87850:01C24E0B] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 13:50:31 -0700 + +> Ultimately, there was a big +> disagreement about how to sell the product (sales guys wanted to sell +> the thing for a gazillion dollars to megaclients, but we thought it +> would make more sense to get more people using it so we could get more +> feedback from many different places). The bottom line was that the +> route we wound up going (megaclients for megabucks) had a megalong +> sales cycle. The sales force staffed up and tried to sell the +> earliest releases of the software -- even succeeding in a few +> significant cases -- but couldn't get enough to cover their own +> expenses, much less the actual development of the product. + +Now where have I seen that before.... oh yeah... its happening to me right +now... + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0234.4d23ca5049f3349529f5612ab5e2120d b/machine-learning-ex6/ex6/easy_ham/0234.4d23ca5049f3349529f5612ab5e2120d new file mode 100644 index 0000000..65eba5e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0234.4d23ca5049f3349529f5612ab5e2120d @@ -0,0 +1,76 @@ +From fork-admin@xent.com Wed Aug 28 10:50:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 235A143F9B + for ; Wed, 28 Aug 2002 05:49:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:49:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RInkZ21336 for ; + Tue, 27 Aug 2002 19:49:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 33F332940D2; Tue, 27 Aug 2002 11:47:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 33AAF29409A for ; + Tue, 27 Aug 2002 11:46:35 -0700 (PDT) +Received: from maya.dyndns.org (ts5-007.ptrb.interhop.net + [165.154.190.71]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7RIMMS12577 for ; Tue, 27 Aug 2002 14:22:23 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 032861C388; + Tue, 27 Aug 2002 14:28:18 -0400 (EDT) +To: +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 27 Aug 2002 13:30:53 -0400 + +>>>>> "A" == Adam L Beberg writes: + + A> I'm not displeased you're trying to help, just frustrated that + A> employers can demand such rediculous combinations of skills + A> with insane years of experience. + +>>>From my 25+ years in the playing field, IMHO the art of job-hunting +(for those not yet de-jobbed) is the art of getting past the HR-stage +interview and into the engineer-to-engineer interview. HR is not +being honest with you so there's no ethical quandry to be totally +honest with them: If they want experience numbers that would place you +in the OAK project, lead them to believe that you have "something +roughly equivalent" (ie "it wasn't 5 years, but it was three intense +years with plenty of overtime") -- they are playing a bluff in saying +/they/ know the job requirements so you're perfectly within poker +rules to bluff back to say you have it. + +If you /don't/ have the requisite Right Stuff, the engineers can +usually suss it out pretty fast during the second interview. Most +often, their choice is based 90% on "who can I work with" and only +maybe 10% on "how much/little will we have to tutor this candidate?" + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0235.3c824d680d31b3710d8f3475730dc42d b/machine-learning-ex6/ex6/easy_ham/0235.3c824d680d31b3710d8f3475730dc42d new file mode 100644 index 0000000..5fef4ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0235.3c824d680d31b3710d8f3475730dc42d @@ -0,0 +1,418 @@ +From fork-admin@xent.com Wed Aug 28 10:50:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B246644158 + for ; Wed, 28 Aug 2002 05:50:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RM2tZ27575 for ; + Tue, 27 Aug 2002 23:02:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6595D2940EA; Tue, 27 Aug 2002 15:00:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id CB93729409A; Tue, 27 Aug 2002 14:59:09 + -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g7RM0Gfw020877; Tue, 27 Aug 2002 15:00:17 + -0700 (PDT) +Subject: DataPower announces XML-in-silicon +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Rohit Khare +To: fork@example.com +Message-Id: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 15:00:13 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7RM2tZ27575 + +No analysis yet... don't know what to make of it yet. But here's the raw +bits for all to peruse and check out what's really going on... Best, +Rohit + +=========================================================== + +DataPower delivers XML acceleration device +By Scott Tyler Shafer +August 27, 2002 5:46 am PT + +DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +specifically to process XML data. Unlike competing solutions that +process XML data in software, DataPower's device processes the data in +hardware -- a technology achievement that provides greater performance, +according to company officials. + +The new device, dubbed DataPower XA35 XML Accelerator, is the first in a +family of products expected from the Cambridge, Mass.-based startup. The +DataPower family is based on a proprietary processing core technology +called XG3 that does the analysis, parsing, and processing of the XML +data. + +According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +conceived to meet the steady adoption of XML, the anticipated future +proliferation of Web services, and as a means to share data between two +businesses. + +"Our vision is to build out an XML-aware infrastructure," Kelly said. +"The XA35 is the first of a family." + +Kelly explained that converting data into XML increases the file size up +to 20 times. This, he said, makes processing the data very taxing on +application servers; DataPower believes an inline device is the best +alternative. + +In addition to the large file sizes, security is also of paramount +importance in the world of XML. + +"Today's firewalls are designed to inspect HTTP traffic only," Kelly +said. "A SOAP packet with XML will go straight through a firewall. +Firewalls are blind to XML today." + +Future products in DataPowers family will focus more specifically on +security, especially as Web services proliferate, Kelly said. + +According to DataPower, most existing solutions to offload XML +processing are homegrown and done in software -- an approach the company +itself tried initially and found to be inadequate with regards to speed +and security. After trying the software path, the company turned to +creating a solution that would process XML in hardware. + +"Our XG3 execution core converts XML to machine code," said Kelly, +adding that to his knowledge no other company's solution does. Kelly +said in the next few months he expects the market to be flooded with +technologies that claim to do XML processing -- claims that he believes +will be mostly false. +Other content-aware switches, such as SSL (secure socket layer) +accelerators and load balancers, look at the first 64 bytes of a packet, +while the XA35 provides deeper packet inspection, looking at 1,400 bytes +and thus enabling greater processing of XML data, Kelly explained. + +The 1U-high network device has been tested against a large collection of +XML and XSL data types and can learn new flavors of the markup language +as they pass through the device. + +The XA35 can be deployed in proxy mode behind a firewall and a load +balancer, and it will inspect all traffic that passes and will identify +and process those packets that are XML, Kelly said. + +In addition to proxy mode, the device can also be used as an application +co-processor. This deployment method gives administrators more granular +control over what data is inspected and the application server itself +controls the device. + +DataPower is not the only company chasing this emerging market. Startup +Sarvega, based in Burr Ridge, Ill., introduced the Sarvega XPE switch in +May, and earlier this month Tarari, an Intel spin-off, launched with a +focus on content processing and acceleration. +The DataPower device is now available, priced starting at $54,995. The +company has announced one customer to date and says the product is in +field trails at a number of other enterprises. + +========================================================================= + +DataPower has been addressing enterprise networking needs since it was +founded in early 1999 by Eugene Kuznetsov, a technology visionary who +foresaw the adverse effects XML and other next generation protocols +would have on enterprise networks. Long before industry interest in XML +grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +designed the industry's first solutions to address the unique +requirements for processing XML. The first such solution was a software +interpreter called DGXT. This software-based approach to XML processing +is still licensed by many companies for use in their own products today. + +Leveraging the detailed knowledge and customer experience gained from +developing software-based accelerators, Kuznetsov's team raised the bar +and designed a system for processing XML in purpose-built hardware. In +2001, DataPower's effort produced XML Generation Three (XG3™), the +industry's fastest technology for XML processing, bar none. + +Today, XG3™ technology powers the industry's first wire-speed XML +network devices, enabling secure, high-speed applications and XML Web +Services. While other companies are just now marketing first versions of +products, DataPower is delivering its third generation of technology, +providing an immediate return on technology investments to +industry-leading customers and partners. + +DataPower's M.I.T. heritage is complemented by a management team that +brings decades of experience in the networking and computing industries, +drawing veteran leaders from several successful companies including +Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. + +========================================================================= + +DataPower Technology Secures $9.5 Million in Funding + +Venrock Associates, Mobius Venture Capital and Seed Capital Back Pioneer +in XML-Aware Networking for Web Services + +CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +leading provider of XML-Aware network infrastructure, today announced +that it has secured $9.5 million in series B financing. Investors for +this round include Venrock Associates, Mobius Venture Capital and Seed +Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, of Mobius, +and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +Directors. + +DataPower will use this funding to accelerate development, marketing and +sales of the company’s breakthrough technology for XML-Aware networking. +Founded in 1999, DataPower invented the world’s first intelligent XML +networking devices, capable of transforming XML traffic and transactions +at the wire-speed enterprises need to effectively embrace Web services +and other XML-centric initiatives. DataPower’s solutions are based on +its patent-pending XML Generation Three (XG3™) technology. + +"Enterprises are adopting XML at rapid rate to facilitate inter-and +intra-company communications but their network infrastructure is ill +prepared to support the requirements of this new traffic type. +DataPower’s XML-acceleration devices enable the wirespeed processing of +XML that is required to support next generation enterprise +applications," said Eugene Kuznetsov, CTO and founder of DataPower +Technology. + +"DataPower gives companies the ability to use XML that’s critical to Web +services projects without sacrificing an ounce of performance." A single +DataPower acceleration engine delivers the processing power of 10 +servers—breaking the performance bottleneck associated with XML +processing and delivering an extraordinary return on investment. In +addition, the DataPower platform provides enhanced XML security, +protection against XML-based denial-of-service attacks, connection of +e-business protocols for incompatible XML data streams, load balancing +between back-end servers and real-time statistics reports. + +"In the post-bubble economy, technology investment decisions require +laser-focused scrutiny. DataPower’s patent-pending technology addresses +a very real and growing pain point for enterprises," said Michael +Tyrrell of Venrock Associates. "By turbo-charging their networks with +DataPower’s unique XML-Aware networking technology, companies will be +free to adopt next generation Web services without encountering +performance and security pitfalls." + +"We looked long and hard for a company capable of addressing the rapidly +growing problems surrounding XML message processing performance and +security," said Bill Burnham of Mobius Venture Capital. "DataPower is on +their third generation of technology. Their patent pending XML +Generation Three (XG3) technology was quite simply the single most +compelling technology solution we have seen to date." + +"XML is not a nice-to-have, it is a must have for enterprises serious +about optimizing application efficiency. Since 1999, DataPower has been +developing solutions to facilitate enterprise use of XML and Web +services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +XML-acceleration devices are a key requirement for enterprises that rely +on XML for mission critical applications." + +About Venrock Associates +Venrock Associates was founded as the venture capital arm of the +Rockefeller Family and continues a tradition of funding entrepreneurs +that now spans over seven decades. Laurance S. Rockefeller pioneered +early stage venture financing in the 1930s. With over 300 investments +over a span of more than 70 years, the firm has an established a track +record of identifying and supporting promising early stage, technology- +based enterprises. As one of most experienced venture firms in the +United States, Venrock maintains a tradition of collaboration with +talented entrepreneurs to establish successful, enduring companies. +Venrock's continuing goal is to create long-term value by assisting +entrepreneurs in building companies from the formative stages. Their +consistent focus on Information Technology and Life Sciences-related +opportunities provides a reservoir of knowledge and a network of +contacts that have proven to be a catalyst for the growth of developing +organizations. Venrock's investments have included CheckPoint Software, +USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +Media Metrix, 3COM, Intel, and Apple Computer. With offices in New York +City, Cambridge, MA, and Menlo Park, CA, Venrock is well positioned to +respond to opportunities in any locale. For more information on Venrock +Associates, please visit www.venrock.com + +About Mobius Venture Capital +Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +billion U.S.-based private equity venture capital firm managed by an +unparalleled team of former CEOs and entrepreneurs, technology pioneers, +senior executives from major technology corporations, and leaders from +the investment banking community. Mobius Venture Capital specializes +primarily in early-stage investments in the areas of: communications +systems software and services; infrastructure software and services; +professional services; enterprise applications; healthcare informatics; +consumer and small business applications; components; and emerging +technologies. Mobius Venture Capital combines its technology expertise +and broad financial assets with the industry's best entrepreneurs to +create a powerhouse portfolio of over 100 of the world's leading high +technology companies. Mobius Venture Capital can be contacted by +visiting their web site www.mobiusvc.com. + +About Seed Capital Partners +Seed Capital Partners is an early-stage venture fund affiliated with +SoftBank Corporation, one of the world's leading Internet market forces. +Seed Capital manages funds focused primarily on companies addressing +Internet-enabled business-to-business digital information technology +opportunities, which are located in the Northeastern U.S., the +southeastern region of the Province of Ontario, Canada, and Israel. Seed +Capital’s portfolio includes Spearhead Technologies, Concentric Visions +and CompanyDNA. For more information on Seed Capital Partners, please +visit www.seedcp.com. + +About DataPower Technology +DataPower Technology provides enterprises with intelligent XML-Aware +network infrastructure to ensure unparalleled performance, security and +manageability of next-generation protocols. DataPower’s patent-pending +XML Generation Three (XG3™) technology powers the industry’s first +wirespeed XML network devices, enabling secure, high-speed applications +and XML Web Services. Founded in 1999, DataPower is now delivering its +third generation of technology, providing immediate return on technology +investments to industry-leading customers and partners. DataPower is +privately held and based in Cambridge, MA. Investors include Mobius +Venture Capital, Seed Capital Partners, and Venrock Associates. + +CONTACT: + +DataPower Technology, Inc. +Kieran Taylor +617-864-0455 +kieran@datapower.com + +Schwartz Communications +John Moran/Heather Chichakly +781-684-0770 +datapower@schwartz-pr.com + +======================================================================== + +Steve Kelly, chairman and CEO + +During over twenty years in the technology industry, Steve Kelly has +built and managed global enterprise networks, provided consulting +services to Fortune 50 businesses, and been involved in the launch of +several start-ups. Prior to DataPower, Kelly was an +entrepreneur-in-residence at Venrock Associates, and was co-founder of +Castle Networks, where he led the company's sales, service and marketing +functions. Castle was acquired by Siemens AG in 1999 to create Unisphere +Networks, which was subsequently purchased by Juniper Networks. Kelly +was an early contributor at Cascade Communications, where he built and +managed the company's core switching business; Cascade's annual revenues +grew from $2 million to $300 million annually during Kelly's tenure. +Kelly also worked at Digital Equipment Corporation where he managed and +grew their corporate network to 50,000+ nodes in 28 countries, the +largest in the world at the time. Kelly has a B.S. in Information +Systems from Bentley College. + +Eugene Kuznetsov, founder, president and CTO + +Eugene Kuznetsov is a technology visionary that has been working to +address enterprise XML issues since the late 90s. Kuznetsov founded +DataPower Technology, Inc. in 1999 to provide enterprises with an +intelligent, XML-aware network infrastructure to support next-generation +applications. Prior to starting DataPower, Kuznetsov led the Java JIT +Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +was also part of the team which developed one of the first clean room +Java VM's. This high-speed runtime technology was licensed by some of +the industry's largest technology companies, including Apple Computer. +He has consulted to numerous companies and worked on a variety of +hardware and software engineering problems in the areas of memory +management, power electronics, optimized execution engines and +application integration. Kuznetsov holds a B.S. in electrical +engineering from MIT. + +Steve Willis, vice president of advanced technology + +Steve Willis is an accomplished entrepreneur and a pioneer in protocol +optimization. Prior to joining DataPower, Willis was co-founder and CTO +of Argon Networks, a provider of high-performance switching routers that +was acquired by Siemens AG in 1999 to create Unisphere Networks; +Unisphere was subsequently purchased by Juniper Networks. Before Argon, +Steve was vice president of advanced technology at Bay Networks (now +Nortel Networks) where he led both IP and ATM-related technology +development and managed a group that generated 24 patent applications, +developed a 1 Mbps forwarding engine and led the specification of the +ATM Forum's PNNI routing protocol. Most notably, Steve was co-founder, +original software director and architect for Wellfleet Communications, a +leading pioneer of multi-protocol routers. Wellfleet was rated as the +fastest growing company in the U.S. for two consecutive years by Fortune +magazine. Willis is currently a member of the Institute of Electrical +and Electronics Engineers (IEEE) and the Internet Research Task Force +(IRTF) Routing Research Group. Willis has a B.D.I.C. in Computer Science +from the University of Massachusetts. + +Bill Tao, vice president of engineering + +With a vast understanding of network optimization technologies and +extensive experience in LAN and WAN networking, Bill Tao brings over 25 +years of critical knowledge to lead DataPower's engineering efforts. +Prior to DataPower, Tao was the vice president of engineering for +Sycamore Networks, developing a family of metro/regional optical network +switches. He is also well acquainted with network optimization +techniques as he was previously vice president of engineering at +InfoLibria, where he led development and software quality assurance +engineering for a family of network caching products. Tao has held +senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +received a B.S. in Electrical Engineering from the University of +Connecticut and an M.S. in Computer Science from the University of +Illinois. + +Kieran Taylor, director of product marketing + +Kieran Taylor has an accomplished record as a marketing professional, +industry analyst and journalist. Prior to joining DataPower, Taylor was +the director of product management and marketing for Akamai Technologies +(NASDAQ: AKAM). As an early contributor at Akamai, he helped develop the +company's initial positioning and led the technical development and +go-to-market activities for Akamai's flagship EdgeSuite service. +Taylor's early contribution helped position the service provider to +secure a $12.6 billion IPO. He has also held senior marketing management +positions at Nortel Networks, Inc. and Bay Networks. Taylor was +previously an analyst at TeleChoice, Inc. and the Wide Area Networks +editor for Data Communications, a McGraw Hill publication. Taylor holds +a B.A. in Print Journalism from the Pennsylvania State University School +of Communications. + +================================================================= +Board of Advisors + +Mark Hoover +Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +accelerator. With over 20 years experience in the networking industry, +Hoover's expertise spans product development, marketing, and business +development. Before launching Acuitive, Hoover worked at AT&T Bell +Laboratories, AT&T Computer Systems, SynOptics, and Bay Networks, where +he played a role in the development of key technologies, such as +10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +traffic management, and edge WAN switch industries. + +George Kassabgi +Currently Vice President of Engineering at BEA Systems, Mr. Kassabgi has +held executive-level positions in engineering, sales and marketing, and +has spearheaded leading-edge developments in the application server +marketplace since 1996. He is widely known for his regular speaking +engagements at JavaOne, as well as columns and contributions in JavaPro, +Java Developer's Journal and other publications. In addition to being a +venerated Java expert, George Kassabgi holds a patent on SmartObject +Technology, and authored the technical book Progress V8. + +Marshall T. Rose +Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +formerly held the position of the Internet Engineering Task Force (IETF) +Area Director for Network Management, one of a dozen individuals who +oversaw the Internet's standardization process. Rose is the author of +several professional texts on subjects such as Internet Management, +Electronic Mail, and Directory Services, which have been published in +four languages. He is well known for his implementations of core +Internet technologies (such as POP, SMTP, and SNMP) and OSI technologies +(such as X.500 and FTAM). Rose received a PhD in Information and +Computer Science from the University of California, Irvine, in 1984. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0236.8af79b4e6416a984668d3f9c272a2822 b/machine-learning-ex6/ex6/easy_ham/0236.8af79b4e6416a984668d3f9c272a2822 new file mode 100644 index 0000000..4769b0c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0236.8af79b4e6416a984668d3f9c272a2822 @@ -0,0 +1,96 @@ +From fork-admin@xent.com Wed Aug 28 10:50:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CBC6A44156 + for ; Wed, 28 Aug 2002 05:50:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RLFhZ26129 for ; + Tue, 27 Aug 2002 22:15:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AE7E42940D8; Tue, 27 Aug 2002 14:13:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 94B3729409A for ; Tue, + 27 Aug 2002 14:12:25 -0700 (PDT) +Received: (qmail 2729 invoked from network); 27 Aug 2002 21:14:27 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 27 Aug 2002 21:14:27 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: The Curse of India's Socialism +Message-Id: <007001c24e0e$b4e9e010$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <1030396738.2767.162.camel@avalon> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 14:14:18 -0700 + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +James +> Rogers + +> Subject: Re: The Curse of India's Socialism +> +> On Tue, 2002-08-20 at 15:01, Ian Andrew Bell wrote: + +> > They +> > finished their routine with the a quadruple lutz -- laying off +> > hundreds of thousands of workers when it all came crashing down. +> +> So what? Nobody is guaranteed employment. Laying people off is not a +> crime nor is it immoral. Companies don't exist to provide employment, +> nor should they. The closest we have to such a thing in the US is a +> Government Job, and look at the quality THAT breeds. + +And further, why focus on the fact they were laid off and not on the +fact they were hired in the first place? + +BTW: I saw someone claim that aside from the efficiency of the market +there were also gains to society from irrational behavior. + +If a society has business people that systematically overestimate their +chances, that is bad for the businessmen but on net a big gain for +society. On the social level, the law of averages works to societies +benefit in a manner it can't for an individual. + +A key reason, in this view, that the US wound up outperforming England +was that the English investors were too rational for their societies own +good. + +(Except, of course, when US investors were bilking them to build canals +and railroads over here. Thanks, guys.) + +===================== + +Applied to telecom: a lot of dark wire (glass) and innovation will +eventually be used for pennies on the dollar, the benefits to society +and the costs to the investors. + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0237.a21d745179e22d780194543b7ad765ec b/machine-learning-ex6/ex6/easy_ham/0237.a21d745179e22d780194543b7ad765ec new file mode 100644 index 0000000..3edeb69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0237.a21d745179e22d780194543b7ad765ec @@ -0,0 +1,60 @@ +From fork-admin@xent.com Wed Aug 28 10:50:44 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ED32243F9B + for ; Wed, 28 Aug 2002 05:50:41 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMUiZ28625 for ; + Tue, 27 Aug 2002 23:30:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D88112940B5; Tue, 27 Aug 2002 15:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id 4CE5B29409A for + ; Tue, 27 Aug 2002 15:27:59 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVZS1MQn43DX+mF8g/trLv8mynH5s/LrEHehkhaZqH3TtcK5PDdI09YGwM0XUAYWOKM= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17joqW-0005wP-00 for fork@xent.com; Tue, 27 Aug 2002 18:30:00 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: DataPower announces XML-in-silicon +Message-Id: <3D6BC527.28671.1437E0A@localhost> +Priority: normal +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:29:59 -0400 + +On 27 Aug 2002 at 15:00, Rohit Khare wrote: +> +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device +> designed specifically to process XML data. Unlike competing +> solutions that process XML data in software, DataPower's +> device processes the data in hardware -- a technology +> achievement that provides greater performance, according to +> company officials. +> +Sarvega seems to have a similar product. http://www.sarvega.com. + diff --git a/machine-learning-ex6/ex6/easy_ham/0238.7b9b9b2e3b3ca24ae8960f03aab57964 b/machine-learning-ex6/ex6/easy_ham/0238.7b9b9b2e3b3ca24ae8960f03aab57964 new file mode 100644 index 0000000..896436e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0238.7b9b9b2e3b3ca24ae8960f03aab57964 @@ -0,0 +1,539 @@ +From fork-admin@xent.com Wed Aug 28 10:50:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 301BA43F99 + for ; Wed, 28 Aug 2002 05:50:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMJvZ28133 for ; + Tue, 27 Aug 2002 23:19:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 058882940E9; Tue, 27 Aug 2002 15:17:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from usilms55.ca.com (mail3.cai.com [141.202.248.42]) by + xent.com (Postfix) with ESMTP id 3BE0D29409A for ; + Tue, 27 Aug 2002 15:16:36 -0700 (PDT) +Received: from usilms27.ca.com ([141.202.201.27]) by usilms55.ca.com with + Microsoft SMTPSVC(5.0.2195.4905); Tue, 27 Aug 2002 18:18:37 -0400 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Subject: RE: DataPower announces XML-in-silicon +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: DataPower announces XML-in-silicon +Thread-Index: AcJOFaOfnL+c8iYjSPGX6aQl6iGg7wAAdJ+g +From: "Meltsner, Kenneth" +To: "Rohit Khare" , +X-Originalarrivaltime: 27 Aug 2002 22:18:37.0915 (UTC) FILETIME=[B0EA3AB0:01C24E17] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:18:37 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7RMJvZ28133 + +If it's not stateful, it wouldn't seem to be worth the effort, although I guess it might help with DDoS attacks. + +Sounds snake-oilish to me, but I'm biased by lots of experience with firewalls and proxy servers, and the limitations thereof. + +Ken + + +> -----Original Message----- +> From: Rohit Khare [mailto:khare@alumni.caltech.edu] +> Sent: Tuesday, August 27, 2002 5:00 PM +> To: fork@example.com +> Subject: DataPower announces XML-in-silicon +> +> +> No analysis yet... don't know what to make of it yet. But +> here's the raw +> bits for all to peruse and check out what's really going on... Best, +> Rohit +> +> =========================================================== +> +> DataPower delivers XML acceleration device +> By Scott Tyler Shafer +> August 27, 2002 5:46 am PT +> +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +> specifically to process XML data. Unlike competing solutions that +> process XML data in software, DataPower's device processes +> the data in +> hardware -- a technology achievement that provides greater +> performance, +> according to company officials. +> +> The new device, dubbed DataPower XA35 XML Accelerator, is the +> first in a +> family of products expected from the Cambridge, Mass.-based +> startup. The +> DataPower family is based on a proprietary processing core technology +> called XG3 that does the analysis, parsing, and processing of the XML +> data. +> +> According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +> conceived to meet the steady adoption of XML, the anticipated future +> proliferation of Web services, and as a means to share data +> between two +> businesses. +> +> "Our vision is to build out an XML-aware infrastructure," Kelly said. +> "The XA35 is the first of a family." +> +> Kelly explained that converting data into XML increases the +> file size up +> to 20 times. This, he said, makes processing the data very taxing on +> application servers; DataPower believes an inline device is the best +> alternative. +> +> In addition to the large file sizes, security is also of paramount +> importance in the world of XML. +> +> "Today's firewalls are designed to inspect HTTP traffic only," Kelly +> said. "A SOAP packet with XML will go straight through a firewall. +> Firewalls are blind to XML today." +> +> Future products in DataPowers family will focus more specifically on +> security, especially as Web services proliferate, Kelly said. +> +> According to DataPower, most existing solutions to offload XML +> processing are homegrown and done in software -- an approach +> the company +> itself tried initially and found to be inadequate with +> regards to speed +> and security. After trying the software path, the company turned to +> creating a solution that would process XML in hardware. +> +> "Our XG3 execution core converts XML to machine code," said Kelly, +> adding that to his knowledge no other company's solution does. Kelly +> said in the next few months he expects the market to be flooded with +> technologies that claim to do XML processing -- claims that +> he believes +> will be mostly false. +> Other content-aware switches, such as SSL (secure socket layer) +> accelerators and load balancers, look at the first 64 bytes +> of a packet, +> while the XA35 provides deeper packet inspection, looking at +> 1,400 bytes +> and thus enabling greater processing of XML data, Kelly explained. +> +> The 1U-high network device has been tested against a large +> collection of +> XML and XSL data types and can learn new flavors of the +> markup language +> as they pass through the device. +> +> The XA35 can be deployed in proxy mode behind a firewall and a load +> balancer, and it will inspect all traffic that passes and +> will identify +> and process those packets that are XML, Kelly said. +> +> In addition to proxy mode, the device can also be used as an +> application +> co-processor. This deployment method gives administrators +> more granular +> control over what data is inspected and the application server itself +> controls the device. +> +> DataPower is not the only company chasing this emerging +> market. Startup +> Sarvega, based in Burr Ridge, Ill., introduced the Sarvega +> XPE switch in +> May, and earlier this month Tarari, an Intel spin-off, +> launched with a +> focus on content processing and acceleration. +> The DataPower device is now available, priced starting at +> $54,995. The +> company has announced one customer to date and says the product is in +> field trails at a number of other enterprises. +> +> ============================================================== +> =========== +> +> DataPower has been addressing enterprise networking needs +> since it was +> founded in early 1999 by Eugene Kuznetsov, a technology visionary who +> foresaw the adverse effects XML and other next generation protocols +> would have on enterprise networks. Long before industry +> interest in XML +> grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +> designed the industry's first solutions to address the unique +> requirements for processing XML. The first such solution was +> a software +> interpreter called DGXT. This software-based approach to XML +> processing +> is still licensed by many companies for use in their own +> products today. +> +> Leveraging the detailed knowledge and customer experience gained from +> developing software-based accelerators, Kuznetsov's team +> raised the bar +> and designed a system for processing XML in purpose-built +> hardware. In +> 2001, DataPower's effort produced XML Generation Three (XG3™), the +> industry's fastest technology for XML processing, bar none. +> +> Today, XG3™ technology powers the industry's first wire-speed XML +> network devices, enabling secure, high-speed applications and XML Web +> Services. While other companies are just now marketing first +> versions of +> products, DataPower is delivering its third generation of technology, +> providing an immediate return on technology investments to +> industry-leading customers and partners. +> +> DataPower's M.I.T. heritage is complemented by a management team that +> brings decades of experience in the networking and computing +> industries, +> drawing veteran leaders from several successful companies including +> Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. +> +> ============================================================== +> =========== +> +> DataPower Technology Secures $9.5 Million in Funding +> +> Venrock Associates, Mobius Venture Capital and Seed Capital +> Back Pioneer +> in XML-Aware Networking for Web Services +> +> CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +> leading provider of XML-Aware network infrastructure, today announced +> that it has secured $9.5 million in series B financing. Investors for +> this round include Venrock Associates, Mobius Venture Capital +> and Seed +> Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, +> of Mobius, +> and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +> Directors. +> +> DataPower will use this funding to accelerate development, +> marketing and +> sales of the company’s breakthrough technology for XML-Aware +> networking. +> Founded in 1999, DataPower invented the world’s first intelligent XML +> networking devices, capable of transforming XML traffic and +> transactions +> at the wire-speed enterprises need to effectively embrace Web +> services +> and other XML-centric initiatives. DataPower’s solutions are based on +> its patent-pending XML Generation Three (XG3™) technology. +> +> "Enterprises are adopting XML at rapid rate to facilitate inter-and +> intra-company communications but their network infrastructure is ill +> prepared to support the requirements of this new traffic type. +> DataPower’s XML-acceleration devices enable the wirespeed +> processing of +> XML that is required to support next generation enterprise +> applications," said Eugene Kuznetsov, CTO and founder of DataPower +> Technology. +> +> "DataPower gives companies the ability to use XML that’s +> critical to Web +> services projects without sacrificing an ounce of +> performance." A single +> DataPower acceleration engine delivers the processing power of 10 +> servers—breaking the performance bottleneck associated with XML +> processing and delivering an extraordinary return on investment. In +> addition, the DataPower platform provides enhanced XML security, +> protection against XML-based denial-of-service attacks, connection of +> e-business protocols for incompatible XML data streams, load +> balancing +> between back-end servers and real-time statistics reports. +> +> "In the post-bubble economy, technology investment decisions require +> laser-focused scrutiny. DataPower’s patent-pending technology +> addresses +> a very real and growing pain point for enterprises," said Michael +> Tyrrell of Venrock Associates. "By turbo-charging their networks with +> DataPower’s unique XML-Aware networking technology, companies will be +> free to adopt next generation Web services without encountering +> performance and security pitfalls." +> +> "We looked long and hard for a company capable of addressing +> the rapidly +> growing problems surrounding XML message processing performance and +> security," said Bill Burnham of Mobius Venture Capital. +> "DataPower is on +> their third generation of technology. Their patent pending XML +> Generation Three (XG3) technology was quite simply the single most +> compelling technology solution we have seen to date." +> +> "XML is not a nice-to-have, it is a must have for enterprises serious +> about optimizing application efficiency. Since 1999, +> DataPower has been +> developing solutions to facilitate enterprise use of XML and Web +> services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +> XML-acceleration devices are a key requirement for +> enterprises that rely +> on XML for mission critical applications." +> +> About Venrock Associates +> Venrock Associates was founded as the venture capital arm of the +> Rockefeller Family and continues a tradition of funding entrepreneurs +> that now spans over seven decades. Laurance S. Rockefeller pioneered +> early stage venture financing in the 1930s. With over 300 investments +> over a span of more than 70 years, the firm has an +> established a track +> record of identifying and supporting promising early stage, +> technology- +> based enterprises. As one of most experienced venture firms in the +> United States, Venrock maintains a tradition of collaboration with +> talented entrepreneurs to establish successful, enduring companies. +> Venrock's continuing goal is to create long-term value by assisting +> entrepreneurs in building companies from the formative stages. Their +> consistent focus on Information Technology and Life Sciences-related +> opportunities provides a reservoir of knowledge and a network of +> contacts that have proven to be a catalyst for the growth of +> developing +> organizations. Venrock's investments have included CheckPoint +> Software, +> USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +> Media Metrix, 3COM, Intel, and Apple Computer. With offices +> in New York +> City, Cambridge, MA, and Menlo Park, CA, Venrock is well +> positioned to +> respond to opportunities in any locale. For more information +> on Venrock +> Associates, please visit www.venrock.com +> +> About Mobius Venture Capital +> Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +> billion U.S.-based private equity venture capital firm managed by an +> unparalleled team of former CEOs and entrepreneurs, +> technology pioneers, +> senior executives from major technology corporations, and +> leaders from +> the investment banking community. Mobius Venture Capital specializes +> primarily in early-stage investments in the areas of: communications +> systems software and services; infrastructure software and services; +> professional services; enterprise applications; healthcare +> informatics; +> consumer and small business applications; components; and emerging +> technologies. Mobius Venture Capital combines its technology +> expertise +> and broad financial assets with the industry's best entrepreneurs to +> create a powerhouse portfolio of over 100 of the world's leading high +> technology companies. Mobius Venture Capital can be contacted by +> visiting their web site www.mobiusvc.com. +> +> About Seed Capital Partners +> Seed Capital Partners is an early-stage venture fund affiliated with +> SoftBank Corporation, one of the world's leading Internet +> market forces. +> Seed Capital manages funds focused primarily on companies addressing +> Internet-enabled business-to-business digital information technology +> opportunities, which are located in the Northeastern U.S., the +> southeastern region of the Province of Ontario, Canada, and +> Israel. Seed +> Capital’s portfolio includes Spearhead Technologies, +> Concentric Visions +> and CompanyDNA. For more information on Seed Capital Partners, please +> visit www.seedcp.com. +> +> About DataPower Technology +> DataPower Technology provides enterprises with intelligent XML-Aware +> network infrastructure to ensure unparalleled performance, +> security and +> manageability of next-generation protocols. DataPower’s +> patent-pending +> XML Generation Three (XG3™) technology powers the industry’s first +> wirespeed XML network devices, enabling secure, high-speed +> applications +> and XML Web Services. Founded in 1999, DataPower is now +> delivering its +> third generation of technology, providing immediate return on +> technology +> investments to industry-leading customers and partners. DataPower is +> privately held and based in Cambridge, MA. Investors include Mobius +> Venture Capital, Seed Capital Partners, and Venrock Associates. +> +> CONTACT: +> +> DataPower Technology, Inc. +> Kieran Taylor +> 617-864-0455 +> kieran@datapower.com +> +> Schwartz Communications +> John Moran/Heather Chichakly +> 781-684-0770 +> datapower@schwartz-pr.com +> +> ============================================================== +> ========== +> +> Steve Kelly, chairman and CEO +> +> During over twenty years in the technology industry, Steve Kelly has +> built and managed global enterprise networks, provided consulting +> services to Fortune 50 businesses, and been involved in the launch of +> several start-ups. Prior to DataPower, Kelly was an +> entrepreneur-in-residence at Venrock Associates, and was +> co-founder of +> Castle Networks, where he led the company's sales, service +> and marketing +> functions. Castle was acquired by Siemens AG in 1999 to +> create Unisphere +> Networks, which was subsequently purchased by Juniper Networks. Kelly +> was an early contributor at Cascade Communications, where he +> built and +> managed the company's core switching business; Cascade's +> annual revenues +> grew from $2 million to $300 million annually during Kelly's tenure. +> Kelly also worked at Digital Equipment Corporation where he +> managed and +> grew their corporate network to 50,000+ nodes in 28 countries, the +> largest in the world at the time. Kelly has a B.S. in Information +> Systems from Bentley College. +> +> Eugene Kuznetsov, founder, president and CTO +> +> Eugene Kuznetsov is a technology visionary that has been working to +> address enterprise XML issues since the late 90s. Kuznetsov founded +> DataPower Technology, Inc. in 1999 to provide enterprises with an +> intelligent, XML-aware network infrastructure to support +> next-generation +> applications. Prior to starting DataPower, Kuznetsov led the Java JIT +> Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +> was also part of the team which developed one of the first clean room +> Java VM's. This high-speed runtime technology was licensed by some of +> the industry's largest technology companies, including Apple +> Computer. +> He has consulted to numerous companies and worked on a variety of +> hardware and software engineering problems in the areas of memory +> management, power electronics, optimized execution engines and +> application integration. Kuznetsov holds a B.S. in electrical +> engineering from MIT. +> +> Steve Willis, vice president of advanced technology +> +> Steve Willis is an accomplished entrepreneur and a pioneer in +> protocol +> optimization. Prior to joining DataPower, Willis was +> co-founder and CTO +> of Argon Networks, a provider of high-performance switching +> routers that +> was acquired by Siemens AG in 1999 to create Unisphere Networks; +> Unisphere was subsequently purchased by Juniper Networks. +> Before Argon, +> Steve was vice president of advanced technology at Bay Networks (now +> Nortel Networks) where he led both IP and ATM-related technology +> development and managed a group that generated 24 patent +> applications, +> developed a 1 Mbps forwarding engine and led the specification of the +> ATM Forum's PNNI routing protocol. Most notably, Steve was +> co-founder, +> original software director and architect for Wellfleet +> Communications, a +> leading pioneer of multi-protocol routers. Wellfleet was rated as the +> fastest growing company in the U.S. for two consecutive years +> by Fortune +> magazine. Willis is currently a member of the Institute of Electrical +> and Electronics Engineers (IEEE) and the Internet Research Task Force +> (IRTF) Routing Research Group. Willis has a B.D.I.C. in +> Computer Science +> from the University of Massachusetts. +> +> Bill Tao, vice president of engineering +> +> With a vast understanding of network optimization technologies and +> extensive experience in LAN and WAN networking, Bill Tao +> brings over 25 +> years of critical knowledge to lead DataPower's engineering efforts. +> Prior to DataPower, Tao was the vice president of engineering for +> Sycamore Networks, developing a family of metro/regional +> optical network +> switches. He is also well acquainted with network optimization +> techniques as he was previously vice president of engineering at +> InfoLibria, where he led development and software quality assurance +> engineering for a family of network caching products. Tao has held +> senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +> received a B.S. in Electrical Engineering from the University of +> Connecticut and an M.S. in Computer Science from the University of +> Illinois. +> +> Kieran Taylor, director of product marketing +> +> Kieran Taylor has an accomplished record as a marketing professional, +> industry analyst and journalist. Prior to joining DataPower, +> Taylor was +> the director of product management and marketing for Akamai +> Technologies +> (NASDAQ: AKAM). As an early contributor at Akamai, he helped +> develop the +> company's initial positioning and led the technical development and +> go-to-market activities for Akamai's flagship EdgeSuite service. +> Taylor's early contribution helped position the service provider to +> secure a $12.6 billion IPO. He has also held senior marketing +> management +> positions at Nortel Networks, Inc. and Bay Networks. Taylor was +> previously an analyst at TeleChoice, Inc. and the Wide Area Networks +> editor for Data Communications, a McGraw Hill publication. +> Taylor holds +> a B.A. in Print Journalism from the Pennsylvania State +> University School +> of Communications. +> +> ================================================================= +> Board of Advisors +> +> Mark Hoover +> Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +> accelerator. With over 20 years experience in the networking +> industry, +> Hoover's expertise spans product development, marketing, and business +> development. Before launching Acuitive, Hoover worked at AT&T Bell +> Laboratories, AT&T Computer Systems, SynOptics, and Bay +> Networks, where +> he played a role in the development of key technologies, such as +> 10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +> traffic management, and edge WAN switch industries. +> +> George Kassabgi +> Currently Vice President of Engineering at BEA Systems, Mr. +> Kassabgi has +> held executive-level positions in engineering, sales and +> marketing, and +> has spearheaded leading-edge developments in the application server +> marketplace since 1996. He is widely known for his regular speaking +> engagements at JavaOne, as well as columns and contributions +> in JavaPro, +> Java Developer's Journal and other publications. In addition +> to being a +> venerated Java expert, George Kassabgi holds a patent on SmartObject +> Technology, and authored the technical book Progress V8. +> +> Marshall T. Rose +> Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +> formerly held the position of the Internet Engineering Task +> Force (IETF) +> Area Director for Network Management, one of a dozen individuals who +> oversaw the Internet's standardization process. Rose is the author of +> several professional texts on subjects such as Internet Management, +> Electronic Mail, and Directory Services, which have been published in +> four languages. He is well known for his implementations of core +> Internet technologies (such as POP, SMTP, and SNMP) and OSI +> technologies +> (such as X.500 and FTAM). Rose received a PhD in Information and +> Computer Science from the University of California, Irvine, in 1984. +> +> + diff --git a/machine-learning-ex6/ex6/easy_ham/0239.58f51c99b02fc8b49664f15a855af780 b/machine-learning-ex6/ex6/easy_ham/0239.58f51c99b02fc8b49664f15a855af780 new file mode 100644 index 0000000..10ce4bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0239.58f51c99b02fc8b49664f15a855af780 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Wed Aug 28 10:50:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 77A5C44155 + for ; Wed, 28 Aug 2002 05:50:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:50:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMhiZ29101 for ; + Tue, 27 Aug 2002 23:43:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 17EAF294183; Tue, 27 Aug 2002 15:41:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id D2F5129409A for + ; Tue, 27 Aug 2002 15:40:27 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVa87sYWrSluYXSK7DPiKMqonQmSCJAzc+sc8Ru+zPNZzmuJmF6sE0EFamayqye2fwY= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17jp2b-0007bg-00 for fork@xent.com; Tue, 27 Aug 2002 18:42:29 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: DataPower announces XML-in-silicon +Message-Id: <3D6BC814.23250.14EE9A8@localhost> +Priority: normal +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=ISO-8859-1 +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:42:28 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from Quoted-printable to 8bit by dogma.slashnull.org + id g7RMhiZ29101 + +On 27 Aug 2002 at 15:00, Rohit Khare wrote: + +> DataPower delivers XML acceleration device +> By Scott Tyler Shafer +> August 27, 2002 5:46 am PT +> +Intel also had a similar device a couple of years ago (Netstructure). They have, afaik, abandoned it. + +Intel is still in the XML hardware game though. On 8/19 they spun off a company named Tarari. Tarari develops hardware to check the headers of IP packets. Tarari calls +this Layer 7 processing (atop the OSI model). From what I can tell, Tarari plans to combine virus scanning and XML acceleration into a single hardware device. + diff --git a/machine-learning-ex6/ex6/easy_ham/0240.01e0e10c03592e64df9a077f2cd56aba b/machine-learning-ex6/ex6/easy_ham/0240.01e0e10c03592e64df9a077f2cd56aba new file mode 100644 index 0000000..b72d555 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0240.01e0e10c03592e64df9a077f2cd56aba @@ -0,0 +1,480 @@ +From fork-admin@xent.com Wed Aug 28 10:51:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 27C9E43F9B + for ; Wed, 28 Aug 2002 05:51:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:51:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7S0KvZ03252 for ; + Wed, 28 Aug 2002 01:20:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 93DD1294216; Tue, 27 Aug 2002 17:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mrwhite.privacyright.com (unknown [64.169.55.226]) by + xent.com (Postfix) with ESMTP id 8017829409A for ; + Tue, 27 Aug 2002 17:17:03 -0700 (PDT) +Received: by mrwhite.privacyright.com with Internet Mail Service + (5.5.2650.21) id ; Tue, 27 Aug 2002 17:17:44 -0700 +Message-Id: +From: Paul Sholtz +To: "'Rohit Khare '" , + "'fork@xent.com '" +Subject: RE: DataPower announces XML-in-silicon +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2650.21) +Content-Type: text/plain; charset="windows-1252" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 17:17:41 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S0KvZ03252 + +Hardware acceleration for SSL makes sense since PKI can slow down a +transaction by as much as 1,000-fold. Per this article, XML formatting only +increases doc size by about 20-fold.. I'm not sure there are enough "powers +of ten" in there to justify hardware acceleration. + +Expect the next major release from DataPower to be the revolutionary new +"email chip" - allows you to offload the sending and receiving of email +messages onto dedicated hardware while you get on w/ more important things +.. like listening to MP3s.. + +Best, +Paul Sholtz + +-----Original Message----- +From: Rohit Khare +To: fork@example.com +Sent: 8/27/02 3:00 PM +Subject: DataPower announces XML-in-silicon + +No analysis yet... don't know what to make of it yet. But here's the raw + +bits for all to peruse and check out what's really going on... Best, +Rohit + +=========================================================== + +DataPower delivers XML acceleration device +By Scott Tyler Shafer +August 27, 2002 5:46 am PT + +DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +specifically to process XML data. Unlike competing solutions that +process XML data in software, DataPower's device processes the data in +hardware -- a technology achievement that provides greater performance, +according to company officials. + +The new device, dubbed DataPower XA35 XML Accelerator, is the first in a + +family of products expected from the Cambridge, Mass.-based startup. The + +DataPower family is based on a proprietary processing core technology +called XG3 that does the analysis, parsing, and processing of the XML +data. + +According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +conceived to meet the steady adoption of XML, the anticipated future +proliferation of Web services, and as a means to share data between two +businesses. + +"Our vision is to build out an XML-aware infrastructure," Kelly said. +"The XA35 is the first of a family." + +Kelly explained that converting data into XML increases the file size up + +to 20 times. This, he said, makes processing the data very taxing on +application servers; DataPower believes an inline device is the best +alternative. + +In addition to the large file sizes, security is also of paramount +importance in the world of XML. + +"Today's firewalls are designed to inspect HTTP traffic only," Kelly +said. "A SOAP packet with XML will go straight through a firewall. +Firewalls are blind to XML today." + +Future products in DataPowers family will focus more specifically on +security, especially as Web services proliferate, Kelly said. + +According to DataPower, most existing solutions to offload XML +processing are homegrown and done in software -- an approach the company + +itself tried initially and found to be inadequate with regards to speed +and security. After trying the software path, the company turned to +creating a solution that would process XML in hardware. + +"Our XG3 execution core converts XML to machine code," said Kelly, +adding that to his knowledge no other company's solution does. Kelly +said in the next few months he expects the market to be flooded with +technologies that claim to do XML processing -- claims that he believes +will be mostly false. +Other content-aware switches, such as SSL (secure socket layer) +accelerators and load balancers, look at the first 64 bytes of a packet, + +while the XA35 provides deeper packet inspection, looking at 1,400 bytes + +and thus enabling greater processing of XML data, Kelly explained. + +The 1U-high network device has been tested against a large collection of + +XML and XSL data types and can learn new flavors of the markup language +as they pass through the device. + +The XA35 can be deployed in proxy mode behind a firewall and a load +balancer, and it will inspect all traffic that passes and will identify +and process those packets that are XML, Kelly said. + +In addition to proxy mode, the device can also be used as an application + +co-processor. This deployment method gives administrators more granular +control over what data is inspected and the application server itself +controls the device. + +DataPower is not the only company chasing this emerging market. Startup +Sarvega, based in Burr Ridge, Ill., introduced the Sarvega XPE switch in + +May, and earlier this month Tarari, an Intel spin-off, launched with a +focus on content processing and acceleration. +The DataPower device is now available, priced starting at $54,995. The +company has announced one customer to date and says the product is in +field trails at a number of other enterprises. + +======================================================================== += + +DataPower has been addressing enterprise networking needs since it was +founded in early 1999 by Eugene Kuznetsov, a technology visionary who +foresaw the adverse effects XML and other next generation protocols +would have on enterprise networks. Long before industry interest in XML +grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +designed the industry's first solutions to address the unique +requirements for processing XML. The first such solution was a software +interpreter called DGXT. This software-based approach to XML processing +is still licensed by many companies for use in their own products today. + +Leveraging the detailed knowledge and customer experience gained from +developing software-based accelerators, Kuznetsov's team raised the bar +and designed a system for processing XML in purpose-built hardware. In +2001, DataPower's effort produced XML Generation Three (XG3™), the +industry's fastest technology for XML processing, bar none. + +Today, XG3™ technology powers the industry's first wire-speed XML +network devices, enabling secure, high-speed applications and XML Web +Services. While other companies are just now marketing first versions of + +products, DataPower is delivering its third generation of technology, +providing an immediate return on technology investments to +industry-leading customers and partners. + +DataPower's M.I.T. heritage is complemented by a management team that +brings decades of experience in the networking and computing industries, + +drawing veteran leaders from several successful companies including +Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. + +======================================================================== += + +DataPower Technology Secures $9.5 Million in Funding + +Venrock Associates, Mobius Venture Capital and Seed Capital Back Pioneer + +in XML-Aware Networking for Web Services + +CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +leading provider of XML-Aware network infrastructure, today announced +that it has secured $9.5 million in series B financing. Investors for +this round include Venrock Associates, Mobius Venture Capital and Seed +Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, of Mobius, +and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +Directors. + +DataPower will use this funding to accelerate development, marketing and + +sales of the company’s breakthrough technology for XML-Aware networking. + +Founded in 1999, DataPower invented the world’s first intelligent XML +networking devices, capable of transforming XML traffic and transactions + +at the wire-speed enterprises need to effectively embrace Web services +and other XML-centric initiatives. DataPower’s solutions are based on +its patent-pending XML Generation Three (XG3™) technology. + +"Enterprises are adopting XML at rapid rate to facilitate inter-and +intra-company communications but their network infrastructure is ill +prepared to support the requirements of this new traffic type. +DataPower’s XML-acceleration devices enable the wirespeed processing of +XML that is required to support next generation enterprise +applications," said Eugene Kuznetsov, CTO and founder of DataPower +Technology. + +"DataPower gives companies the ability to use XML that’s critical to Web + +services projects without sacrificing an ounce of performance." A single + +DataPower acceleration engine delivers the processing power of 10 +servers—breaking the performance bottleneck associated with XML +processing and delivering an extraordinary return on investment. In +addition, the DataPower platform provides enhanced XML security, +protection against XML-based denial-of-service attacks, connection of +e-business protocols for incompatible XML data streams, load balancing +between back-end servers and real-time statistics reports. + +"In the post-bubble economy, technology investment decisions require +laser-focused scrutiny. DataPower’s patent-pending technology addresses +a very real and growing pain point for enterprises," said Michael +Tyrrell of Venrock Associates. "By turbo-charging their networks with +DataPower’s unique XML-Aware networking technology, companies will be +free to adopt next generation Web services without encountering +performance and security pitfalls." + +"We looked long and hard for a company capable of addressing the rapidly + +growing problems surrounding XML message processing performance and +security," said Bill Burnham of Mobius Venture Capital. "DataPower is on + +their third generation of technology. Their patent pending XML +Generation Three (XG3) technology was quite simply the single most +compelling technology solution we have seen to date." + +"XML is not a nice-to-have, it is a must have for enterprises serious +about optimizing application efficiency. Since 1999, DataPower has been +developing solutions to facilitate enterprise use of XML and Web +services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +XML-acceleration devices are a key requirement for enterprises that rely + +on XML for mission critical applications." + +About Venrock Associates +Venrock Associates was founded as the venture capital arm of the +Rockefeller Family and continues a tradition of funding entrepreneurs +that now spans over seven decades. Laurance S. Rockefeller pioneered +early stage venture financing in the 1930s. With over 300 investments +over a span of more than 70 years, the firm has an established a track +record of identifying and supporting promising early stage, technology- +based enterprises. As one of most experienced venture firms in the +United States, Venrock maintains a tradition of collaboration with +talented entrepreneurs to establish successful, enduring companies. +Venrock's continuing goal is to create long-term value by assisting +entrepreneurs in building companies from the formative stages. Their +consistent focus on Information Technology and Life Sciences-related +opportunities provides a reservoir of knowledge and a network of +contacts that have proven to be a catalyst for the growth of developing +organizations. Venrock's investments have included CheckPoint Software, +USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +Media Metrix, 3COM, Intel, and Apple Computer. With offices in New York +City, Cambridge, MA, and Menlo Park, CA, Venrock is well positioned to +respond to opportunities in any locale. For more information on Venrock +Associates, please visit www.venrock.com + +About Mobius Venture Capital +Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +billion U.S.-based private equity venture capital firm managed by an +unparalleled team of former CEOs and entrepreneurs, technology pioneers, + +senior executives from major technology corporations, and leaders from +the investment banking community. Mobius Venture Capital specializes +primarily in early-stage investments in the areas of: communications +systems software and services; infrastructure software and services; +professional services; enterprise applications; healthcare informatics; +consumer and small business applications; components; and emerging +technologies. Mobius Venture Capital combines its technology expertise +and broad financial assets with the industry's best entrepreneurs to +create a powerhouse portfolio of over 100 of the world's leading high +technology companies. Mobius Venture Capital can be contacted by +visiting their web site www.mobiusvc.com. + +About Seed Capital Partners +Seed Capital Partners is an early-stage venture fund affiliated with +SoftBank Corporation, one of the world's leading Internet market forces. + +Seed Capital manages funds focused primarily on companies addressing +Internet-enabled business-to-business digital information technology +opportunities, which are located in the Northeastern U.S., the +southeastern region of the Province of Ontario, Canada, and Israel. Seed + +Capital’s portfolio includes Spearhead Technologies, Concentric Visions +and CompanyDNA. For more information on Seed Capital Partners, please +visit www.seedcp.com. + +About DataPower Technology +DataPower Technology provides enterprises with intelligent XML-Aware +network infrastructure to ensure unparalleled performance, security and +manageability of next-generation protocols. DataPower’s patent-pending +XML Generation Three (XG3™) technology powers the industry’s first +wirespeed XML network devices, enabling secure, high-speed applications +and XML Web Services. Founded in 1999, DataPower is now delivering its +third generation of technology, providing immediate return on technology + +investments to industry-leading customers and partners. DataPower is +privately held and based in Cambridge, MA. Investors include Mobius +Venture Capital, Seed Capital Partners, and Venrock Associates. + +CONTACT: + +DataPower Technology, Inc. +Kieran Taylor +617-864-0455 +kieran@datapower.com + +Schwartz Communications +John Moran/Heather Chichakly +781-684-0770 +datapower@schwartz-pr.com + +======================================================================== + +Steve Kelly, chairman and CEO + +During over twenty years in the technology industry, Steve Kelly has +built and managed global enterprise networks, provided consulting +services to Fortune 50 businesses, and been involved in the launch of +several start-ups. Prior to DataPower, Kelly was an +entrepreneur-in-residence at Venrock Associates, and was co-founder of +Castle Networks, where he led the company's sales, service and marketing + +functions. Castle was acquired by Siemens AG in 1999 to create Unisphere + +Networks, which was subsequently purchased by Juniper Networks. Kelly +was an early contributor at Cascade Communications, where he built and +managed the company's core switching business; Cascade's annual revenues + +grew from $2 million to $300 million annually during Kelly's tenure. +Kelly also worked at Digital Equipment Corporation where he managed and +grew their corporate network to 50,000+ nodes in 28 countries, the +largest in the world at the time. Kelly has a B.S. in Information +Systems from Bentley College. + +Eugene Kuznetsov, founder, president and CTO + +Eugene Kuznetsov is a technology visionary that has been working to +address enterprise XML issues since the late 90s. Kuznetsov founded +DataPower Technology, Inc. in 1999 to provide enterprises with an +intelligent, XML-aware network infrastructure to support next-generation + +applications. Prior to starting DataPower, Kuznetsov led the Java JIT +Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +was also part of the team which developed one of the first clean room +Java VM's. This high-speed runtime technology was licensed by some of +the industry's largest technology companies, including Apple Computer. +He has consulted to numerous companies and worked on a variety of +hardware and software engineering problems in the areas of memory +management, power electronics, optimized execution engines and +application integration. Kuznetsov holds a B.S. in electrical +engineering from MIT. + +Steve Willis, vice president of advanced technology + +Steve Willis is an accomplished entrepreneur and a pioneer in protocol +optimization. Prior to joining DataPower, Willis was co-founder and CTO +of Argon Networks, a provider of high-performance switching routers that + +was acquired by Siemens AG in 1999 to create Unisphere Networks; +Unisphere was subsequently purchased by Juniper Networks. Before Argon, +Steve was vice president of advanced technology at Bay Networks (now +Nortel Networks) where he led both IP and ATM-related technology +development and managed a group that generated 24 patent applications, +developed a 1 Mbps forwarding engine and led the specification of the +ATM Forum's PNNI routing protocol. Most notably, Steve was co-founder, +original software director and architect for Wellfleet Communications, a + +leading pioneer of multi-protocol routers. Wellfleet was rated as the +fastest growing company in the U.S. for two consecutive years by Fortune + +magazine. Willis is currently a member of the Institute of Electrical +and Electronics Engineers (IEEE) and the Internet Research Task Force +(IRTF) Routing Research Group. Willis has a B.D.I.C. in Computer Science + +from the University of Massachusetts. + +Bill Tao, vice president of engineering + +With a vast understanding of network optimization technologies and +extensive experience in LAN and WAN networking, Bill Tao brings over 25 +years of critical knowledge to lead DataPower's engineering efforts. +Prior to DataPower, Tao was the vice president of engineering for +Sycamore Networks, developing a family of metro/regional optical network + +switches. He is also well acquainted with network optimization +techniques as he was previously vice president of engineering at +InfoLibria, where he led development and software quality assurance +engineering for a family of network caching products. Tao has held +senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +received a B.S. in Electrical Engineering from the University of +Connecticut and an M.S. in Computer Science from the University of +Illinois. + +Kieran Taylor, director of product marketing + +Kieran Taylor has an accomplished record as a marketing professional, +industry analyst and journalist. Prior to joining DataPower, Taylor was +the director of product management and marketing for Akamai Technologies + +(NASDAQ: AKAM). As an early contributor at Akamai, he helped develop the + +company's initial positioning and led the technical development and +go-to-market activities for Akamai's flagship EdgeSuite service. +Taylor's early contribution helped position the service provider to +secure a $12.6 billion IPO. He has also held senior marketing management + +positions at Nortel Networks, Inc. and Bay Networks. Taylor was +previously an analyst at TeleChoice, Inc. and the Wide Area Networks +editor for Data Communications, a McGraw Hill publication. Taylor holds +a B.A. in Print Journalism from the Pennsylvania State University School + +of Communications. + +================================================================= +Board of Advisors + +Mark Hoover +Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +accelerator. With over 20 years experience in the networking industry, +Hoover's expertise spans product development, marketing, and business +development. Before launching Acuitive, Hoover worked at AT&T Bell +Laboratories, AT&T Computer Systems, SynOptics, and Bay Networks, where +he played a role in the development of key technologies, such as +10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +traffic management, and edge WAN switch industries. + +George Kassabgi +Currently Vice President of Engineering at BEA Systems, Mr. Kassabgi has + +held executive-level positions in engineering, sales and marketing, and +has spearheaded leading-edge developments in the application server +marketplace since 1996. He is widely known for his regular speaking +engagements at JavaOne, as well as columns and contributions in JavaPro, + +Java Developer's Journal and other publications. In addition to being a +venerated Java expert, George Kassabgi holds a patent on SmartObject +Technology, and authored the technical book Progress V8. + +Marshall T. Rose +Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +formerly held the position of the Internet Engineering Task Force (IETF) + +Area Director for Network Management, one of a dozen individuals who +oversaw the Internet's standardization process. Rose is the author of +several professional texts on subjects such as Internet Management, +Electronic Mail, and Directory Services, which have been published in +four languages. He is well known for his implementations of core +Internet technologies (such as POP, SMTP, and SNMP) and OSI technologies + +(such as X.500 and FTAM). Rose received a PhD in Information and +Computer Science from the University of California, Irvine, in 1984. + diff --git a/machine-learning-ex6/ex6/easy_ham/0241.f1989a8ee4ea188e90f3a5d4d40f4e36 b/machine-learning-ex6/ex6/easy_ham/0241.f1989a8ee4ea188e90f3a5d4d40f4e36 new file mode 100644 index 0000000..e898923 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0241.f1989a8ee4ea188e90f3a5d4d40f4e36 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Wed Aug 28 10:51:16 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 43AC144155 + for ; Wed, 28 Aug 2002 05:51:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:51:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7S0T9Z03618 for ; + Wed, 28 Aug 2002 01:29:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6E5A294220; Tue, 27 Aug 2002 17:21:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 3F0BC294220 for ; + Tue, 27 Aug 2002 17:20:25 -0700 (PDT) +Received: (qmail 10891 invoked by uid 1111); 28 Aug 2002 00:22:01 -0000 +From: "Adam L. Beberg" +To: Rohit Khare +Cc: +Subject: Re: DataPower announces XML-in-silicon +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 17:22:01 -0700 (PDT) + +On Tue, 27 Aug 2002, Rohit Khare wrote: + +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +> specifically to process XML data. Unlike competing solutions that +> process XML data in software, DataPower's device processes the data in +> hardware -- a technology achievement that provides greater performance, +> according to company officials. + +Now, to do this, we all know they have to be cracking the strong crypto used +on all transaction in order to process them... So this has some preaty heavy +implications, unless it's just BS. + +> Kelly explained that converting data into XML increases the file size up +> to 20 times. This, he said, makes processing the data very taxing on +> application servers; DataPower believes an inline device is the best +> alternative. + +Or.... you could just not bloat it 20x to begin with. Nah! (that was the +whole point of XML afterall, to sell more CPUs - much like Oracle's use of +Java allows them to sell 3x more CPU licenses due to the performance hit) + +> In addition to the large file sizes, security is also of paramount +> importance in the world of XML. +> +> "Today's firewalls are designed to inspect HTTP traffic only," Kelly +> said. "A SOAP packet with XML will go straight through a firewall. +> Firewalls are blind to XML today." + +Again, see above... they _are_ claiming to decode the crypto... + +> "Our XG3 execution core converts XML to machine code," said Kelly, + +Mmmmmmmmmmm, machine code, never a good idea ;) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0242.a02f8a0ce9077130c10d33db2a16ec36 b/machine-learning-ex6/ex6/easy_ham/0242.a02f8a0ce9077130c10d33db2a16ec36 new file mode 100644 index 0000000..c7f96da --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0242.a02f8a0ce9077130c10d33db2a16ec36 @@ -0,0 +1,53 @@ +From fork-admin@xent.com Wed Aug 28 11:30:34 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8A5C343F99 + for ; Wed, 28 Aug 2002 06:30:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:30:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SAViZ20088 for ; + Wed, 28 Aug 2002 11:31:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ED9F32940D7; Wed, 28 Aug 2002 03:29:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id B372C29409A for + ; Wed, 28 Aug 2002 03:28:09 -0700 (PDT) +Received: from [192.168.123.198] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17k02i-0006OF-00 for ; Wed, 28 Aug 2002 07:27:20 -0300 +Message-Id: <3D6CA455.4010907@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Canadians +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 07:22:13 -0300 + + From the local paper this morning. +"Canadians eat about seven times as many doughnuts per capita"... (as +Americans) . D'oh! + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0243.7cc0334826a0571058dc604dce04c446 b/machine-learning-ex6/ex6/easy_ham/0243.7cc0334826a0571058dc604dce04c446 new file mode 100644 index 0000000..4ee5b17 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0243.7cc0334826a0571058dc604dce04c446 @@ -0,0 +1,75 @@ +From barbarabarrett@orchidserve.com Wed Aug 28 11:19:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5010B43F99 + for ; Wed, 28 Aug 2002 06:19:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:19:28 +0100 (IST) +Received: from n17.grp.scd.yahoo.com (n17.grp.scd.yahoo.com + [66.218.66.72]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SAGnZ19702 for ; Wed, 28 Aug 2002 11:16:49 +0100 +X-Egroups-Return: sentto-2242572-53143-1030529815-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.94] by n17.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 10:16:56 -0000 +X-Sender: barbarabarrett@orchidserve.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 10:16:55 -0000 +Received: (qmail 22034 invoked from network); 28 Aug 2002 10:16:55 -0000 +Received: from unknown (66.218.66.217) by m1.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 10:16:55 -0000 +Received: from unknown (HELO clustermail.minx.net.uk) (212.85.249.131) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 10:16:55 -0000 +Received: from ppp-0-61.read-a-2.access.uk.tiscali.com ([80.40.83.61] + helo=orchidserve.com) by clustermail.minx.net.uk with esmtp (Exim 3.22 #2) + id 17jztk-0006me-00 for forteana@yahoogroups.com; Wed, 28 Aug 2002 + 11:18:04 +0100 +Message-Id: <3D6CA2D5.B4EFBBC7@orchidserve.com> +X-Mailer: Mozilla 4.73 [en] (Win95; I) +X-Accept-Language: en +To: zzzzteana@yahoogroups.com +References: <3D6ABC96.BFCEE890@mindspring.com> + <3D6B7C90.73475C1C@orchidserve.com> <3D6B7FA8.9060000@ee.ed.ac.uk> +From: Barbara Barrett +X-Yahoo-Profile: nfrwalso +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 11:15:49 +0100 +Subject: Re: [zzzzteana] FWD [fort] Evidence Britons Were In The US In The6th Century +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + + +> > Barbara Blithered; +> > Others indicators this was a late invention are the use of the f rune +> > not only for "f", but inverted to mean "ff" (the welsh "v" phoneme) - + +> Stew Stired; +> Isn't it the other way round, f(welsh)=v(english) ff(welsh)=f(english). + +Barbara Babbles; +Mea culpa. That's what I get for reading my welsh dictionary upside +down; "F"n trouble ;-). +Barbara + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0244.82d1da61c4fd05691083eeb9886e0788 b/machine-learning-ex6/ex6/easy_ham/0244.82d1da61c4fd05691083eeb9886e0788 new file mode 100644 index 0000000..5c22e58 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0244.82d1da61c4fd05691083eeb9886e0788 @@ -0,0 +1,79 @@ +From barbarabarrett@orchidserve.com Wed Aug 28 11:19:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1BEAE43F9B + for ; Wed, 28 Aug 2002 06:19:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:19:34 +0100 (IST) +Received: from n32.grp.scd.yahoo.com (n32.grp.scd.yahoo.com + [66.218.66.100]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SAL7Z19761 for ; Wed, 28 Aug 2002 11:21:07 +0100 +X-Egroups-Return: sentto-2242572-53142-1030529779-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n32.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 10:16:19 -0000 +X-Sender: barbarabarrett@orchidserve.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 10:16:18 -0000 +Received: (qmail 92514 invoked from network); 28 Aug 2002 10:16:18 -0000 +Received: from unknown (66.218.66.216) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 10:16:18 -0000 +Received: from unknown (HELO clustermail.minx.net.uk) (212.85.249.131) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 10:16:18 -0000 +Received: from ppp-0-61.read-a-2.access.uk.tiscali.com ([80.40.83.61] + helo=orchidserve.com) by clustermail.minx.net.uk with esmtp (Exim 3.22 #2) + id 17jzt8-0006a2-00 for forteana@yahoogroups.com; Wed, 28 Aug 2002 + 11:17:27 +0100 +Message-Id: <3D6CA2B0.EEF2DD84@orchidserve.com> +X-Mailer: Mozilla 4.73 [en] (Win95; I) +X-Accept-Language: en +To: zzzzteana@yahoogroups.com +References: <3D6B46AB.16257.1ED4E92C@localhost> + +From: Barbara Barrett +X-Yahoo-Profile: nfrwalso +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 11:15:12 +0100 +Subject: Re: [zzzzteana] Secondhand books online +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + + +> Martin Mentioned: +> >I've used this a few times and can thoroughly recommend it. It really +> >doeswork. Frankly, the only drawback is finding too much stuff. + +>Rachel Rote; +> I'll be amazed if there's anyone on here who isn't already a heavy user! + +Barbara Babbles; +Be amazed - I've never bought anything online since an almighty cock up +with amazon dot con (that's not a typo) a few years back where I lost +all the dosh I'd paid them and had no books to show for it either. Had +it been the UK branch I'd have had them in the small claims court +quicker than you could drop LOTR on your foot and say "ouch", but as it +was the US branch I'd just no comeback. +Barbara + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0245.39190ace43266b978a8561863c8841c0 b/machine-learning-ex6/ex6/easy_ham/0245.39190ace43266b978a8561863c8841c0 new file mode 100644 index 0000000..c905451 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0245.39190ace43266b978a8561863c8841c0 @@ -0,0 +1,65 @@ +From timc@2ubh.com Wed Aug 28 11:30:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 72BFA43F99 + for ; Wed, 28 Aug 2002 06:30:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:30:47 +0100 (IST) +Received: from n24.grp.scd.yahoo.com (n24.grp.scd.yahoo.com + [66.218.66.80]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SANNZ19961 for ; Wed, 28 Aug 2002 11:23:23 +0100 +X-Egroups-Return: sentto-2242572-53144-1030530202-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.197] by n24.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 10:23:22 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 10:23:22 -0000 +Received: (qmail 42080 invoked from network); 28 Aug 2002 10:23:22 -0000 +Received: from unknown (66.218.66.217) by m4.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 10:23:22 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 10:23:21 -0000 +Received: from host217-34-71-140.in-addr.btopenworld.com ([217.34.71.140]) + by carbon with esmtp (Exim 3.22 #8) id 17jzyr-00072w-00 for + forteana@yahoogroups.com; Wed, 28 Aug 2002 11:23:21 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 11:22:33 +0100 +Subject: [zzzzteana] The new Steve Earle +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.nme.com/news/102774.htm + +CAM'RON associate JUELZ SANTANA has vehemently defended a lyric on the +forthcoming album by the pair's DIPLOMATS crew that pays tribute to +September 11 hijacker OMAR ATTA +... + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0246.3422f94c01ebd283ffac23522268f3f8 b/machine-learning-ex6/ex6/easy_ham/0246.3422f94c01ebd283ffac23522268f3f8 new file mode 100644 index 0000000..85e5f3f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0246.3422f94c01ebd283ffac23522268f3f8 @@ -0,0 +1,72 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 11:30:56 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0750643F9B + for ; Wed, 28 Aug 2002 06:30:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:30:55 +0100 (IST) +Received: from n23.grp.scd.yahoo.com (n23.grp.scd.yahoo.com + [66.218.66.79]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SAOnZ19975 for ; Wed, 28 Aug 2002 11:24:49 +0100 +X-Egroups-Return: sentto-2242572-53145-1030530295-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.199] by n23.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 10:24:55 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 10:24:55 -0000 +Received: (qmail 99948 invoked from network); 28 Aug 2002 10:24:55 -0000 +Received: from unknown (66.218.66.217) by m6.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 10:24:55 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 10:24:54 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7SAOr312348 for + ; Wed, 28 Aug 2002 11:24:53 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 11:24:53 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 11:24:37 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6CB30F.8946.246450AE@localhost> +Priority: normal +In-Reply-To: +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 11:24:30 +0100 +Subject: Re: [zzzzteana] The new Steve Earle +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +> CAM'RON associate JUELZ SANTANA has vehemently defended a lyric on the +> forthcoming album by the pair's DIPLOMATS crew that pays tribute to +> September 11 hijacker OMAR ATTA + +No, Steve Earle at least USED to make great records. + +Martin + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0247.98ed5d80f80da3915b5a1d10ee19c50a b/machine-learning-ex6/ex6/easy_ham/0247.98ed5d80f80da3915b5a1d10ee19c50a new file mode 100644 index 0000000..72d7910 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0247.98ed5d80f80da3915b5a1d10ee19c50a @@ -0,0 +1,63 @@ +From ilug-admin@linux.ie Wed Aug 28 10:47:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5909644155 + for ; Wed, 28 Aug 2002 05:47:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:19 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RIH1Z20293 for + ; Tue, 27 Aug 2002 19:17:01 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id TAA09344; Tue, 27 Aug 2002 19:15:38 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail03.svc.cra.dublin.eircom.net + (mail03.svc.cra.dublin.eircom.net [159.134.118.19]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id TAA09307 for ; Tue, + 27 Aug 2002 19:15:31 +0100 +Received: (qmail 47575 messnum 530151 invoked from + network[159.134.254.134/p134.as1.naas1.eircom.net]); 27 Aug 2002 18:15:00 + -0000 +Received: from p134.as1.naas1.eircom.net (HELO r1o8p1) (159.134.254.134) + by mail03.svc.cra.dublin.eircom.net (qp 47575) with SMTP; 27 Aug 2002 + 18:15:00 -0000 +From: "Jon" +To: +Date: Tue, 27 Aug 2002 19:14:48 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.00.2919.6700 +Subject: [ILUG] Got me a crappy laptop +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hey, +I has just been given an old Toshiba CS100 with earliest pentium and 400mb +of HD but only a floppy drive on it, its got Win3.1 which is funny to see +again but gonna be cleared as soon as i stop messing with it. What I was +wondering was could anyone advise what O/S would be good for this, I want a +small usable *nix distro for it that i can transfer to it fom floppy. +Connecting this to Winblows>i know that winblows allows pier-to-pier +connections over serial and parellel ports to other winblows but is this +easy do for connecting winblows to *nix??? + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0248.a7515095844cf4106ed86f1348b8c85d b/machine-learning-ex6/ex6/easy_ham/0248.a7515095844cf4106ed86f1348b8c85d new file mode 100644 index 0000000..b40c444 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0248.a7515095844cf4106ed86f1348b8c85d @@ -0,0 +1,58 @@ +From ilug-admin@linux.ie Wed Aug 28 10:47:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 71DA244159 + for ; Wed, 28 Aug 2002 05:47:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:21 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RJWXZ22727 for + ; Tue, 27 Aug 2002 20:32:33 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id UAA12532; Tue, 27 Aug 2002 20:32:04 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from web13705.mail.yahoo.com (web13705.mail.yahoo.com + [216.136.175.138]) by lugh.tuatha.org (8.9.3/8.9.3) with SMTP id UAA12489 + for ; Tue, 27 Aug 2002 20:31:55 +0100 +Message-Id: <20020827193152.56961.qmail@web13705.mail.yahoo.com> +Received: from [194.237.142.5] by web13705.mail.yahoo.com via HTTP; + Tue, 27 Aug 2002 12:31:52 PDT +Date: Tue, 27 Aug 2002 12:31:52 -0700 (PDT) +From: Inn Share +To: ilug@linux.ie +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Subject: [ILUG] find the biggest file +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + +Hi,all: + +Does anyone know how to list the biggest file in my +root directory?or the second biggest ..etc... + +Because I want to find out what is the reason cause my +root all most full. + +The system is Solaris 8 Sparc. + +Thanks !!! + +__________________________________________________ +Do You Yahoo!? +Yahoo! Finance - Get real-time stock quotes +http://finance.yahoo.com + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0249.d591bcf606114a502b4d41e8f4dde95a b/machine-learning-ex6/ex6/easy_ham/0249.d591bcf606114a502b4d41e8f4dde95a new file mode 100644 index 0000000..d4d6af5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0249.d591bcf606114a502b4d41e8f4dde95a @@ -0,0 +1,76 @@ +From ilug-admin@linux.ie Wed Aug 28 10:47:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7309344157 + for ; Wed, 28 Aug 2002 05:47:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:20 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RISSZ20675 for + ; Tue, 27 Aug 2002 19:28:29 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id TAA10007; Tue, 27 Aug 2002 19:28:11 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from fiachra.ucd.ie (fiachra.ucd.ie [137.43.12.82]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id TAA09972 for ; + Tue, 27 Aug 2002 19:28:03 +0100 +Received: from gavin by fiachra.ucd.ie with local (Exim 3.35 #1 (Debian)) + id 17jl3C-0000Rs-00 for ; Tue, 27 Aug 2002 19:26:50 +0100 +Date: Tue, 27 Aug 2002 19:26:50 +0100 +From: Gavin McCullagh +To: ilug@linux.ie +Subject: Re: [ILUG] Got me a crappy laptop +Message-Id: <20020827182650.GC23883@fiachra.ucd.ie> +Reply-To: Irish Linux Users Group +Mail-Followup-To: ilug@linux.ie +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.3.28i +X-Gnupg-Publickey: http://fiachra.ucd.ie/~gavin/public.gpg +X-Operating-System: Linux 2.4.18 i686 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Tue, 27 Aug 2002, Jon wrote: + +> I has just been given an old Toshiba CS100 with earliest pentium and 400mb +> of HD but only a floppy drive on it, its got Win3.1 which is funny to see +> again but gonna be cleared as soon as i stop messing with it. What I was +> wondering was could anyone advise what O/S would be good for this, I want a +> small usable *nix distro for it that i can transfer to it fom floppy. +> Connecting this to Winblows>i know that winblows allows pier-to-pier +> connections over serial and parellel ports to other winblows but is this +> easy do for connecting winblows to *nix??? + +Have done exactly this with debian, only I used a PCMCIA network card and +did it off ftp.esat.net (ucd bandwidth is rather good). + +However, if you've another machine, look into this null modem cable jobby: + +http://rosebud.sps.queensu.ca/~edd/t100cs.html + +whether you can connect that to direct cable connectionI've no idea. You +could however, put the files onto windows, boot onto a ILUG BBC[tm] and +mount the fat32 partition. + +Easier/Quicker way is to get your hands on a PCMCIA nic. Also makes the +maptop far more useful in the long run. + +Gavin + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0250.21660c434f8535865d04d112f8105708 b/machine-learning-ex6/ex6/easy_ham/0250.21660c434f8535865d04d112f8105708 new file mode 100644 index 0000000..7fcd50f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0250.21660c434f8535865d04d112f8105708 @@ -0,0 +1,62 @@ +From ilug-admin@linux.ie Wed Aug 28 10:47:51 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BD9B044156 + for ; Wed, 28 Aug 2002 05:47:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:26 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RKKoZ24338 for + ; Tue, 27 Aug 2002 21:20:50 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id VAA14593; Tue, 27 Aug 2002 21:19:19 +0100 +Received: from marklar.elive.net (smtp.elive.ie [212.120.138.41]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id VAA14557 for ; + Tue, 27 Aug 2002 21:19:09 +0100 +Received: from gonzo.waider.ie + (IDENT:zbCsu2qvvPxAMgKG5/1BoVz7fvAHq4ae@1Cust48.tnt3.dub2.ie.uudial.net + [213.116.44.48]) by marklar.elive.net (8.11.6/8.11.6) with ESMTP id + g7RJolM28597 for ; Tue, 27 Aug 2002 20:50:47 +0100 +Received: from klortho.waider.ie + (IDENT:rRil9DCzd2WX06YswshhhkU/ahFcueXZ@klortho.waider.ie [10.0.0.100]) by + gonzo.waider.ie (8.11.6/8.11.6) with ESMTP id g7RKJ8730825 for + ; Tue, 27 Aug 2002 21:19:08 +0100 +Received: (from waider@localhost) by klortho.waider.ie (8.11.6/8.11.6) id + g7RKJAA18082; Tue, 27 Aug 2002 21:19:10 +0100 +X-Authentication-Warning: klortho.waider.ie: waider set sender to + waider@waider.ie using -f +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15723.57022.25028.68954@klortho.waider.ie> +Date: Tue, 27 Aug 2002 21:19:10 +0100 +From: Ronan Waide +To: ILUG list +X-Mailer: VM 7.07 under Emacs 21.2.1 +Organization: poor at best. +Subject: [ILUG] doolin +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +If you're not in Doolin, beg, borrow, or steal your way there before +the LBW folk depart. It's far too much fun. + +Cheers, +Waider. Just back. +-- +waider@waider.ie / Yes, it /is/ very personal of me. +"...we are in fact well and truly doomed. She says that if I leave now, + I can probably get a good head start before they realize that I'm gone." + - Jamie Zawinski + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0251.f9d83ac9ced9eab63df7da2bccb83bc8 b/machine-learning-ex6/ex6/easy_ham/0251.f9d83ac9ced9eab63df7da2bccb83bc8 new file mode 100644 index 0000000..726ef66 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0251.f9d83ac9ced9eab63df7da2bccb83bc8 @@ -0,0 +1,71 @@ +From ilug-admin@linux.ie Wed Aug 28 10:47:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8E6C243F99 + for ; Wed, 28 Aug 2002 05:47:23 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:23 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RJaWZ22801 for + ; Tue, 27 Aug 2002 20:36:32 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id UAA12883; Tue, 27 Aug 2002 20:36:11 +0100 +Received: from hawk.dcu.ie (mail.dcu.ie [136.206.1.5]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id UAA12855 for ; Tue, + 27 Aug 2002 20:36:03 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host mail.dcu.ie [136.206.1.5] + claimed to be hawk.dcu.ie +Received: from prodigy.redbrick.dcu.ie (136.206.15.10) by hawk.dcu.ie + (6.0.040) id 3D6203D30002F387 for ilug@linux.ie; Tue, 27 Aug 2002 20:36:02 + +0100 +Received: by prodigy.redbrick.dcu.ie (Postfix, from userid 1023) id + 87B45DA4A; Tue, 27 Aug 2002 20:36:02 +0100 (IST) +Date: Tue, 27 Aug 2002 20:36:02 +0100 +From: Philip Reynolds +To: ilug@linux.ie +Subject: Re: [ILUG] find the biggest file +Message-Id: <20020827203602.G17908@prodigy.Redbrick.DCU.IE> +References: <20020827193152.56961.qmail@web13705.mail.yahoo.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020827193152.56961.qmail@web13705.mail.yahoo.com>; + from shareinnn@yahoo.com on Tue, Aug 27, 2002 at 12:31:52PM -0700 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Inn Share's [shareinnn@yahoo.com] 22 lines of wisdom included: +> +> Hi,all: +> +> Does anyone know how to list the biggest file in my +> root directory?or the second biggest ..etc... +> +> Because I want to find out what is the reason cause my +> root all most full. + +$ find /dir -name \* | xargs du -s | sort -n + +Smallest files are listed first with the largest at the end. So if +you want to get the 5 largest files, pipe through tail. + +e.g. + +$ find /dir -name \* | xargs du -s | sort -n | tail -5 +-- + Philip Reynolds + RFC Networks tel: 01 8832063 +www.rfc-networks.ie fax: 01 8832041 + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0252.274e70cd31fb5c72b9e7aee909c53cb1 b/machine-learning-ex6/ex6/easy_ham/0252.274e70cd31fb5c72b9e7aee909c53cb1 new file mode 100644 index 0000000..e902ea1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0252.274e70cd31fb5c72b9e7aee909c53cb1 @@ -0,0 +1,57 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F1BA944158 + for ; Wed, 28 Aug 2002 05:47:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:31 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RKP8Z24562 for + ; Tue, 27 Aug 2002 21:25:08 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id VAA14835; Tue, 27 Aug 2002 21:24:13 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from escargot.esatclear.ie (escargot.esatclear.ie + [194.145.128.30]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id VAA14809 + for ; Tue, 27 Aug 2002 21:24:05 +0100 +Received: from esatclear.ie (z-airlock153.esatclear.ie [213.202.166.153]) + by escargot.esatclear.ie (8.9.3/8.9.3) with ESMTP id VAA20194 for + ; Tue, 27 Aug 2002 21:23:34 +0100 +Message-Id: <3D6BE01E.9060403@esatclear.ie> +Date: Tue, 27 Aug 2002 21:25:02 +0100 +From: Paul Kelly +User-Agent: Mozilla/5.0 (Macintosh; U; PPC Mac OS X; en-US; rv:1.1) + Gecko/20020824 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] find the biggest file +References: <20020827193152.56961.qmail@web13705.mail.yahoo.com> + <20020827203602.G17908@prodigy.Redbrick.DCU.IE> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Philip Reynolds wrote: +>>Does anyone know how to list the biggest file in my +>>root directory?or the second biggest ..etc... +> $ find /dir -name \* | xargs du -s | sort -n + +You might want to put a '-type f' on that find. + +Paul. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0253.f8c6edd67ecdabe677a8f5cd082e3fc5 b/machine-learning-ex6/ex6/easy_ham/0253.f8c6edd67ecdabe677a8f5cd082e3fc5 new file mode 100644 index 0000000..7fd7a60 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0253.f8c6edd67ecdabe677a8f5cd082e3fc5 @@ -0,0 +1,123 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:11 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3DDB64415A + for ; Wed, 28 Aug 2002 05:47:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:34 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RKXmZ24942 for + ; Tue, 27 Aug 2002 21:33:48 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id VAA15298; Tue, 27 Aug 2002 21:32:40 +0100 +Received: from hibernia.jakma.org (hibernia.clubi.ie [212.17.32.129]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id VAA15263 for ; + Tue, 27 Aug 2002 21:32:32 +0100 +Received: from fogarty.jakma.org (fogarty.jakma.org [192.168.0.4]) by + hibernia.jakma.org (8.11.6/8.11.6) with ESMTP id g7RKWT715112; + Tue, 27 Aug 2002 21:32:29 +0100 +Received: from localhost (paul@localhost) by fogarty.jakma.org + (8.11.6/8.11.6) with ESMTP id g7RKWRn04752; Tue, 27 Aug 2002 21:32:27 + +0100 +X-Authentication-Warning: fogarty.jakma.org: paul owned process doing -bs +Date: Tue, 27 Aug 2002 21:32:26 +0100 (IST) +From: Paul Jakma +X-X-Sender: paul@fogarty.jakma.org +To: David Neary +Cc: ILUG list +Subject: Re: [ILUG] converting strings of hex to ascii +In-Reply-To: <20020827182940.A6217@wanadoo.fr> +Message-Id: +X-Nsa: iraq saddam hammas hisballah rabin ayatollah korea vietnam revolt + mustard gas +X-Dumb-Filters: aryan marijuiana cocaine heroin hardcore cum pussy porn + teen tit sex lesbian group +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Tue, 27 Aug 2002, David Neary wrote: + +> > Actually the following would be in some way sensible: +> > echo -e "`echo "$enc" | sed 's/%\([0-9a-fA-F]\{2,2\}\)/\\\x\1/g'`" +> +> Why {2,2}? Why not {2}? + +no idea. + +the above was something along the lines i was attempting, once i +realised it was a straight swap. but i couldnt get awk's gensub to +insert the \x for %'s and ='s. + +anyway, in the end i found something on the internet and adapted it: + +function decode_url (str, hextab,i,c,c1,c2,len,code) { + + # hex to dec lookup table + hextab ["0"] = 0; hextab ["8"] = 8; + hextab ["1"] = 1; hextab ["9"] = 9; + hextab ["2"] = 2; hextab ["A"] = 10; + hextab ["3"] = 3; hextab ["B"] = 11; + hextab ["4"] = 4; hextab ["C"] = 12; + hextab ["5"] = 5; hextab ["D"] = 13; + hextab ["6"] = 6; hextab ["E"] = 14; + hextab ["7"] = 7; hextab ["F"] = 15; + + decoded = ""; + i = 1; + len = length (str); + while ( i <= len ) { + c = substr (str, i, 1); + # check for usual start of URI hex encoding chars + if ( c == "%" || c == "=" ) { + if ( i+2 <= len ) { + # valid hex encoding? + c1 = toupper(substr(str, i+1, 1)); + c2 = toupper(substr(str, i+2, 1)); + if ( !(hextab [c1] == "" && hextab [c2] == "") ) { + code = 0 + hextab [c1] * 16 + hextab [c2] + 0 + c = sprintf ("%c", code) + i = i + 2 + } + } + # + is space apparently + } else if ( c == "+" ) { + c = " " + } + decoded = decoded c; + ++i; + } + return decoded +} + +> Cheers, +> Dave. + +> PS the late reply is because the footer on the original mail (If +> you received this mail in error yadda yadda) got caught in my +> spam filter, and ended up in my junkmail directory. + +he he... + +might not have been the footer - check my headers. :) + +regards, +-- +Paul Jakma paul@clubi.ie paul@jakma.org Key ID: 64A2FF6A + warning: do not ever send email to spam@dishone.st +Fortune: +One nuclear bomb can ruin your whole day. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0254.d40c629a02c7361e674d0d96ca130fe0 b/machine-learning-ex6/ex6/easy_ham/0254.d40c629a02c7361e674d0d96ca130fe0 new file mode 100644 index 0000000..19167c4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0254.d40c629a02c7361e674d0d96ca130fe0 @@ -0,0 +1,81 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 32D6B43F9B + for ; Wed, 28 Aug 2002 05:47:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:37 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RKdcZ25021 for + ; Tue, 27 Aug 2002 21:39:38 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id VAA15702; Tue, 27 Aug 2002 21:39:17 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from smtp02do.de.uu.net (smtp02do.de.uu.net [192.76.144.69]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id VAA15670 for ; + Tue, 27 Aug 2002 21:39:09 +0100 +Received: from mayhem ([195.238.44.248]) by smtp02do.de.uu.net + (5.5.5/5.5.5) with ESMTP id WAA04757; Tue, 27 Aug 2002 22:39:02 +0200 (MET + DST) +From: "Spam" +To: "'Ronan Waide'" , "'ILUG list'" +Subject: RE: [ILUG] doolin +Date: Tue, 27 Aug 2002 21:38:40 +0100 +Message-Id: <003f01c24e09$bfbd1f70$f82ceec3@mayhem> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <15723.57022.25028.68954@klortho.waider.ie> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Might just take a trip over there later tomorrow, it is after all only +on my backdoor-step... + +E. + + + +-----Original Message----- +From: ilug-admin@linux.ie [mailto:ilug-admin@linux.ie] On Behalf Of +Ronan Waide +Sent: 27 August 2002 21:19 +To: ILUG list +Subject: [ILUG] doolin + + +If you're not in Doolin, beg, borrow, or steal your way there before the +LBW folk depart. It's far too much fun. + +Cheers, +Waider. Just back. +-- +waider@waider.ie / Yes, it /is/ very personal of me. +"...we are in fact well and truly doomed. She says that if I leave now, + I can probably get a good head start before they realize that I'm +gone." + - Jamie Zawinski + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +information. List maintainer: listmaster@linux.ie + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0255.98492176173fd6951086bb7af9e0008a b/machine-learning-ex6/ex6/easy_ham/0255.98492176173fd6951086bb7af9e0008a new file mode 100644 index 0000000..739b13d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0255.98492176173fd6951086bb7af9e0008a @@ -0,0 +1,67 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE3D444155 + for ; Wed, 28 Aug 2002 05:47:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:38 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RLWwZ26701 for + ; Tue, 27 Aug 2002 22:32:58 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id WAA17885; Tue, 27 Aug 2002 22:32:04 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from patan.sun.com (patan.Sun.COM [192.18.98.43]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id WAA17844 for ; + Tue, 27 Aug 2002 22:31:52 +0100 +Received: from dub-mail1.Ireland.Sun.COM ([129.156.220.69]) by + patan.sun.com (8.9.3+Sun/8.9.3) with ESMTP id PAA07217 for ; + Tue, 27 Aug 2002 15:31:50 -0600 (MDT) +Received: from Sun.COM (dbl-isdn-107 [129.156.227.107]) by + dub-mail1.Ireland.Sun.COM (8.10.2+Sun/8.10.2/ENSMAIL,v2.1p1) with ESMTP id + g7RLVmW07771 for ; Tue, 27 Aug 2002 22:31:48 +0100 (BST) +Message-Id: <3D6BEFBB.2030103@Sun.COM> +Date: Tue, 27 Aug 2002 22:31:39 +0100 +From: Darren Kenny +Reply-To: Darren.Kenny@Sun.COM +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ilug@linux.ie +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [ILUG] Using Normal IDE Device with a Dell Latitude CPx laptop +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi, + +I've got an normal 3.5" CD-RW IDE drive that I'd like to be able to use with a +Dell Latitude CPx laptop that I've got. Does anyone know any way to enable this, +for example through the use of a special cable for the Modular Bay (where CD-ROM +or floppy drive is normally). + +There is also the possibility of using a docking station, but Dell's docking +solution for the Latitude series doesn't seem to allow for the use of an IDE +drive, only SCSI... Unless someone knows of a "non-Dell" solution that's +compatible. + +Anyone any ideas? + +Thanks, + +Darren. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0256.6162c21da16ce179d6ed0238a7413a8d b/machine-learning-ex6/ex6/easy_ham/0256.6162c21da16ce179d6ed0238a7413a8d new file mode 100644 index 0000000..44cc68b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0256.6162c21da16ce179d6ed0238a7413a8d @@ -0,0 +1,68 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E908B4415B + for ; Wed, 28 Aug 2002 05:47:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:43 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RMdvZ28910 for + ; Tue, 27 Aug 2002 23:39:57 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id XAA20690; Tue, 27 Aug 2002 23:38:51 +0100 +Received: from claymore.diva.ie (diva.ie [195.218.115.17] (may be forged)) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id XAA20655 for + ; Tue, 27 Aug 2002 23:38:34 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host diva.ie [195.218.115.17] + (may be forged) claimed to be claymore.diva.ie +Received: from cunniffe.net (ts12-155.dublin.indigo.ie [194.125.172.155]) + by claymore.diva.ie (8.9.3/8.9.3) with ESMTP id XAA11539 for + ; Tue, 27 Aug 2002 23:38:31 +0100 +Message-Id: <3D6BFF48.8050306@cunniffe.net> +Date: Tue, 27 Aug 2002 23:38:00 +0100 +From: Vincent Cunniffe +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0.0) + Gecko/20020530 +X-Accept-Language: en, en-us +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] Using Normal IDE Device with a Dell Latitude CPx laptop +References: <3D6BEFBB.2030103@Sun.COM> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Darren Kenny wrote: +> Hi, +> +> I've got an normal 3.5" CD-RW IDE drive that I'd like to be able to use +> with a Dell Latitude CPx laptop that I've got. Does anyone know any way + > enable this, for example through the use of a special cable for the + > Modular Bay (where CD-ROM or floppy drive is normally). + +There is absolutely no way to use a conventional 3.5" drive with a +laptop directly. However, you can get an external firewire or USB +cradle and attach it to the laptop like that, and any 3.5" drive +will work in that case. + +Example : + +http://www.microsense.com/USB_35_combo.asp + +Regards, + +Vin + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0257.d09e74208e9cb40c0eacbb77afa80e74 b/machine-learning-ex6/ex6/easy_ham/0257.d09e74208e9cb40c0eacbb77afa80e74 new file mode 100644 index 0000000..40d6f64 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0257.d09e74208e9cb40c0eacbb77afa80e74 @@ -0,0 +1,79 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:39 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E75534415C + for ; Wed, 28 Aug 2002 05:47:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:47 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S6ntZ13755 for + ; Wed, 28 Aug 2002 07:49:55 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id HAA06566; Wed, 28 Aug 2002 07:49:03 +0100 +Received: from mel-rto6.wanadoo.fr (smtp-out-6.wanadoo.fr [193.252.19.25]) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id HAA06529 for + ; Wed, 28 Aug 2002 07:48:55 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host smtp-out-6.wanadoo.fr + [193.252.19.25] claimed to be mel-rto6.wanadoo.fr +Received: from mel-rta9.wanadoo.fr (193.252.19.69) by mel-rto6.wanadoo.fr + (6.5.007) id 3D6246E80033535F for ilug@linux.ie; Wed, 28 Aug 2002 08:48:24 + +0200 +Received: from bolsh.wanadoo.fr (80.8.224.71) by mel-rta9.wanadoo.fr + (6.5.007) id 3D49FFB7009AA6CF for ilug@linux.ie; Wed, 28 Aug 2002 08:48:24 + +0200 +Received: from dave by bolsh.wanadoo.fr with local (Exim 3.32 #1 (Debian)) + id 17jwiB-0003OJ-00 for ; Wed, 28 Aug 2002 08:53:55 +0200 +Date: Wed, 28 Aug 2002 08:53:55 +0200 +From: David Neary +To: ilug@linux.ie +Subject: Re: [ILUG] find the biggest file +Message-Id: <20020828085355.A12976@wanadoo.fr> +References: <20020827193152.56961.qmail@web13705.mail.yahoo.com> + <20020827203602.G17908@prodigy.Redbrick.DCU.IE> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +Content-Disposition: inline +In-Reply-To: <20020827203602.G17908@prodigy.Redbrick.DCU.IE> +User-Agent: Mutt/1.3.23i +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Philip Reynolds wrote: +> Inn Share's [shareinnn@yahoo.com] 22 lines of wisdom included: +> > +> > Hi,all: +> > +> > Does anyone know how to list the biggest file in my +> > root directory?or the second biggest ..etc... +> > +> > Because I want to find out what is the reason cause my +> > root all most full. +> +> $ find /dir -name \* | xargs du -s | sort -n +> +> Smallest files are listed first with the largest at the end. So if +> you want to get the 5 largest files, pipe through tail. + +Adding -r to the sort options, and piping through head instead, +might be a better idea. tail needs to read teh whole buffer, head +only reads the first n lines. + +Cheers, +Dave. + +-- + David Neary, + Marseille, France + E-Mail: bolsh@gimp.org + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0258.f47b7f8872a17204171574c20fb546ab b/machine-learning-ex6/ex6/easy_ham/0258.f47b7f8872a17204171574c20fb546ab new file mode 100644 index 0000000..42c2de9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0258.f47b7f8872a17204171574c20fb546ab @@ -0,0 +1,68 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D449644157 + for ; Wed, 28 Aug 2002 05:47:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:55 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8BaZ15830 for + ; Wed, 28 Aug 2002 09:11:36 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA09504; Wed, 28 Aug 2002 09:10:56 +0100 +Received: from moe.jinny.ie (homer.jinny.ie [193.120.171.3]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id JAA09477 for ; + Wed, 28 Aug 2002 09:10:50 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host homer.jinny.ie + [193.120.171.3] claimed to be moe.jinny.ie +Received: from jlooney.jinny.ie (fw.jinny.ie [193.120.171.2]) by + moe.jinny.ie (Postfix) with ESMTP id B868C7FC40 for ; + Wed, 28 Aug 2002 09:10:49 +0100 (IST) +Received: by jlooney.jinny.ie (Postfix, from userid 500) id B797C9A1; + Wed, 28 Aug 2002 09:11:21 +0100 (IST) +Date: Wed, 28 Aug 2002 09:11:21 +0100 +From: "John P. Looney" +To: ilug@linux.ie +Subject: Re: [ILUG] Using Normal IDE Device with a Dell Latitude CPx laptop +Message-Id: <20020828081121.GI1696@jinny.ie> +Reply-To: ilug@linux.ie +Mail-Followup-To: ilug@linux.ie +References: <3D6BEFBB.2030103@Sun.COM> <3D6BFF48.8050306@cunniffe.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <3D6BFF48.8050306@cunniffe.net> +User-Agent: Mutt/1.4i +X-Os: Red Hat Linux 7.3/Linux 2.4.18-3 +X-Url: http://www.redbrick.dcu.ie/~valen +X-Gnupg-Publickey: http://www.redbrick.dcu.ie/~valen/public.asc +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Tue, Aug 27, 2002 at 11:38:00PM +0100, Vincent Cunniffe mentioned: +> There is absolutely no way to use a conventional 3.5" drive with a +> laptop directly. However, you can get an external firewire or USB +> cradle and attach it to the laptop like that, and any 3.5" drive +> will work in that case. + + Ah, they told me that about my A1200. Just got a video box, cut air holes +and a hole for the cables, then got an extra-long 2.5" to 3.5" IDE cable, +and connected it up. Had to make a few holes in the A1200 case for the +IDE cable too. + + Worked a charm. Until I dropped the disk one day onto concrete. + +Kate + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0259.434a3208757e9738f7af6a004f42c5f1 b/machine-learning-ex6/ex6/easy_ham/0259.434a3208757e9738f7af6a004f42c5f1 new file mode 100644 index 0000000..2314ccf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0259.434a3208757e9738f7af6a004f42c5f1 @@ -0,0 +1,69 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:51 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3448844159 + for ; Wed, 28 Aug 2002 05:47:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:47:59 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8UiZ16366 for + ; Wed, 28 Aug 2002 09:30:45 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA10413; Wed, 28 Aug 2002 09:29:33 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from motgate4.mot.com (motgate4.mot.com [144.189.100.102]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id JAA10378 for ; + Wed, 28 Aug 2002 09:29:25 +0100 +Received: [from mothost.mot.com (mothost.mot.com [129.188.137.101]) by + motgate4.mot.com (motgate4 2.1) with ESMTP id BAA25720 for ; + Wed, 28 Aug 2002 01:29:22 -0700 (MST)] +Received: [from zei02exm02.cork.cig.mot.com (zei02exm02.cork.cig.mot.com + [175.3.80.202]) by mothost.mot.com (MOT-pobox 2.0) with ESMTP id BAA21939 + for ; Wed, 28 Aug 2002 01:29:49 -0700 (MST)] +Received: by zei02exm02.cork.cig.mot.com with Internet Mail Service + (5.5.2654.52) id ; Wed, 28 Aug 2002 09:29:20 +0100 +Message-Id: <496E31A690F7D311B93C0008C789494C07F08AC1@zei02exm01.cork.cig.mot.com> +From: Aherne Peter-pahern02 +To: "'ilug@linux.ie'" +Date: Wed, 28 Aug 2002 09:29:19 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2654.52) +Content-Type: text/plain; charset="iso-8859-1" +Subject: [ILUG] [OT] Dell machine giving me hassle. +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Ok, Iknow this is blatantly OT but I'm beginning to go insane. +Had an old Dell Dimension XPS sitting in the corner and decided to +put it to use, I know it was working pre being stuck in the +corner, but when I plugged it in, hit the power nothing happened. +I opened her up and had a look and say nothing much. A little orange +LED comes on when I plug her in but that's it, after some googling +I found some reference to re-seating all the parts, but no change. +The problem I'm having is that since the power supply is some Dell +specific one, ATX block with what looks like one of the old AT +power connectors, I cant figure out weather this is a Mobo prob +or a PSU prob. Just to futily try and drag this back OT, I want +to install Linux on it when I get it working. If anyone knows +what the problem might be give me a shout. + +Cheers, +Peter. + +-- +Peter Aherne, Software Engineer, +Motorola Ireland Ltd. +Ph: +353 21 4511234 Mobile: +353 87 2246834 + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0260.b68400a28ee29cb2f24149a03db1fd9e b/machine-learning-ex6/ex6/easy_ham/0260.b68400a28ee29cb2f24149a03db1fd9e new file mode 100644 index 0000000..7206304 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0260.b68400a28ee29cb2f24149a03db1fd9e @@ -0,0 +1,61 @@ +From ilug-admin@linux.ie Wed Aug 28 10:48:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5F6FD44156 + for ; Wed, 28 Aug 2002 05:48:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:04 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8UwZ16376 for + ; Wed, 28 Aug 2002 09:30:58 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA10572; Wed, 28 Aug 2002 09:30:39 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from escargot.esatclear.ie (escargot.esatclear.ie + [194.145.128.30]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id JAA10541 + for ; Wed, 28 Aug 2002 09:30:30 +0100 +Received: from esatclear.ie (r-airlock096.esatclear.ie [194.165.171.96]) + by escargot.esatclear.ie (8.9.3/8.9.3) with ESMTP id JAA11953 for + ; Wed, 28 Aug 2002 09:30:25 +0100 +Message-Id: <3D6C8A7A.6090302@esatclear.ie> +Date: Wed, 28 Aug 2002 09:31:55 +0100 +From: Paul Kelly +User-Agent: Mozilla/5.0 (Macintosh; U; PPC Mac OS X; en-US; rv:1.1) + Gecko/20020824 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] Using Normal IDE Device with a Dell Latitude CPx laptop +References: <3D6BEFBB.2030103@Sun.COM> <3D6BFF48.8050306@cunniffe.net> + <20020828081121.GI1696@jinny.ie> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +John P. Looney wrote: +>>There is absolutely no way to use a conventional 3.5" drive with a +>>laptop directly. +> Ah, they told me that about my A1200. +> +> Worked a charm. Until I dropped the disk one day onto concrete. + +Go on. Tell them how long the /first/ one lasted. + +I vote external firewire if the laptop has the ports for it. + +Paul. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0261.45da0560dfe8183b3433e2cf2f3a7835 b/machine-learning-ex6/ex6/easy_ham/0261.45da0560dfe8183b3433e2cf2f3a7835 new file mode 100644 index 0000000..b621a99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0261.45da0560dfe8183b3433e2cf2f3a7835 @@ -0,0 +1,87 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:04 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3A6414415D + for ; Wed, 28 Aug 2002 05:48:07 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:07 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8bdZ16583 for + ; Wed, 28 Aug 2002 09:37:39 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA10924; Wed, 28 Aug 2002 09:36:58 +0100 +Received: from ATLAS2K.atlasalu.ie ([217.78.4.138]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA10888 for ; Wed, + 28 Aug 2002 09:36:49 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [217.78.4.138] claimed to + be ATLAS2K.atlasalu.ie +Received: by ATLAS2K.atlasalu.ie with Internet Mail Service (5.5.2653.19) + id ; Wed, 28 Aug 2002 09:36:40 +0100 +Message-Id: <97E3260093E08D43A791F2DF1584C29708369C@ATLAS2K.atlasalu.ie> +From: Philip O Brien +To: "'ilug@linux.ie'" +Subject: FW: [ILUG] Using Normal IDE Device with a Dell Latitude CPx lapto p +Date: Wed, 28 Aug 2002 09:36:39 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="iso-8859-1" +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +I vote usb 1.1 as the chances are the cdr drive is not over 8x write and +thus fireware is of no real use... +but i cant see how you are going to get it working without a cradle. I cant +even get my dell laptop dvd drive to work +as the connectors are not the same as my cd drive ones.. seems dell cant +keep any standards going :-( + + +-----Original Message----- +From: Paul Kelly [mailto:longword@esatclear.ie] +Sent: 28 August 2002 09:32 +To: ilug@linux.ie +Subject: Re: [ILUG] Using Normal IDE Device with a Dell Latitude CPx +laptop + + +John P. Looney wrote: +>>There is absolutely no way to use a conventional 3.5" drive with a +>>laptop directly. +> Ah, they told me that about my A1200. +> +> Worked a charm. Until I dropped the disk one day onto concrete. + +Go on. Tell them how long the /first/ one lasted. + +I vote external firewire if the laptop has the ports for it. + +Paul. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + +DISCLAIMER: The information in this message is confidential and may be +legally privileged. It is intended solely for the addressee. Access to this +message by anyone else is unauthorised. If you are not the intended +recipient, any disclosure, copying, or distribution of the message, or any +action or omission taken by you in reliance on it, is prohibited and may be +unlawful. Please immediately contact the sender if you have received this +message in error. Thank you. + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0262.4b1558b6e0d2e4edd9e8bed23afb9d40 b/machine-learning-ex6/ex6/easy_ham/0262.4b1558b6e0d2e4edd9e8bed23afb9d40 new file mode 100644 index 0000000..46a3857 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0262.4b1558b6e0d2e4edd9e8bed23afb9d40 @@ -0,0 +1,96 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:13 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C7CCF4415E + for ; Wed, 28 Aug 2002 05:48:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:09 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8eIZ16642 for + ; Wed, 28 Aug 2002 09:40:18 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA11246; Wed, 28 Aug 2002 09:39:22 +0100 +Received: from kbs01.kbs.ie ([213.190.156.48]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA11221 for ; Wed, + 28 Aug 2002 09:39:14 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [213.190.156.48] claimed + to be kbs01.kbs.ie +Received: by KBS01 with Internet Mail Service (5.5.2653.19) id ; + Wed, 28 Aug 2002 09:56:42 +0100 +Message-Id: <55DA5264CE16D41186F600D0B74D6B092472BB@KBS01> +From: "Brian O'Donoghue" +To: "'ilug@linux.ie'" +Subject: RE: [ILUG] [OT] Dell machine giving me hassle. +Date: Wed, 28 Aug 2002 09:56:41 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="iso-8859-1" +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + + +> -----Original Message----- +> From: Aherne Peter-pahern02 [mailto:peter.aherne@motorola.com] +> Sent: 28 August 2002 09:29 +> To: 'ilug@linux.ie' +> Subject: [ILUG] [OT] Dell machine giving me hassle. +> +> Ok, Iknow this is blatantly OT but I'm beginning to go insane. +> Had an old Dell Dimension XPS sitting in the corner and decided to +> put it to use, I know it was working pre being stuck in the +> corner, but when I plugged it in, hit the power nothing happened. +> I opened her up and had a look and say nothing much. A little orange +> LED comes on when I plug her in but that's it, after some googling +> I found some reference to re-seating all the parts, but no change. +> The problem I'm having is that since the power supply is some Dell +> specific one, ATX block with what looks like one of the old AT +> power connectors, I cant figure out weather this is a Mobo prob +> or a PSU prob. Just to futily try and drag this back OT, I want +> to install Linux on it when I get it working. If anyone knows +> what the problem might be give me a shout. + + +Here is what you do. + +Remove all the PCI & ISA/EISA cards. +Remove the floppy disk cable from the mobo, the ide cables from the mobo... +essentially leaving only a video card... ram and a keyboard plugged in. + +Turn on the system. +If it doesn't POST then, switch it off and remove the video card. + +Switch it back on ... if your mobo doesn't emit some beeps complaining about +lack of video card then. + +Switch it off. +Remove it's ram. + +Same procedure as above. + +If you still don't have any kind of mobo beep codes then you can try as a +last ditch effort to reseat the cpu... (remembering to never ever ever power +up your system without a heatsink & fan). + +If after reseating the cpu into the mobo... you still get no beep codes, +from it with just the cpu inserted into the mobo ie(no pci,*isa cards or and +no actual ide or floppy cables connected to the system)... even though you +have power... you either have a faulty motherboard or a faulty cpu. + +Once you get beep codes various permutations of the above should eventually +disjunct which device it is, is causing the lack of POST. +Power On Self Test. + +Bod + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0263.ffa4db454754b3c66fd025e92912941e b/machine-learning-ex6/ex6/easy_ham/0263.ffa4db454754b3c66fd025e92912941e new file mode 100644 index 0000000..80aafaf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0263.ffa4db454754b3c66fd025e92912941e @@ -0,0 +1,60 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 92B1943F99 + for ; Wed, 28 Aug 2002 05:48:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:12 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8h3Z16828 for + ; Wed, 28 Aug 2002 09:43:03 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA11476; Wed, 28 Aug 2002 09:42:02 +0100 +Received: from kbs01.kbs.ie ([213.190.156.48]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA11440 for ; Wed, + 28 Aug 2002 09:41:53 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [213.190.156.48] claimed + to be kbs01.kbs.ie +Received: by KBS01 with Internet Mail Service (5.5.2653.19) id ; + Wed, 28 Aug 2002 09:59:21 +0100 +Message-Id: <55DA5264CE16D41186F600D0B74D6B092472BC@KBS01> +From: "Brian O'Donoghue" +To: "'ilug@linux.ie'" +Subject: RE: [ILUG] [OT] Dell machine giving me hassle. +Date: Wed, 28 Aug 2002 09:59:21 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="iso-8859-1" +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + + +> > Ok, Iknow this is blatantly OT but I'm beginning to go insane. +> > Had an old Dell Dimension XPS sitting in the corner and decided to +> > put it to use, I know it was working pre being stuck in the +> > corner, but when I plugged it in, hit the power nothing happened. +> > I opened her up and had a look and say nothing much. A little orange +> > LED comes on when I plug her in but that's it, after some googling +> > I found some reference to re-seating all the parts, but no change. +> > The problem I'm having is that since the power supply is some Dell +> > specific one, ATX block with what looks like one of the old AT +> > power connectors, I cant figure out weather this is a Mobo prob +> > or a PSU prob. Just to futily try and drag this back OT, I want +> > to install Linux on it when I get it working. If anyone knows +> > what the problem might be give me a shout. + +Ie if you are getting a little orange LED when you plug it in then your PSU +is probably working. + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0264.a1183a59e4f0a71e80378d9404a3212f b/machine-learning-ex6/ex6/easy_ham/0264.a1183a59e4f0a71e80378d9404a3212f new file mode 100644 index 0000000..67ae0ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0264.a1183a59e4f0a71e80378d9404a3212f @@ -0,0 +1,65 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 684BD44158 + for ; Wed, 28 Aug 2002 05:48:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:19 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8wTZ17205 for + ; Wed, 28 Aug 2002 09:58:29 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA12291; Wed, 28 Aug 2002 09:57:42 +0100 +Received: from corvil.com. (k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id JAA12252 + for ; Wed, 28 Aug 2002 09:57:32 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159] claimed to be corvil.com. +Received: from corvil.com (pixelbeat.local.corvil.com [172.18.1.170]) by + corvil.com. (8.12.5/8.12.5) with ESMTP id g7S8vSn4051594 for + ; Wed, 28 Aug 2002 09:57:28 +0100 (IST) (envelope-from + padraig.brady@corvil.com) +Message-Id: <3D6C9060.7090308@corvil.com> +Date: Wed, 28 Aug 2002 09:57:04 +0100 +From: Padraig Brady +Organization: Corvil Networks +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020408 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ilug@linux.ie +Subject: Re: [ILUG] directory merging +References: <20020827082935.GS13271@jinny.ie> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +John P. Looney wrote: +> I've two directories, that once upon a time contained the same files. +> +> Now, they don't. +> +> Is there a tool to merge the two - create a new directory where if the +> files are the same, they aren't changed, if they are different, the one +> with the most recent datestamp is used... + +Just for the record mc has a nice directory +comparison function. This is really nice +when using the ftp VFS for e.g. Of course +if you use something like ftpfs you can use +the previously mentioned tools. + +Pádraig. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0265.84c034d3d76a3d069732c02e1101fe23 b/machine-learning-ex6/ex6/easy_ham/0265.84c034d3d76a3d069732c02e1101fe23 new file mode 100644 index 0000000..50850cc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0265.84c034d3d76a3d069732c02e1101fe23 @@ -0,0 +1,81 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CD2E84415A + for ; Wed, 28 Aug 2002 05:48:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:28 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S90nZ17251 for + ; Wed, 28 Aug 2002 10:00:49 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA12731; Wed, 28 Aug 2002 10:00:21 +0100 +Received: from storm.liquidweb.com ([66.96.230.15]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA12673 for ; Wed, + 28 Aug 2002 10:00:09 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [66.96.230.15] claimed to + be storm.liquidweb.com +Received: from [213.190.156.25] (helo=dogBear) by storm.liquidweb.com with + smtp (Exim 3.35 #1) id 17jyfg-0001yN-00 for ilug@linux.ie; Wed, + 28 Aug 2002 04:59:28 -0400 +Message-Id: <002501c24e71$68298e20$f600a8c0@dogBear> +From: "Carlos Luna" +To: +Date: Wed, 28 Aug 2002 10:00:45 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4522.1200 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - storm.liquidweb.com +X-Antiabuse: Original Domain - linux.ie +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - steorn.com +Subject: [ILUG] PPPD disconnects on me! +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hello folks! +I'm new to Linux, so here goes... +I've been trying to get connected to the outside world through my modem. +I've got Debian with kernel 2.4.18. +I've got this Win-Modem(yes, I know) and managed to locate a proper driver +for it. +Minicom is very much able to dial out. +But there seems to be a problem with my PPPD installation. +When I type 'ppp' in the minicom terminal, all I get (after the initial info +of my dynamic IP, etc) is a ~ and then the NO CARRIER signal. +Then I looked into calling pppd directly using chat. +I used this command: pppd call Provider (where Provider is some script +somewhere). +It dials, it connects, it sends my username & password, and when connection +is established, it gives the SIGHUP signal and exits. +This is confirmed when me friend and I tried to connect through a serial +port using pppd to connect ttyS0. I ran pppd waiting for a connection, me +friend tried connecting and as soon as he did, pppd exited. + +Some expert help would be greatly appreciated as I'm sick and tired of +having to reboot, get into Windoze to hook up to the net and then back to +Linux, mounting this drive to get that file, etc. It'd be nice never have +to go back to Windoze(except for games, that is). + +Thanks a million. +Carlos + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0266.387a672eb91910a913cde6ebdf33ef05 b/machine-learning-ex6/ex6/easy_ham/0266.387a672eb91910a913cde6ebdf33ef05 new file mode 100644 index 0000000..0ccac70 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0266.387a672eb91910a913cde6ebdf33ef05 @@ -0,0 +1,83 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:32 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 359AF43F9B + for ; Wed, 28 Aug 2002 05:48:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:37 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S91AZ17260 for + ; Wed, 28 Aug 2002 10:01:10 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA12592; Wed, 28 Aug 2002 09:59:28 +0100 +Received: from mel-rto6.wanadoo.fr (smtp-out-6.wanadoo.fr [193.252.19.25]) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id JAA12553 for + ; Wed, 28 Aug 2002 09:59:19 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host smtp-out-6.wanadoo.fr + [193.252.19.25] claimed to be mel-rto6.wanadoo.fr +Received: from mel-rta9.wanadoo.fr (193.252.19.69) by mel-rto6.wanadoo.fr + (6.5.007) id 3D6246E800347B50 for ilug@linux.ie; Wed, 28 Aug 2002 10:58:49 + +0200 +Received: from bolsh.wanadoo.fr (80.8.224.71) by mel-rta9.wanadoo.fr + (6.5.007) id 3D49FFB7009BCDDF for ilug@linux.ie; Wed, 28 Aug 2002 10:58:49 + +0200 +Received: from dave by bolsh.wanadoo.fr with local (Exim 3.32 #1 (Debian)) + id 17jykN-0003gD-00 for ; Wed, 28 Aug 2002 11:04:19 +0200 +Date: Wed, 28 Aug 2002 11:04:19 +0200 +From: David Neary +To: ILUG list +Subject: Re: [ILUG] converting strings of hex to ascii +Message-Id: <20020828110419.C7705@wanadoo.fr> +References: <20020827182940.A6217@wanadoo.fr> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.3.23i +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Paul Jakma wrote: +> On Tue, 27 Aug 2002, David Neary wrote: +> +> > > Actually the following would be in some way sensible: +> > > echo -e "`echo "$enc" | sed 's/%\([0-9a-fA-F]\{2,2\}\)/\\\x\1/g'`" +> > +> > Why {2,2}? Why not {2}? +> +> the above was something along the lines i was attempting, once i +> realised it was a straight swap. but i couldnt get awk's gensub to +> insert the \x for %'s and ='s. + +Perl's pack() would do the job... + +> > PS the late reply is because the footer on the original mail (If +> > you received this mail in error yadda yadda) got caught in my +> > spam filter, and ended up in my junkmail directory. +> +> might not have been the footer - check my headers. :) + +Actually, it was worse - a bodycheck showed up a "remove" URL. I +need a new spam filter (but I want to be able to process false +positives, rather than dump them). + +Cheers, +Dave. + +-- + David Neary, + Marseille, France + E-Mail: bolsh@gimp.org + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0267.218a528c448166d39f853cf75d8890dd b/machine-learning-ex6/ex6/easy_ham/0267.218a528c448166d39f853cf75d8890dd new file mode 100644 index 0000000..0141c37 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0267.218a528c448166d39f853cf75d8890dd @@ -0,0 +1,73 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AAE4B44155 + for ; Wed, 28 Aug 2002 05:48:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:43 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S9M7Z17908 for + ; Wed, 28 Aug 2002 10:22:07 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA14199; Wed, 28 Aug 2002 10:21:10 +0100 +Received: from corvil.com. (k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id KAA14163 + for ; Wed, 28 Aug 2002 10:21:00 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159] claimed to be corvil.com. +Received: from corvil.com (pixelbeat.local.corvil.com [172.18.1.170]) by + corvil.com. (8.12.5/8.12.5) with ESMTP id g7S9Kxn4053202; Wed, + 28 Aug 2002 10:20:59 +0100 (IST) (envelope-from padraig.brady@corvil.com) +Message-Id: <3D6C95E3.4000308@corvil.com> +Date: Wed, 28 Aug 2002 10:20:35 +0100 +From: Padraig Brady +Organization: Corvil Networks +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020408 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Inn Share +Cc: ilug@linux.ie +Subject: Re: [ILUG] find the biggest file +References: <20020827193152.56961.qmail@web13705.mail.yahoo.com> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Inn Share wrote: +> Hi,all: +> +> Does anyone know how to list the biggest file in my +> root directory?or the second biggest ..etc... +> +> Because I want to find out what is the reason cause my +> root all most full. +> +> The system is Solaris 8 Sparc. +> +> Thanks !!! + +I think everybody has their own version of this, +but in case it's useful.. (only tested on Linux): + +find $* \( -type f -o -type l \) -maxdepth 1 -mindepth 1 -print0 | +xargs -r0 du -b --max-depth 0 | +sort -k1n | +grep -v "^0" + +Pádraig. + + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0268.77ef28e27a9ee085646f260418072111 b/machine-learning-ex6/ex6/easy_ham/0268.77ef28e27a9ee085646f260418072111 new file mode 100644 index 0000000..0e69eac --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0268.77ef28e27a9ee085646f260418072111 @@ -0,0 +1,81 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 968644415F + for ; Wed, 28 Aug 2002 05:48:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:38 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S9FtZ17840 for + ; Wed, 28 Aug 2002 10:15:55 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA13581; Wed, 28 Aug 2002 10:14:51 +0100 +Received: from nl-nie-irelay01.cmg.nl ([212.136.56.7]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA13544 for ; Wed, + 28 Aug 2002 10:14:41 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [212.136.56.7] claimed to + be nl-nie-irelay01.cmg.nl +Received: from nl-nie-route01.cmg.nl (nl-nie-route01.cmg.nl + [10.224.191.106]) by nl-nie-irelay01.cmg.nl (8.12.1/8.12.1) with ESMTP id + g7S9CF7e003573; Wed, 28 Aug 2002 11:12:15 +0200 (MEST) +Received: from wintermute.att.cmg.nl (ieattp1ifs6.att.cmg.nl + [10.226.4.202]) by nl-nie-route01.cmg.nl with SMTP (Microsoft Exchange + Internet Mail Service Version 5.5.2653.13) id RPZHMLB1; Wed, + 28 Aug 2002 11:14:03 +0200 +Received: from ocorrain by wintermute.att.cmg.nl with local (Exim 3.35 #1 + (Debian)) id 17jyuO-0001tY-00; Wed, 28 Aug 2002 10:14:40 +0100 +To: Inn Share +Cc: ilug@linux.ie +Subject: Re: [ILUG] find the biggest file +References: <20020827193152.56961.qmail@web13705.mail.yahoo.com> +From: Tiarnan O Corrain +Date: 28 Aug 2002 10:14:34 +0100 +In-Reply-To: <20020827193152.56961.qmail@web13705.mail.yahoo.com> +Message-Id: <871y8jibut.fsf@wintermute.att.cmg.nl> +Lines: 24 +User-Agent: Gnus/5.0808 (Gnus v5.8.8) Emacs/21.2 +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by lugh.tuatha.org id + KAA13544 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Inn Share writes: + +> Hi,all: +> +> Does anyone know how to list the biggest file in my +> root directory?or the second biggest ..etc... +> +> Because I want to find out what is the reason cause my +> root all most full. + +find / -xdev -type f -exec du -sk {} \; | sort -rn | head -5 + + -xdev will stop find recursing into other filesystems. + +Cheers +Tiarnan + + +-- +Tiarnán Ó Corráin +Consultant / System Administrator +CMG Wireless Data Solutions Ltd. +Tel.: +353 21 4933200 +Fax: +353 21 4933201 + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0269.5a74b38284c7e9d85338eca0a25cb191 b/machine-learning-ex6/ex6/easy_ham/0269.5a74b38284c7e9d85338eca0a25cb191 new file mode 100644 index 0000000..0cea72d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0269.5a74b38284c7e9d85338eca0a25cb191 @@ -0,0 +1,76 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:47 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 022664415B + for ; Wed, 28 Aug 2002 05:48:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:52 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S9OZZ18095 for + ; Wed, 28 Aug 2002 10:24:35 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA14364; Wed, 28 Aug 2002 10:23:52 +0100 +Received: from corvil.com. (k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id KAA14339 + for ; Wed, 28 Aug 2002 10:23:44 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host k100-159.bas1.dbn.dublin.eircom.net + [159.134.100.159] claimed to be corvil.com. +Received: from corvil.com (pixelbeat.local.corvil.com [172.18.1.170]) by + corvil.com. (8.12.5/8.12.5) with ESMTP id g7S9Nin4053396 for + ; Wed, 28 Aug 2002 10:23:44 +0100 (IST) (envelope-from + padraig.brady@corvil.com) +Message-Id: <3D6C9688.6010203@corvil.com> +Date: Wed, 28 Aug 2002 10:23:20 +0100 +From: Padraig Brady +Organization: Corvil Networks +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020408 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: ILUG list +Subject: Re: [ILUG] converting strings of hex to ascii +References: + <3D6A0BB1.8050607@corvil.com> <3D6A0DA5.6050104@corvil.com> + <20020827182940.A6217@wanadoo.fr> +Content-Type: text/plain; charset=ISO-8859-15; format=flowed +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +David Neary wrote: +> Padraig Brady wrote: +> +>>>Paul Jakma wrote: +>>> +>>>>chars in hex to plain ASCII? +>>>> +>>>>eg given +>>>> http://w%77%77%2Eo%70%74%6F%72%69um.n%65t/remove.html +>>>> +>>>>is there an easy way to turn it into +>>>> +>>>> http://www.optorium.net/remove.html +>>>>eg, whether by piping through some already available tool, or +>>>>programmatically (printf? - but i dont see how.). +>>> +>>Actually the following would be in some way sensible: +>>echo -e "`echo "$enc" | sed 's/%\([0-9a-fA-F]\{2,2\}\)/\\\x\1/g'`" +> +> +> Why {2,2}? Why not {2}? + +Me being silly, that's all. + +Pádraig. + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0270.5a7d9b20e00fc24d6c929c198718f5a3 b/machine-learning-ex6/ex6/easy_ham/0270.5a7d9b20e00fc24d6c929c198718f5a3 new file mode 100644 index 0000000..c7c90fa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0270.5a7d9b20e00fc24d6c929c198718f5a3 @@ -0,0 +1,66 @@ +From ilug-admin@linux.ie Wed Aug 28 10:49:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F0D4B4415C + for ; Wed, 28 Aug 2002 05:48:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:48:56 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S9TnZ18148 for + ; Wed, 28 Aug 2002 10:29:49 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA14801; Wed, 28 Aug 2002 10:29:09 +0100 +Received: from dirac1.thphys.may.ie (IDENT:0@dirac1.thphys.may.ie + [149.157.205.161]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id KAA14770 + for ; Wed, 28 Aug 2002 10:29:02 +0100 +Received: from dirac1.thphys.may.ie (IDENT:1208@localhost [127.0.0.1]) by + dirac1.thphys.may.ie (8.12.4/8.11.4) with ESMTP id g7S9T0Qq018215 for + ; Wed, 28 Aug 2002 10:29:01 +0100 +Received: from localhost (mpaturya@localhost) by dirac1.thphys.may.ie + (8.12.4/8.12.4/Submit) with ESMTP id g7S9T0C5018212 for ; + Wed, 28 Aug 2002 10:29:00 +0100 +X-Authentication-Warning: dirac1.thphys.may.ie: mpaturya owned process + doing -bs +Date: Wed, 28 Aug 2002 10:28:59 +0100 (IST) +From: Vanush Paturyan +To: ilug@linux.ie +Subject: Re: [ILUG] [OT] Dell machine giving me hassle. +In-Reply-To: <496E31A690F7D311B93C0008C789494C07F08AC1@zei02exm01.cork.cig.mot.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + + +I'm not familiar with Dell Dimension XPS, and, to be honest, not familiar +with any brand-name computers. Most of my experience is China +motherboards, but I've seen same behavior once. Changing the battery helps +that time. It was big round battery with 'Panasonic' on it. +Computer starts beeping then we removed battery from MB. It even booted up +(well, loosing time and some other things). + +Just my 2 cents. + +Misha + +On Wed, 28 Aug 2002, Aherne Peter-pahern02 wrote: + +> Ok, Iknow this is blatantly OT but I'm beginning to go insane. +> Had an old Dell Dimension XPS sitting in the corner and decided to +> put it to use, + + + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0271.349d737f101674586c61996593772a63 b/machine-learning-ex6/ex6/easy_ham/0271.349d737f101674586c61996593772a63 new file mode 100644 index 0000000..be18b09 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0271.349d737f101674586c61996593772a63 @@ -0,0 +1,58 @@ +From ilug-admin@linux.ie Wed Aug 28 10:50:01 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 947BF44157 + for ; Wed, 28 Aug 2002 05:49:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:49:06 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S9l1Z18753 for + ; Wed, 28 Aug 2002 10:47:01 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id KAA15554; Wed, 28 Aug 2002 10:45:58 +0100 +Received: from webshield (webshield.tcd.ie [134.226.1.66]) by + lugh.tuatha.org (8.9.3/8.9.3) with SMTP id KAA15518 for ; + Wed, 28 Aug 2002 10:45:51 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host webshield.tcd.ie + [134.226.1.66] claimed to be webshield +Received: FROM barge.dsg.cs.tcd.ie BY webshield ; Wed Aug 28 10:45:49 2002 + +0100 +Received: (from david@localhost) by barge.dsg.cs.tcd.ie (8.11.2/8.11.2) id + g7S9mDY03689 for ilug@linux.ie; Wed, 28 Aug 2002 10:48:13 +0100 +Date: Wed, 28 Aug 2002 10:48:13 +0100 +From: "David O'Callaghan" +To: ilug@linux.ie +Subject: Re: [ILUG] Newbie seeks advice - Suse 7.2 +Message-Id: <20020828104813.C1470@barge.tcd.ie> +Mail-Followup-To: ilug@linux.ie +References: <3d65260f.948.0@mail.dnet.co.uk> <3D65F1C7.3080500@corvil.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.12i +In-Reply-To: <3D65F1C7.3080500@corvil.com>; from padraig.brady@corvil.com + on Fri, Aug 23, 2002 at 09:26:47AM +0100 +X-Operating-System: Linux barge 2.4.19 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On Fri, Aug 23, 2002 at 09:26:47AM +0100, Padraig Brady wrote: +[...] +> probably a bit old, 7.3 and 8.0 are out. + +And I've been told by a SuSE rep that 8.1 will be out in October, +for those who are interested. + +David + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0272.c3e06e3aa72f63dee68faaed6fbaaa1a b/machine-learning-ex6/ex6/easy_ham/0272.c3e06e3aa72f63dee68faaed6fbaaa1a new file mode 100644 index 0000000..a7dea7a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0272.c3e06e3aa72f63dee68faaed6fbaaa1a @@ -0,0 +1,120 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 10:45:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A89CC44158 + for ; Wed, 28 Aug 2002 05:45:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:45:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RMwrZ29512 for + ; Tue, 27 Aug 2002 23:58:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7RMt8J31837; Wed, 28 Aug 2002 00:55:08 + +0200 +Received: from unknown (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7RMs1J23188; Wed, 28 Aug 2002 00:54:01 +0200 +From: Matthias Saou +To: valhalla-list@example.com, RPM-List +Subject: ALSA (almost) made easy +Message-Id: <20020828004215.4bca2588.matthias@rpmforge.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 00:42:15 +0200 +Date: Wed, 28 Aug 2002 00:42:15 +0200 + +Hi all, + +I've decided at last to test the ALSA sound drivers. As usual the result is +that I've spent much more time repackaging the darn thing than actually +testing the functionalities or trying to hear the great sound quality +people seem to think it outputs... but hey, some of you will benefit from +that, right? ;-) + +I've got the whole thing working on a Valhalla system, but the packages +should easily install or at least recompile on Enigma, Limbo/(null) and +maybe others, who knows ;-) + +Here are quick instructions for those of you that wish to try it out : +- Recompile the "alsa-driver" source rpm for your running kernel + (you can install the binary package if you're using the i686 2.4.18-10) +- Install this "alsa-driver" package +- Install the "alsa-libs" package +- Install the "alsa-utils" package + +Now go to this URL and find out what you need to change in your +/etc/modules.conf file to replace the default OSS driver loading : +http://www.alsa-project.org/alsa-doc/ +(very complete and very good documentation!) +Hopefully you'll see that your card *is* supported ;-) + +Reboot, or remove by hand your current sound modules (you'll probably need +to stop many applications to free the sound resource...) "by hand" and +insert the new ones. If all is well you've got ALSA working! ("dmesg" to +check is a good idea), you now just need to adjust the volume levels with +e.g. aumix and alsamixer because everything is muted by default. + +With "aplay" you can already test files to see if you hear anything. You +can also install the XMMS plugin (seems to make my XMMS segfault on exit... +hmmm, but maybe it's another plugin) to listen to your good ol' mp3 +files... that's it! + +It really isn't complicated, and has never been from what I see. The only +thing I disliked was to have to install from source... but as I can't +imagine myself doing that ;-) I've repackaged everything cleanly. Even the +/dev entries are included in the rpm package (and *not* created by an ugly +%post script, I insist!) and seamlessly integrate into the /etc/makedev.d +structure. There are also a few other noticeable differences with the +default provided ALSA spec files, for example I've split alsa-lib's +development files into an alsa-lib-devel package and included static +libraries... there are others of course (oh yes, the kernel version against +which the "alsa-driver" package is compiled gets neatly integrated in the +rpm release, so does the architecture!). + +I'm open to any comments or suggestions about these packages! + +Download : +http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ + +Current spec files : +http://freshrpms.net/builds/alsa-driver/alsa-driver.spec +http://freshrpms.net/builds/alsa-lib/alsa-lib.spec +http://freshrpms.net/builds/alsa-utils/alsa-utils.spec +(All others, patches etc. : http://freshrpms.net/builds/ ) + +Matthias + +PS: As an extra bonus, I've also recompiled xine with alsa support! Simply +run "xine -A alsa09" and off you go! It may even support 5.1 and S/PDIF ;-) + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.57 0.42 0.42, AC on-line, battery charging: 29% (1:55) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0273.b76b7b918548a82372b04341746503e7 b/machine-learning-ex6/ex6/easy_ham/0273.b76b7b918548a82372b04341746503e7 new file mode 100644 index 0000000..c514dbe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0273.b76b7b918548a82372b04341746503e7 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 10:46:33 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8796E44155 + for ; Wed, 28 Aug 2002 05:46:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 10:46:01 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S3SWZ08958 for + ; Wed, 28 Aug 2002 04:28:32 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7S3Q3J21679; Wed, 28 Aug 2002 05:26:03 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7S3OxJ07705 + for ; Wed, 28 Aug 2002 05:24:59 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17jtS9-0005Zs-00; Tue, 27 Aug 2002 23:25:09 -0400 +X-Originating-Ip: [66.44.42.51] +From: "" Angles " Puglisi" +To: valhalla-list@example.com, + "=?iso-8859-1?Q?RPM=2DList?=" +Subject: Re: ALSA (almost) made easy +Message-Id: <20020827.HLj.85891900@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 03:28:10 +0000 +Date: Wed, 28 Aug 2002 03:28:10 +0000 + +Matthias Saou (matthias@rpmforge.net) wrote*: +> +>You can also install the XMMS plugin +>(seems to make my XMMS segfault on exit... +>hmmm, but maybe it's another plugin) to listen to your good ol' mp3 +>files... that's it! + +I've an XMMS Alsa module I've been using for a while now at: +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630-aap1.i686.rpm +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630-aap1.src.rpm +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630.spec + +Also there is alsaplayer rpms there too: +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.i386.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.i686.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.src.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71.spec + +Good luck. Both were build on an RH 7.3 box with errata current as of the date of +the build. I'm running (null) RH beta now and I recall that alsa-xmms still works, I +can not remember if alsaplayer needs a --rebuild. + +As an aside, alsaplayer is really maturing into a versitile app, I've been packaging +for many releases now. + +I've scripted the alsa-xmms cvs build, so it's easy to spin another one if these +rpms do not work on (null). + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0274.62155dd02f8719d2cfd0f76671549737 b/machine-learning-ex6/ex6/easy_ham/0274.62155dd02f8719d2cfd0f76671549737 new file mode 100644 index 0000000..afc54f5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0274.62155dd02f8719d2cfd0f76671549737 @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 11:31:04 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8D5F943F99 + for ; Wed, 28 Aug 2002 06:31:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:31:03 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SASPZ20018 for ; Wed, 28 Aug 2002 11:28:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k00W-0004WX-00; Wed, + 28 Aug 2002 03:25:04 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k00C-0005AS-00 for ; + Wed, 28 Aug 2002 03:24:46 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7SAOA501889; Wed, 28 Aug 2002 11:24:10 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + A2DAE43F99; Wed, 28 Aug 2002 06:21:52 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D7E933D8C; + Wed, 28 Aug 2002 11:21:52 +0100 (IST) +To: "Steve Thomas" +Cc: "Jonathan Nichols" , + "Spam Assassin" +Subject: Re: [SAtalk] Setting up a spam eating address +In-Reply-To: Message from + "Steve Thomas" + of + "Tue, 27 Aug 2002 11:09:34 PDT." + +From: zzzz@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020828102152.A2DAE43F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:21:47 +0100 +Date: Wed, 28 Aug 2002 11:21:47 +0100 + + +"Steve Thomas" said: + +> I created a user (honeypot) and set up an alias to it. Then I added a +> 'hidden' (font color same as background color) link to that address at the +> bottom of my html pages. The .procmailrc file for that user is: ..... +> which will submit the msg to razor then save it locally. I set this up about +> a month ago, and haven't received anything other than some viruses (Sircam) +> on it yet. The viruses are rejected at the MTA level, so they're not being +> saved/reported to razor. + +FWIW, I would now recommend doing this (using a user with a procmailrc) +instead of a system alias; more secure, and easier to filter out crud +like bounces, virii etc. that render a corpus dirty. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/0275.42292c1f2e4d6db665ed49a551960b3b b/machine-learning-ex6/ex6/easy_ham/0275.42292c1f2e4d6db665ed49a551960b3b new file mode 100644 index 0000000..d6f883a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0275.42292c1f2e4d6db665ed49a551960b3b @@ -0,0 +1,89 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 11:31:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1E94343F99 + for ; Wed, 28 Aug 2002 06:31:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:31:20 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SAWhZ20222 for ; Wed, 28 Aug 2002 11:32:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k07J-00060B-00; Wed, + 28 Aug 2002 03:32:05 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k072-0005yP-00 for ; + Wed, 28 Aug 2002 03:31:50 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7SAVa501897; Wed, 28 Aug 2002 11:31:36 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + C5C3143F99; Wed, 28 Aug 2002 06:29:18 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9E4EF33D8E; + Wed, 28 Aug 2002 11:29:18 +0100 (IST) +To: Bob Sully +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] False Positive of the Week +In-Reply-To: Message from Bob Sully of + "Tue, 27 Aug 2002 22:21:30 PDT." + +From: zzzz@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020828102918.C5C3143F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:29:13 +0100 +Date: Wed, 28 Aug 2002 11:29:13 +0100 + + +Bob Sully said: + +> Spamassassin (2.30) has been tossing my daily LogWatch (3.3) reports into +> the spam bucket. A recent one generated the folowing hits: .... + +fixed in CVS I think, or at least my logwatches get through fine. If it +is not fixed in CVS, then report it, using the correct bug-reporting +procedure: + + 1. open a Bugzilla bug. http://bugzilla.SpamAssassin.org/ + + 2. attach a sample mail message *as an attachment* with all + headers intact + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/0276.394eddb373972d985cabf6f63953a3d0 b/machine-learning-ex6/ex6/easy_ham/0276.394eddb373972d985cabf6f63953a3d0 new file mode 100644 index 0000000..916c58a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0276.394eddb373972d985cabf6f63953a3d0 @@ -0,0 +1,112 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 11:51:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5244143F99 + for ; Wed, 28 Aug 2002 06:51:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:51:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SAjqZ20559 for + ; Wed, 28 Aug 2002 11:45:55 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 96FA13EC3A; Wed, 28 Aug 2002 + 06:46:01 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9E13B3EC3A + for ; Wed, 28 Aug 2002 06:45:18 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SAjFW14386 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 06:45:15 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SAjFY14382 for + ; Wed, 28 Aug 2002 06:45:15 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7SAU7l27968 for ; + Wed, 28 Aug 2002 06:30:08 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7SAikU28134 for + ; Wed, 28 Aug 2002 17:44:46 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7SAiSW20156 for ; + Wed, 28 Aug 2002 17:44:28 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Patch to enable/disable log +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <20154.1030531468@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 17:44:28 +0700 + +While I was playing with the past issues, it annoyed me that there was +no easy way to make the log stop growing (I don't mean to truncate it, +I mean to just freeze it for a while). + +The following patch adds a new button to the log window, which allows +the log to be switched on/off (the button says "Disable" when the +log is enabled, and the button disables it, and "Enable" when the log +is frozen, and the button enables it again). + +kre + +--- main.tcl Wed Aug 21 15:01:48 2002 ++++ /usr/local/lib/exmh-2.5/main.tcl Wed Aug 28 17:36:59 2002 +@@ -385,6 +385,9 @@ + ExmhLogCreate + wm withdraw $exmh(logTop) + } ++ if {! $exmh(logWrite)} { ++ return ++ } + if [info exists exmh(log)] { + catch { + # $exmh(log) insert end " [bw_delta] " +@@ -407,6 +410,9 @@ + set exmh(logWindow) 1 + Exwin_Toplevel .log "Exmh Log" Log + set exmh(logTop) .log ++ set exmh(logDisableBut) \ ++ [Widget_AddBut $exmh(logTop).but swap "Disable" ExmhLogToggle] ++ set exmh(logWrite) 1 + Widget_AddBut $exmh(logTop).but trunc "Truncate" ExmhLogTrunc + Widget_AddBut $exmh(logTop).but save "Save To File" ExmhLogSave + set exmh(logYview) 1 +@@ -457,6 +463,12 @@ + } msg] { + Exmh_Status "Cannot save log: $msg" error + } ++} ++proc ExmhLogToggle {} { ++ global exmh ++ ++ set exmh(logWrite) [expr ! $exmh(logWrite)] ++ $exmh(logDisableBut) configure -text [lindex {"Enable " Disable} $exmh(logWrite)] + } + #### Misc + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0277.43d8f575fabb051cc7041c02c9f002a8 b/machine-learning-ex6/ex6/easy_ham/0277.43d8f575fabb051cc7041c02c9f002a8 new file mode 100644 index 0000000..a102e16 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0277.43d8f575fabb051cc7041c02c9f002a8 @@ -0,0 +1,146 @@ +From mcardier@hotmail.com Wed Aug 28 11:52:09 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1463743F99 + for ; Wed, 28 Aug 2002 06:52:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 11:52:06 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SAo7Z20688 for ; Wed, 28 Aug 2002 11:50:07 +0100 +X-Egroups-Return: sentto-2242572-53147-1030531814-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n21.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 10:50:14 -0000 +X-Sender: mcardier@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 10:50:13 -0000 +Received: (qmail 43692 invoked from network); 28 Aug 2002 10:50:13 -0000 +Received: from unknown (66.218.66.216) by m3.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 10:50:13 -0000 +Received: from unknown (HELO hotmail.com) (64.4.16.121) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 10:50:13 -0000 +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 28 Aug 2002 03:50:13 -0700 +To: "Forteana List" +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Message-Id: +X-Originalarrivaltime: 28 Aug 2002 10:50:13.0702 (UTC) FILETIME=[B0193E60:01C24E80] +From: "Matt Cardier" +X-Originating-Ip: [210.49.51.78] +X-Yahoo-Profile: matthewcardier2001 +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 20:42:14 +1000 +Subject: [zzzzteana] Compensation for World's youngest mother +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://www.cnn.com/2002/WORLD/americas/08/26/peru.mother.reut/index.html + +LIMA, Peru (Reuters) -- Lina Medina's parents thought their 5-year-old daughter had a huge abdominal tumor and when shamans in their remote village in Peru's Andes could find no cure, her father carried her to hospital. + +Just over a month later, she gave birth to a boy. + +Aged 5 years, seven months and 21 days old when her child was born by Caesarean section in May 1939, Medina made medical history, and is still the youngest known mother in the world. + +At the time, Peru's government promised aid that never materialized. Six decades on, Medina lives with her husband in a cramped house in a poor, crime-ridden district of the Peruvian capital known as "Little Chicago." + +Now 68, she keeps herself to herself and has long refused requests to rake up the past. Gerardo, the son she delivered while still a child herself, died in 1979 at the age of 40. + +But a new book, written by an obstetrician who has been interested in her case, has drawn fresh attention to Medina's story, and raised the prospect that the Peruvian government may belatedly offer her financial and other assistance. + +"The government condemned them to live in poverty. In any other country, they would be the objects of special care," Jose Sandoval, author of "Mother Aged 5," told Reuters. + +"We still have time to repair the damage done to her. That's my fundamental objective," he added. + +'Totally willing to help' +Sandoval has raised Medina's case with the office of first lady Eliane Karp, and has asked the government to grant her a life pension -- something officials say is possible. + +"We're totally willing to help her," said spokeswoman Marta Castaneda. But Suni Ramos, of the social action department of Karp's office, said that before the government could grant her a pension or any other of the aid it was already planning -- such as kitchen and other household equipment -- it needed to talk to her to discuss what she wanted and needed. It is currently trying to contact Medina and her family. + +Medina's husband, Raul Jurado, told Reuters his wife remained skeptical. "She got no help (in 1939) that I know about," he said. "She thinks governments never deliver. Maybe today there will be a promise that will never come true." + +Jurado said his wife, whose story is a medical textbook classic and whose case is confirmed as true by such bodies as the American College of Obstetricians and Gynecologists, had turned down Reuters' request for an interview. + +Medical rarity +No one has ever established who was the father of Medina's child, or confirmed she became pregnant after being raped. + +One of nine children born to country folk in Ticrapo, an Andean village at an altitude of 7,400 feet (2,250 meters) in Peru's poorest province, Medina is believed to be the youngest case of precocious puberty in history, Sandoval said. + +He said she had her first period at 2 1/2, became pregnant aged 4 years and eight months and that when doctors performed the Caesarean to deliver her baby, they found she already had fully mature sexual organs. + +Her swelling stomach worried her parents. "They thought it was a tumor," he said. But shamans ruled out village superstitions -- including one in which locals believed a snake grew inside a person until it killed them -- and recommended they take her to hospital in the nearest big town, Pisco. + +There came the staggering diagnosis that she was pregnant. + +Her father was jailed temporarily on suspicion of incest -- he was later released for lack of evidence -- and doctors, police and even a film crew set off for her village for preliminary investigations into her case. + +Sandoval, who based his book on media and other published information, and some interviews with relatives as Medina herself declined to comment, said news of the child mother-to-be drew instant offers of aid, including one worth $5,000 from a U.S. businessman, which was turned down. + +More offers followed after Medina was transferred to a Lima hospital, where her fully developed 6-pound (2.7 kg) baby was born on May 14, 1939 -- Mother's Day. + +One offer was worth $1,000 a week, plus expenses, for Medina and her baby to be exhibited at the World's Fair in New York. Another, from a U.S. business that the family accepted in early June 1939, was for the pair to travel to the United States for scientists to study the case. The offer included setting up a fund to ensure their lifelong financial comfort. + +But within days, the state trumped all previous offers, decreeing that Medina and her baby were in "moral danger," and resolving to set up a special commission to protect them. + +But Sandoval said: "It abandoned the case after six months ...It did absolutely nothing for them." + +Happy ending? +Though physically mature, Medina -- who Sandoval said was mentally normal and showed no other unusual medical symptoms -- still behaved like a child, preferring to play with her dolls instead of the new baby, who was fed by a wet nurse. + +Medina stayed in hospital for 11 months, finally returning to her family after it began legal proceedings that led to a Supreme Court ruling allowing her to live with them again. + +After taunting from schoolmates, Gerardo -- who was named after one of the doctors who attended Medina and became their mentor -- discovered when he was 10 that the woman he had grown up believing to be his sister was in fact his mother. + +He died in 1979 from a disease that attacks the body's bone marrow, but Sandoval said it was not clear there was any link with his illness and the fact his mother had been so young. + +Medina married and in 1972 had a second son, 33 years after her first. Her second child now lives in Mexico. + +She appears to have turned her bizarre story into a taboo subject. "We just want to get on with our lives, that's it," said Jurado, adding he thought "absolutely nothing" of the fact his wife was the world's youngest mother. + +He said the couple's main concern now, if the government's offer of aid was genuine, was to be granted the value of a property that belonged to Medina and which the then-government expropriated more than two decades ago. That house has now been destroyed and there is a road on the site. + +He said its value was "more or less $25,000" and settling the property question would conclude a long legal battle to get back a home of their own -- they live now in a modest house, accessed down a dingy alley half blocked by a wooden board, in a tough neighborhood known to locals as a thieves' paradise. + +"If the government really wants to help...they should give us the value of our property," he said. + +As for Sandoval, he said he was optimistic that Medina's story, which he has studied since his student days, would turn out well. "I believe there will be a happy ending," he said. + +"As a result of the war, corporations have now been enthroned and an era +of corruption in high places will follow and the money-power of the +country will endeavor to prolong its reign by working upon the +prejudices of the people until the wealth is aggregated in a few hands +and the Republic is destroyed." +Abraham Lincoln (Nov 21, 1864 in a letter to Col. William F Elkins) + + + + + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0278.11523c7a537578530720c5a697c916c7 b/machine-learning-ex6/ex6/easy_ham/0278.11523c7a537578530720c5a697c916c7 new file mode 100644 index 0000000..e51148e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0278.11523c7a537578530720c5a697c916c7 @@ -0,0 +1,167 @@ +From fork-admin@xent.com Wed Aug 28 12:02:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 46BFF43F99 + for ; Wed, 28 Aug 2002 07:02:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 12:02:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SAwqZ20999 for ; + Wed, 28 Aug 2002 11:58:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 382622940F5; Wed, 28 Aug 2002 03:56:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 3C43329409A for + ; Wed, 28 Aug 2002 03:55:46 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17k0TQ-0006Up-00 for ; Wed, 28 Aug 2002 07:54:56 -0300 +Message-Id: <3D6CAD7B.6010800@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Canadians again - something a little more substantive +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 08:01:15 -0300 + +Politicians worldwide are discovering the internet - what a great tool +for fascism, once you got the laws in place to solve that whole +'anonymity' thing. Also I notice this story shows the truth - the +Canadian government is really located in Washington, DC, Ottawa is just +a branch office. Come to think of it, the last story I posted about +Canada featured the head of its military, 'speaking to us from military +HQ in Palm Beach, Florida.' +Owen +---------------------------------------------------------------------------------------------------------------------------- +. +*Will Canada's ISPs become spies?* +By Declan McCullagh +Staff Writer, CNET News.com +August 27, 2002, 12:56 PM PT +http://news.com.com/2100-1023-955595.html + + +*WASHINGTON--The Canadian government is considering a proposal that +would force Internet providers to rewire their networks for easy +surveillance by police and spy agencies.* + +A discussion draft +released Sunday also contemplates creating a national database of every +Canadian with an Internet account, a plan that could sharply curtail the +right to be anonymous online. + +The Canadian government, including the Department of Justice + and Industry Canada +, wrote the 21-page blueprint as a near-final step +in a process that seeks to give law enforcement agents more authority to +conduct electronic surveillance. A proposed law based on the discussion +draft is expected to be introduced in Parliament late this year or in +early 2003. + +Arguing that more and more communications take place in electronic form, +Canadian officials say such laws are necessary to fight terrorism and +combat even run-of-the-mill crimes. They also claim that by enacting +these proposals, Canada will be following its obligations under the +Council of Europe's cybercrime treaty +, which the country is in the +process of considering. + +If the discussion draft were to become law, it would outlaw the +possession of computer viruses, authorize police to order Internet +providers to retain logs of all Web browsing for up to six months, and +permit police to obtain a search warrant allowing them to find "hidden +electronic and digital devices" that a suspect might be concealing. In +most circumstances, a court order would be required for government +agents to conduct Internet monitoring. + +Canada and the United States are nonvoting members of the Council of +Europe, and representatives from both countries' police agencies have +endorsed the controversial cybercrime treaty +, which has +drawn protests from human rights activists and civil liberties groups. +Of nearly 50 participating nations, only Albania has formally adopted +, +or ratified, the treaty. + +Michael Geist , a professor at the +University of Ottawa who specializes in e-commerce law, says that the +justification for adopting such sweeping changes to Canadian law seems +weak. + +"It seems to me that the main justification they've given for all the +changes is that we want to ratify the cybercrime treaty and we need to +make changes," Geist said. "To me that's not a particularly convincing +argument. If there are new powers needed for law enforcement authority, +make that case." + +Geist added that "there's nothing in the document that indicates (new +powers) are needed. I don't know that there have been a significant +number of cases where police have run into problems." + +Probably the most sweeping change the legal blueprint contemplates is +compelling Internet providers and telephone companies to reconfigure +their networks to facilitate government eavesdropping and data-retention +orders. The United States has a similar requirement, called the +Communications Assistance for Law Enforcement Act +, but it +applies only to pre-Internet telecommunications companies. + +"It is proposed that all service providers (wireless, wireline and +Internet) be required to ensure that their systems have the technical +capability to provide lawful access to law enforcement and national +security agencies," according to the proposal. Companies would be +responsible for paying the costs of buying new equipment. + +Sarah Andrews, an analyst at the Electronic Privacy Information Center + (EPIC) who specializes in international law, says +the proposal goes beyond what the cybercrime treaty specifies. "Their +proposal for intercept capability talks about all service providers, not +just Internet providers," Andrews said. "The cybercrime treaty deals +only with computer data." EPIC opposes + +the cybercrime treaty, saying it grants too much power to police and +does not adequately respect privacy rights. + +Another section of the proposal says the Canadian Association of Chiefs +of Police recommends "the establishment of a national database" with +personal information about all Canadian Internet users. "The +implementation of such a database would presuppose that service +providers are compelled to provide accurate and current information," +the draft says. + +Gus Hosein, a visiting fellow at the London School of Economics and an +activist with Privacy International, calls the database "a dumb idea." + +"Immediately you have to wonder if you're allowed to use anonymous +mobile phones or whether you're allowed to connect to the Internet +anonymously," Hosein said. + +A representative for George Radwanski +, Canada's privacy commissioner, said +the office is reviewing the blueprint and does not "have any comments on +the paper as it stands." + +Comments on the proposal can be sent to la-al@justice.gc.ca + no later than Nov. 15. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0279.42cd63d15451f9b7dbe750ea896ed78b b/machine-learning-ex6/ex6/easy_ham/0279.42cd63d15451f9b7dbe750ea896ed78b new file mode 100644 index 0000000..622a963 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0279.42cd63d15451f9b7dbe750ea896ed78b @@ -0,0 +1,71 @@ +From Steve_Burt@cursor-system.com Wed Aug 28 12:02:23 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 928E843F9B + for ; Wed, 28 Aug 2002 07:02:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 12:02:22 +0100 (IST) +Received: from n24.grp.scd.yahoo.com (n24.grp.scd.yahoo.com + [66.218.66.80]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SB3PZ21257 for ; Wed, 28 Aug 2002 12:03:25 +0100 +X-Egroups-Return: sentto-2242572-53149-1030532611-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.195] by n24.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 11:03:31 -0000 +X-Sender: steve.burt@cursor-system.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 11:03:31 -0000 +Received: (qmail 72439 invoked from network); 28 Aug 2002 11:03:30 -0000 +Received: from unknown (66.218.66.218) by m2.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 11:03:30 -0000 +Received: from unknown (HELO mailgateway.cursor-system.com) (62.189.7.27) + by mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 11:03:30 -0000 +Received: from exchange1.cps.local (unverified) by + mailgateway.cursor-system.com (Content Technologies SMTPRS 4.2.10) with + ESMTP id for + ; Wed, 28 Aug 2002 12:04:42 +0100 +Received: by exchange1.cps.local with Internet Mail Service (5.5.2653.19) + id ; Wed, 28 Aug 2002 12:03:29 +0100 +Message-Id: <5EC2AD6D2314D14FB64BDA287D25D9EF12B510@exchange1.cps.local> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +X-Egroups-From: Steve Burt +From: Steve Burt +X-Yahoo-Profile: pyruse +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 12:03:28 +0100 +Subject: [zzzzteana] RE:Pictish +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Barbara wrote: +Pictish pictograms (still undeciphered) +----------------------- +I'd be interested in an update on the latest thinking on these things. +Particularly the 'swimming elephant' pictogram. + +There's a book come out recently on the world's undeciphered scripts +(including Linear A and Etruscan). +Has any list member read it? + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0280.6dca279b3e6aa252197d8439841032b4 b/machine-learning-ex6/ex6/easy_ham/0280.6dca279b3e6aa252197d8439841032b4 new file mode 100644 index 0000000..6fa77fd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0280.6dca279b3e6aa252197d8439841032b4 @@ -0,0 +1,76 @@ +From robert.chambers@baesystems.com Wed Aug 28 12:22:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C9D2643F99 + for ; Wed, 28 Aug 2002 07:22:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 12:22:42 +0100 (IST) +Received: from n29.grp.scd.yahoo.com (n29.grp.scd.yahoo.com + [66.218.66.85]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SBKeZ21715 for ; Wed, 28 Aug 2002 12:20:41 +0100 +X-Egroups-Return: sentto-2242572-53150-1030533640-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n29.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 11:20:43 -0000 +X-Sender: robert.chambers@baesystems.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 11:20:40 -0000 +Received: (qmail 58973 invoked from network); 28 Aug 2002 11:20:40 -0000 +Received: from unknown (66.218.66.218) by m9.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 11:20:40 -0000 +Received: from unknown (HELO n9.grp.scd.yahoo.com) (66.218.66.93) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 11:20:42 -0000 +Received: from [66.218.67.156] by n9.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 11:20:42 -0000 +To: zzzzteana@yahoogroups.com +Message-Id: +In-Reply-To: <3D6C9D54.27778.240F6D50@localhost> +User-Agent: eGroups-EW/0.82 +X-Mailer: Yahoo Groups Message Poster +From: "uncle_slacky" +X-Originating-Ip: 20.138.254.2 +X-Yahoo-Profile: uncle_slacky +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 11:20:41 -0000 +Subject: [zzzzteana] Re: That wacky imam +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +--- In forteana@y..., "Martin Adamson" wrote: +> For an alternative, and rather more factually based, rundown on +Hamza's +> career, including his belief that all non Muslims in Yemen should +be murdered +> outright: +> +> http://memri.org/bin/articles.cgi?Page=archives&Area=ia&ID=IA7201 + +And we know how unbiased MEMRI is, don't we.... + +http://www.guardian.co.uk/elsewhere/journalist/story/0,7792,773258,00. +html + +Rob + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0281.b12d42ee9c0659d41d852c277bff8cde b/machine-learning-ex6/ex6/easy_ham/0281.b12d42ee9c0659d41d852c277bff8cde new file mode 100644 index 0000000..bae24af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0281.b12d42ee9c0659d41d852c277bff8cde @@ -0,0 +1,76 @@ +From timc@2ubh.com Wed Aug 28 13:03:48 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A1E1943F99 + for ; Wed, 28 Aug 2002 08:03:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:03:47 +0100 (IST) +Received: from n9.grp.scd.yahoo.com (n9.grp.scd.yahoo.com [66.218.66.93]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7SC2RZ22876 for + ; Wed, 28 Aug 2002 13:02:27 +0100 +X-Egroups-Return: sentto-2242572-53151-1030536148-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n9.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:02:30 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:02:27 -0000 +Received: (qmail 33671 invoked from network); 28 Aug 2002 12:02:27 -0000 +Received: from unknown (66.218.66.216) by m9.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:02:27 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:02:29 -0000 +Received: from host217-34-71-140.in-addr.btopenworld.com ([217.34.71.140]) + by carbon with esmtp (Exim 3.22 #8) id 17k1Wm-0001UI-00 for + forteana@yahoogroups.com; Wed, 28 Aug 2002 13:02:29 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:01:34 +0100 +Subject: [zzzzteana] Lincs lizard +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://yorkshirepost.co.uk/scripts/editorial2.cgi?cid=news&aid=481687 + +2.5ft lizard 'abandoned' at resort + +Holidaymakers at a seaside resort were stunned to find a 2.5ft lizard +sunning itself at a caravan park close to a beach. +The savannah monitor lizard was captured at Chapel St Leonards, Lincs, on +Sunday by a member of the public before being collected by an RSPCA team. +RSPCA officer Justin Stubbs, who took the lizard to a specialist carer, +said: "Savannah monitors can give a nasty bite and we certainly wouldn't +have wanted one loose in a busy holiday resort for long." +Officials believe the animal may have been abandoned by a private owner +because it has not been reported missing. +Savannah monitor lizards originate in Africa and are carnivorous, eating +rats and small rodents. They can grow to 4ft in length. +Anyone with information about the lizard can contact the RSPCA in confidence +on 08705 555 999. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0282.fd87e7b9765004f6123ebe981bc16a1c b/machine-learning-ex6/ex6/easy_ham/0282.fd87e7b9765004f6123ebe981bc16a1c new file mode 100644 index 0000000..aa86782 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0282.fd87e7b9765004f6123ebe981bc16a1c @@ -0,0 +1,100 @@ +From timc@2ubh.com Wed Aug 28 13:03:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9686143F9B + for ; Wed, 28 Aug 2002 08:03:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:03:48 +0100 (IST) +Received: from n26.grp.scd.yahoo.com (n26.grp.scd.yahoo.com + [66.218.66.82]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SC4OZ23062 for ; Wed, 28 Aug 2002 13:04:24 +0100 +X-Egroups-Return: sentto-2242572-53152-1030536261-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n26.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:04:23 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:04:20 -0000 +Received: (qmail 37203 invoked from network); 28 Aug 2002 12:04:20 -0000 +Received: from unknown (66.218.66.217) by m9.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:04:20 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:04:22 -0000 +Received: from host217-34-71-140.in-addr.btopenworld.com ([217.34.71.140]) + by carbon with esmtp (Exim 3.22 #8) id 17k1Yb-0001UI-00 for + forteana@yahoogroups.com; Wed, 28 Aug 2002 13:04:22 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:03:39 +0100 +Subject: [zzzzteana] Hot rock +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7SC4OZ23062 + +http://yorkshirepost.co.uk/scripts/editorial2.cgi?cid=news&aid=481620 + +Close encounter of burnt kind + +IT came from outer space ­ or did it? Teenager Siobhan Cowton is convinced +the object which struck her as she climbed into the family car at her home +in Northallerton is extra-terrestrial. +But while her claims are being treated with a certain amount of studied +academic scepticism by experts in these matters, the 14-year-old schoolgirl +is adamant she was hit on the foot by a meteorite. +Siobhan initially thought there was a more prosaic explanation ­ that the +odd-looking stone had been thrown at her by a child,. +But on closer inspection, she discovered all was not as it seemed ­ because +it was hot when she picked it up. It hit her on a foot but caused no injury. +"I looked at it again and it had a black and grey colour with a shiny bubble +surface," she said. +After closer inspection by her father Niel, and comparison with pictures on +the Internet, Siobhan plans to ask scientists at Durham University to check +the object for authenticity. +If it is from outer space, Siobhan says she will consider putting it up for +auction. +She added: "If it isn't worth anything then I suppose I will keep it myself +for sentimental value. It is not every day that you are hit by a meteorite." +But Dr Ben Horton, a lecturer in physical geography, was the acme of +academic caution. +"Meteors have features that can be used to establish whether it is a piece +of extraterrestrial rock," he said. +"They have a very smooth surface but sometimes they have shallow depressions +and cavities. If they are hot, they should have a black ash like crust burnt +around the edge. +"Most are between five and 60 centimetres but five centimetres is the +smallest that they usually appear." +To establish the provenance of Siobhan's suspected meteorite it would have +to be subject to a mineral breakdown but Dr Horton thinks the chances of it +being extra-terrestrial are slim. +"Around 50,000 a year strike the Earth's surface and, considering the size +of the Earth, it is very unlikely to be a meteorite. +"However, there is a possibility and there is no reason it couldn't happen," +he added. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0283.469fc9946c6d920af042b022bd63a2f9 b/machine-learning-ex6/ex6/easy_ham/0283.469fc9946c6d920af042b022bd63a2f9 new file mode 100644 index 0000000..cd8e656 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0283.469fc9946c6d920af042b022bd63a2f9 @@ -0,0 +1,89 @@ +From martin@srv0.ems.ed.ac.uk Wed Aug 28 13:34:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5C66043F9B + for ; Wed, 28 Aug 2002 08:34:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:34:42 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SCXBZ24033 for ; Wed, 28 Aug 2002 13:33:11 +0100 +X-Egroups-Return: sentto-2242572-53154-1030537997-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n21.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:33:17 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:33:17 -0000 +Received: (qmail 84489 invoked from network); 28 Aug 2002 12:33:17 -0000 +Received: from unknown (66.218.66.216) by m5.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:33:17 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:33:16 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g7SCXF319746 for + ; Wed, 28 Aug 2002 13:33:15 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 28 Aug 02 13:33:14 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 28 Aug 02 13:33:05 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D6CD12A.10660.24D9E9BA@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:32:56 +0100 +Subject: [zzzzteana] 'Lost' penguins found alive +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Evening Standard - 28 August 2002 + +[Deft use of Fortean Unit of Measurement in 2nd para - MA] + + 'Lost' penguins found alive + + by Charles Miranda + + A colony of emperor penguins which was thought to have starved to death in + Antarctica has been found alive in a "big huddle". + + The birds were spotted by the crew of a USAF jet returning to base in New + Zealand. Researchers had feared that a breakaway iceberg the size of Jamaica + had all but wiped out the colony at Cape Crozier on Ross Island. + + Thousands of chicks are believed to have died as an increase in sea ice made + it impossible for the adults to find food. A detailed count is planned in + October. Antarctica (New Zealand) chief executive Lou Sanson said: "The + penguins were in a big huddle. We can now hope that the emperors have had a + successful breeding season over the winter." + + Some 1,000 pairs of emperors - the largest penguins in the world at 3.3ft tall + and 88lb - usually nest at Cape Crozier, 50 miles from the US McMurdo research + station. The 200,000-strong Adelie penguin colony, which also nests at the + cape, may have lost up to third of its population. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0284.4af1f0641ea6aae6a9645dcbeabe95e9 b/machine-learning-ex6/ex6/easy_ham/0284.4af1f0641ea6aae6a9645dcbeabe95e9 new file mode 100644 index 0000000..8df58a3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0284.4af1f0641ea6aae6a9645dcbeabe95e9 @@ -0,0 +1,73 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 13:45:01 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 96C6E43F99 + for ; Wed, 28 Aug 2002 08:45:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:45:00 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SCbXZ24192 for + ; Wed, 28 Aug 2002 13:37:33 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SCX2J20905; Wed, 28 Aug 2002 14:33:03 + +0200 +Received: from bonzo.nirvana (pD9E7EF40.dip.t-dialin.net [217.231.239.64]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SCWfJ20844 for + ; Wed, 28 Aug 2002 14:32:41 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: /home/dude +Message-Id: <20020828143235.A5779@bonzo.nirvana> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 14:32:35 +0200 +Date: Wed, 28 Aug 2002 14:32:35 +0200 + +Hi, + +some time now the following messages were haunting me: + + automount[11593]: attempting to mount entry /home/dude + +It just came to my attention, that only freshrpm benefitting hosts showed this +up. I grepped through the binaries and found referrences to /home/dude. + +# grep /home/dude /usr/bin/* +Binary file /usr/bin/aaxine matches +Binary file /usr/bin/gentoo matches +Binary file /usr/bin/gphoto2 matches +Binary file /usr/bin/gtkam matches +... + +I am now relaxed again ;), and pass this info on. Probably Matthias Saou +himself is "dude", and some package has hardwired a path in his build +directory. It would be nice to find out which and fix it, but I am using too +many of the freshrpm suite to narrow it down. + +Regards, Axel. +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0285.c50f8a5a908e21636fe71e522c3e462a b/machine-learning-ex6/ex6/easy_ham/0285.c50f8a5a908e21636fe71e522c3e462a new file mode 100644 index 0000000..a0d027f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0285.c50f8a5a908e21636fe71e522c3e462a @@ -0,0 +1,122 @@ +From andy@r2-dvd.org Wed Aug 28 13:55:25 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DA0A343F99 + for ; Wed, 28 Aug 2002 08:55:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:55:24 +0100 (IST) +Received: from n15.grp.scd.yahoo.com (n15.grp.scd.yahoo.com + [66.218.66.70]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SCoBZ24634 for ; Wed, 28 Aug 2002 13:50:11 +0100 +X-Egroups-Return: sentto-2242572-53155-1030539017-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.94] by n15.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:50:17 -0000 +X-Sender: andy@r2-dvd.org +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:50:17 -0000 +Received: (qmail 89878 invoked from network); 28 Aug 2002 12:50:17 -0000 +Received: from unknown (66.218.66.217) by m1.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:50:17 -0000 +Received: from unknown (HELO dulce.mic.dundee.ac.uk) (134.36.34.9) by + mta2.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:50:16 -0000 +Received: by dulce with Internet Mail Service (5.5.2653.19) id ; + Wed, 28 Aug 2002 13:40:52 +0100 +Message-Id: <31C6D68FA597D411B04D00E02965883BD239F9@mailhost> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +From: Andy +X-Yahoo-Profile: acobley +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:47:35 +0100 +Subject: [zzzzteana] Big cats 'on the increase' +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://news.bbc.co.uk/1/hi/uk/2220922.stm + + +Big cats are on the loose in Britain and breeding their way towards record +numbers, a monitoring group has claimed. +The British Big Cats Society said it has received more than 800 reports of +animals including pumas, black panthers, leopards and so-called Fen tigers +over the past 12 months. + +And while it admits that many sightings are of nothing more exotic than the +average moggy, it claims to have "firm evidence" that the majority are real. + + +Society founder Daniel Bamping told BBC News Online he could cope with the +critics and doubters, adding: "I was a sceptic, I thought it was in the same +realm as the Loch Ness monster. + +"But it's not, they are really out there." + +'Cats with cubs' + +Mr Bamping said there have been reports of big cats from every corner of the +country. + +Big cat reports +Hotspots include Scotland and Gloucestershire +January 2002 - Kent man clawed by suspected Lynx +November 2001 - farmer reports animals mauled by big cat +April 2001 - Lynx captured in north London +1999 - Puma-like cat attacks horse in Wales +"This weekend alone I have had sightings from Wales, the Scottish borders, +Kent, the West Midlands, Devon, Somerset and Wiltshire," he said. + +The society claims some of the big cats are breeding with domestic animals. + +But Mr Bamping said others, particularly lynx and puma, probably exist in +sufficient numbers to breed among themselves. + +"We have had sightings of cats with cubs," he added. + +'Trigger camera' + +The society claims to have evidence proving the cats' existence, including +photographs, paw prints, sheep kills and hair samples. + +But it knows it will have to do even more to convince a sceptical public +that it is not spinning them a shaggy cat story. + +A national "trigger camera" project is planned which, the society hopes, +will provide footage to prove the existence of the big cats. + +Mr Bamping said: "The idea is that the cat will walk past the camera and +take a picture of itself." + +'Like dogs' + +The society believes many of the sighting are of pets released into the +wild, or their descendants. + +Its spokesman Danny Nineham said: "In the 1960s and 1970s, people had big +cats like leopards as pets and they used to walk them like dogs. + +"But in 1976 when the Dangerous Wild Animals Act came into force, people +released their cats because they did not want to pay for a licence, put them +down, or take them to a zoo." + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0286.25aefc468274fe144edb1ee788d6c999 b/machine-learning-ex6/ex6/easy_ham/0286.25aefc468274fe144edb1ee788d6c999 new file mode 100644 index 0000000..f8dc300 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0286.25aefc468274fe144edb1ee788d6c999 @@ -0,0 +1,119 @@ +From andy@r2-dvd.org Wed Aug 28 13:55:26 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E99ED44155 + for ; Wed, 28 Aug 2002 08:55:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:55:25 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SCrUZ24872 for ; Wed, 28 Aug 2002 13:53:30 +0100 +X-Egroups-Return: sentto-2242572-53156-1030539216-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.95] by n16.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:53:37 -0000 +X-Sender: andy@r2-dvd.org +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:53:36 -0000 +Received: (qmail 94374 invoked from network); 28 Aug 2002 12:53:36 -0000 +Received: from unknown (66.218.66.216) by m7.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:53:36 -0000 +Received: from unknown (HELO dulce.mic.dundee.ac.uk) (134.36.34.9) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:53:36 -0000 +Received: by dulce with Internet Mail Service (5.5.2653.19) id ; + Wed, 28 Aug 2002 13:44:11 +0100 +Message-Id: <31C6D68FA597D411B04D00E02965883BD239FB@mailhost> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +From: Andy +X-Yahoo-Profile: acobley +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:50:58 +0100 +Subject: [zzzzteana] US Army tests portable translator +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +http://news.bbc.co.uk/1/hi/technology/2219079.stm + +US soldiers on peacekeeping duties in the future could find that a portable +translation device will be an essential part of their equipment. +Scientists at Carnegie Mellon University have developed a prototype of a +speech translator that was road-tested by US Army chaplains in Croatia. + +"This project shows how a relatively simple speech-to-speech translation +system can be rapidly and successfully constructed using today's tools," +said the team from Carnegie Mellon University in a research paper published +recently. + +The research was commissioned by the US Army, which is increasingly finding +itself in peace-keeping roles where communication is key. + +Speaking in tongues + +"In the Balkans, the Army is not just supposed to conquer somebody," Robert +Frederking of Carnegie Mellon University told the BBC programme Go Digital. + + +Translators could be essential for US soldiers + +"In a peacekeeping situation, you have two guys trying to beat each other up +and you are holding them apart. + +"You can't just shot one of them, you have to figure what is going on and +talk to them," he said. + +The portable translator was developed with a year, using commercially +available laptops. + +The Army did not want to field-test the device in a battlefield situation. +So instead the translator was tested by US Army chaplains in Croatia. + +"The chaplains very often end up having to talk to foreign nationals and +typically don't have any translation support," explained Mr Frederking. + +Slow system + +For the trials, the chaplains used the translator to speak to Croatians who +knew just a smattering of English. + +The system works by having a speech recogniser that picks up the words in +Croatian, turns the speech into text. The written words are then translated +into English and read out by a speech synthesizer. + +"It went reasonably well half the time," said Mr Frederking, though it was +slow in translating phrases. + +The research team admit that the system is not ready to be deployed in the +field. + +But they say their trials showed that a portable translator could be made to +work with further research and development. + +The Audio Voice Translation Guide System project was a joint venture between +the US Army, the military manufacturer Lockheed Martin and Carnegie Mellon +University. + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Receive Phone Calls and Faxes While You're Online! +Emerson Switchboard eliminates the need for a second phone line. +Order the Switchboard today for $39.95 + shipping and handling. +http://us.click.yahoo.com/P2sPyA/o6kEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0287.18f9a821d67a503c0d54a2356a0f8a4a b/machine-learning-ex6/ex6/easy_ham/0287.18f9a821d67a503c0d54a2356a0f8a4a new file mode 100644 index 0000000..02b8073 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0287.18f9a821d67a503c0d54a2356a0f8a4a @@ -0,0 +1,86 @@ +From timc@2ubh.com Wed Aug 28 13:55:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ECE7343F9B + for ; Wed, 28 Aug 2002 08:55:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:55:26 +0100 (IST) +Received: from n16.grp.scd.yahoo.com (n16.grp.scd.yahoo.com + [66.218.66.71]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SCv3Z24934 for ; Wed, 28 Aug 2002 13:57:03 +0100 +X-Egroups-Return: sentto-2242572-53157-1030539429-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.94] by n16.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:57:09 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:57:09 -0000 +Received: (qmail 98674 invoked from network); 28 Aug 2002 12:57:09 -0000 +Received: from unknown (66.218.66.216) by m1.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:57:09 -0000 +Received: from unknown (HELO tungsten.btinternet.com) (194.73.73.81) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:57:09 -0000 +Received: from host217-34-71-140.in-addr.btopenworld.com ([217.34.71.140]) + by tungsten.btinternet.com with esmtp (Exim 3.22 #8) id 17k2Nf-000447-00 + for forteana@yahoogroups.com; Wed, 28 Aug 2002 13:57:08 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:55:54 +0100 +Subject: [zzzzteana] Worryingly sophisticated bees +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7SCv3Z24934 + +Ananova:  +Brazilian bees keep their own 'insect ranch' + +Scientists have found a new species of bee that behaves like a farmer by +keeping herds of insects. +The Amazonian Schwarzula use their own 'insect ranches' to provide food and +building materials. +The bees nest in holes in trees alongside 200 aphid-like insects from a +species called cryptostigma. +Cryptostigma feed on tree sap and excrete a sugar solution, which the bees +stop them from drowning in, by licking it up and turning it into honey. +The insects also produce wax from glands on their backs, which the bees +scrape off and use for their nest. +Nature reports it is the first time farming behaviour has been discovered in +bees. +Biologist Joao Camargo, of the University of Sao Paulo in Brazil, said: "In +turn the bees provide the insects with sanitary benefits and protection." +Writing in the journal Biotropica, Camargo says the bees might even carry +their insect ranches around the forest with them and is planning further +research on how they tend to their herd. +Studies of the Schwarzula showed the bees seemed to get most of their sugar +from the insect farms. Some bees were seen licking human sweat for salt. +Story filed: 13:49 Wednesday 28th August 2002 + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Super Blue Stuff Pain Relief - On Sale Today for $29.95 + shipping! +With Super Blue Stuff you¿ll feel the results in just minutes. +Relieves arthritis pain, back pain, sore muscles, and more! +http://us.click.yahoo.com/N2sPyA/q6kEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0288.3ae040d2c993ea997470df41f31aebcb b/machine-learning-ex6/ex6/easy_ham/0288.3ae040d2c993ea997470df41f31aebcb new file mode 100644 index 0000000..cf55239 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0288.3ae040d2c993ea997470df41f31aebcb @@ -0,0 +1,113 @@ +From andy@r2-dvd.org Wed Aug 28 13:55:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CABEA44156 + for ; Wed, 28 Aug 2002 08:55:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:55:27 +0100 (IST) +Received: from n5.grp.scd.yahoo.com (n5.grp.scd.yahoo.com [66.218.66.89]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7SCvBZ24941 for + ; Wed, 28 Aug 2002 13:57:11 +0100 +X-Egroups-Return: sentto-2242572-53158-1030539437-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n5.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 12:57:18 -0000 +X-Sender: andy@r2-dvd.org +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 12:57:17 -0000 +Received: (qmail 15115 invoked from network); 28 Aug 2002 12:57:17 -0000 +Received: from unknown (66.218.66.216) by m5.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 12:57:17 -0000 +Received: from unknown (HELO dulce.mic.dundee.ac.uk) (134.36.34.9) by + mta1.grp.scd.yahoo.com with SMTP; 28 Aug 2002 12:57:17 -0000 +Received: by dulce with Internet Mail Service (5.5.2653.19) id ; + Wed, 28 Aug 2002 13:47:52 +0100 +Message-Id: <31C6D68FA597D411B04D00E02965883BD239FD@mailhost> +To: "'zzzzteana@yahoogroups.com'" +X-Mailer: Internet Mail Service (5.5.2653.19) +From: Andy +X-Yahoo-Profile: acobley +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 13:54:36 +0100 +Subject: [zzzzteana] Betamax finally laid to rest +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Not fortean, but a moment in time all the same... + +http://news.bbc.co.uk/1/hi/entertainment/film/2220972.stm + + +Betamax video recorders are finally being phased out almost 20 years after +losing the battle for dominance of the home video market to VHS. +Betamax's manufacturer, Sony, has announced that it will make only 2,000 +more machines for the Japanese market. + +They have not been on sale in the rest of the world since 1998. + + +VHS became the dominant format by the mid-1980s + +Betamax was launched in 1975, and won many fans who said it was better +quality than its VHS rival. + +Some 2.3 million Betamax machines were sold worldwide in its peak year, +1984, but it soon went downhill as VHS became the format of choice for the +film rental industry and in homes. + +Just 2,800 machines were sold in the 12 months to March 2002. + +"With digital machines and other new recording formats taking hold in the +market, demand has continued to decline and it has become difficult to +secure parts," Sony said in a statement. + +Sony said it would continue to offer repairs and manufacture tapes for the +format. + +The professional Betamax format, Betacam, is still widely used in the +television and film industries and will be unaffected. + +But the recent rise of DVDs seems to have put the final nail in the coffin +for Betamax home players. + +In the 1980s, many video rental chains preferred the VHS format. + +Betamax lovers became so passionate about the format in the face of +competition from VHS that they set up the Betaphile Club in 1988. + +The picture and sound quality of Beta was superior to VHS, Betaphiles say, +although VHS tapes had a longer duration. + +A total of 18 million Betamax machines were sold around the world, but no +new ones will be made after the end of 2002. + +Sony is now planning to focus its efforts on new digital technologies. + See also: + + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Kwick Pick Portable Lock Pick - Opens Almost Any Lock! +Locked out? Try the Kwick Pick. For $17.95, you can open car doors, +desk drawers, padlocks, and much more! Never get locked out again! +http://us.click.yahoo.com/O2sPyA/p6kEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0289.cb9c0595bddae2c25357ce5c9fbaf687 b/machine-learning-ex6/ex6/easy_ham/0289.cb9c0595bddae2c25357ce5c9fbaf687 new file mode 100644 index 0000000..ff43411 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0289.cb9c0595bddae2c25357ce5c9fbaf687 @@ -0,0 +1,60 @@ +From ilug-admin@linux.ie Wed Aug 28 13:55:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EE8BC43F9B + for ; Wed, 28 Aug 2002 08:55:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 13:55:22 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SCrbZ24883 for + ; Wed, 28 Aug 2002 13:53:37 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id NAA26270; Wed, 28 Aug 2002 13:52:45 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from bramg1.net.external.hp.com (bramg1.net.external.hp.com + [192.6.126.73]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id NAA26233 + for ; Wed, 28 Aug 2002 13:52:36 +0100 +Received: from fowey.BR.ITC.HP.COM (fowey.br.itc.hp.com [15.145.8.186]) by + bramg1.net.external.hp.com (Postfix) with SMTP id 04D30200 for + ; Wed, 28 Aug 2002 14:52:35 +0200 (METDST) +Received: from 15.145.8.186 by fowey.BR.ITC.HP.COM (InterScan E-Mail + VirusWall NT); Wed, 28 Aug 2002 13:52:35 +0100 +Received: by fowey.br.itc.hp.com with Internet Mail Service (5.5.2655.55) + id ; Wed, 28 Aug 2002 13:52:35 +0100 +Message-Id: <253B1BDA4E68D411AC3700D0B77FC5F807C0F1CE@patsydan.dublin.hp.com> +From: "HAMILTON,DAVID (HP-Ireland,ex2)" +To: "'ilug@linux.ie'" +Date: Wed, 28 Aug 2002 13:52:32 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2655.55) +Content-Type: text/plain; charset="windows-1251" +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by lugh.tuatha.org id + NAA26233 +Subject: [ILUG] Hayes Accura ISDN PCI +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Does anyone know if this is supported under 2.4.18 kernels or higher? + +I need to buy an ISDN TA quick, and PC World have these in stock for ˆ65. + +Thanks, + David. + +David Hamilton +Senior Technical Consultant +HP Ireland + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0290.3dc3f5442e351aea16d027b6c5a44e65 b/machine-learning-ex6/ex6/easy_ham/0290.3dc3f5442e351aea16d027b6c5a44e65 new file mode 100644 index 0000000..e21607a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0290.3dc3f5442e351aea16d027b6c5a44e65 @@ -0,0 +1,52 @@ +From ilug-admin@linux.ie Wed Aug 28 14:05:36 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EE31043F99 + for ; Wed, 28 Aug 2002 09:05:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 14:05:35 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SD3aZ25220 for + ; Wed, 28 Aug 2002 14:03:37 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id OAA26884; Wed, 28 Aug 2002 14:03:03 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from redpie.com (redpie.com [216.122.135.208] (may be forged)) + by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id OAA26835 for + ; Wed, 28 Aug 2002 14:02:43 +0100 +Received: from justin (p253.as2.prp.dublin.eircom.net [159.134.170.253]) + by redpie.com (8.8.7/8.8.5) with SMTP id GAA10183 for ; + Wed, 28 Aug 2002 06:02:28 -0700 (PDT) +From: "Kiall Mac Innes" +To: "ILUG" +Date: Wed, 28 Aug 2002 14:09:48 +0100 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Importance: Normal +Subject: [ILUG] Modem Problems +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +ive just gotton myself a modem (no its not a winmodem, yes im sure) it dials +the internet grant using the RedHat PPP Dialer... and i can ping the server +i dial into but i cant get any furthur than that server? any ideas? + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0291.b37f92cfbb14d2f6a43c705ef7381702 b/machine-learning-ex6/ex6/easy_ham/0291.b37f92cfbb14d2f6a43c705ef7381702 new file mode 100644 index 0000000..e914451 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0291.b37f92cfbb14d2f6a43c705ef7381702 @@ -0,0 +1,83 @@ +From Stewart.Smith@ee.ed.ac.uk Wed Aug 28 14:15:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1050E44155 + for ; Wed, 28 Aug 2002 09:15:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 28 Aug 2002 14:15:57 +0100 (IST) +Received: from n36.grp.scd.yahoo.com (n36.grp.scd.yahoo.com + [66.218.66.104]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g7SDEfZ25700 for ; Wed, 28 Aug 2002 14:14:41 +0100 +X-Egroups-Return: sentto-2242572-53160-1030540488-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.97] by n36.grp.scd.yahoo.com with NNFMP; + 28 Aug 2002 13:14:48 -0000 +X-Sender: Stewart.Smith@ee.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 28 Aug 2002 13:14:47 -0000 +Received: (qmail 15337 invoked from network); 28 Aug 2002 13:14:47 -0000 +Received: from unknown (66.218.66.218) by m14.grp.scd.yahoo.com with QMQP; + 28 Aug 2002 13:14:47 -0000 +Received: from unknown (HELO postbox.ee.ed.ac.uk) (129.215.80.253) by + mta3.grp.scd.yahoo.com with SMTP; 28 Aug 2002 13:14:47 -0000 +Received: from ee.ed.ac.uk (sxs@dunblane [129.215.34.86]) by + postbox.ee.ed.ac.uk (8.11.0/8.11.0) with ESMTP id g7SDEku07852 for + ; Wed, 28 Aug 2002 14:14:46 +0100 (BST) +Message-Id: <3D6CCCC5.5000608@ee.ed.ac.uk> +Organization: Scottish Microelectronics Centre +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:1.1b) Gecko/20020628 +X-Accept-Language: en, en-us +To: zzzzteana@yahoogroups.com +References: <3D6C9D54.27778.240F6D50@localhost> + <3D6CCFD7.18123.24D4BE4D@localhost> +From: Stewart Smith +X-Yahoo-Profile: stochasticus +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Wed, 28 Aug 2002 14:14:45 +0100 +Subject: Re: [zzzzteana] Re: That wacky imam +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Martin Adamson wrote:>>And we know how unbiased MEMRI is, don't we.... +>> +> +> Oh, of course, you're right, any information not coming from a source that +> fits your pre-conceived world view can simply be dismissed out of hand. +> +> Martin +> + +For goddess' sake Martin that seems to be exactly what you're doing. You +started your reply to Tim's posting of the Guardian article by suggesting that +it was factually inaccurate. Did you actually read it or did you just assume +that if the Grauniad writes about a Muslim extremist they must be making him out +as an all round nice guy? + +Stewart +-- +Stewart Smith +Scottish Microelectronics Centre, University of Edinburgh. +http://www.ee.ed.ac.uk/~sxs/ + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0292.6599ff4b0c1593297dd17247919b3fcf b/machine-learning-ex6/ex6/easy_ham/0292.6599ff4b0c1593297dd17247919b3fcf new file mode 100644 index 0000000..cfb65e2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0292.6599ff4b0c1593297dd17247919b3fcf @@ -0,0 +1,93 @@ +From sentto-2242572-53752-1031262644-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:46 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 4A1F116F72 + for ; Fri, 6 Sep 2002 11:41:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:48 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869sgC29478 for + ; Fri, 6 Sep 2002 10:54:42 +0100 +Received: from n3.grp.scd.yahoo.com (n3.grp.scd.yahoo.com [66.218.66.86]) + by webnote.net (8.9.3/8.9.3) with SMTP id WAA18793 for ; + Thu, 5 Sep 2002 22:51:22 +0100 +X-Egroups-Return: sentto-2242572-53752-1031262644-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.200] by n3.grp.scd.yahoo.com with NNFMP; + 05 Sep 2002 21:50:44 -0000 +X-Sender: felinda@frogstone.net +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 5 Sep 2002 21:50:44 -0000 +Received: (qmail 62905 invoked from network); 5 Sep 2002 21:50:43 -0000 +Received: from unknown (66.218.66.218) by m8.grp.scd.yahoo.com with QMQP; + 5 Sep 2002 21:50:43 -0000 +Received: from unknown (HELO mail2.athenet.net) (209.103.196.16) by + mta3.grp.scd.yahoo.com with SMTP; 5 Sep 2002 21:50:43 -0000 +Received: from [209.103.203.117] (209-103-203-117.dial-in1.osh.athenet.net + [209.103.203.117]) by mail2.athenet.net (8.11.6/8.11.6) with ESMTP id + g85LofA17102 for ; Thu, 5 Sep 2002 16:50:42 + -0500 +X-Sender: felinda@pop2.athenet.net +Message-Id: +In-Reply-To: +References: +To: zzzzteana@yahoogroups.com +From: That Goddess Chick +X-Yahoo-Profile: felinda +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 5 Sep 2002 16:50:38 -0500 +Subject: [zzzzteana] Re: Cincinnati Group Wants To Stamp Out Hotel Sex Movies +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +> +>> (CNSNews.com) - A pro-family group in Cincinnati that has pressured +>> two area hotels to stop showing adult pay-per-view movies has vowed +>to +>> expand its grass- roots campaign nationwide. +> +> +>Quite right. And while they're at it, they can get that bunch of +>religious nuts to stop sneaking their book of hate and intolerence +>into the bedside cabinets, you know, that one with all the telephone +>humbers in it. +> +>Oh, and the Gideon Society can take their bibles back as well. +> +>RobinH +> + +What are you talking about??? That book is where all the best free porn is!! + +Piece of trivia: the thing is so pithy it floats!! +-- + + +Fel +http://www.frogstone.net +Weird Page: http://my.athenet.net/~felinda/WeirdPage.html + +[Non-text portions of this message have been removed] + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0293.24bc65777fdb12d17b16e3976c1f7c17 b/machine-learning-ex6/ex6/easy_ham/0293.24bc65777fdb12d17b16e3976c1f7c17 new file mode 100644 index 0000000..e47be05 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0293.24bc65777fdb12d17b16e3976c1f7c17 @@ -0,0 +1,104 @@ +From sentto-2242572-53806-1031307758-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 301FC16F91 + for ; Fri, 6 Sep 2002 11:41:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:46 +0100 (IST) +Received: from n6.grp.scd.yahoo.com (n6.grp.scd.yahoo.com [66.218.66.90]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g86AMRC31994 for + ; Fri, 6 Sep 2002 11:22:27 +0100 +X-Egroups-Return: sentto-2242572-53806-1031307758-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.201] by n6.grp.scd.yahoo.com with NNFMP; + 06 Sep 2002 10:22:41 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 6 Sep 2002 10:22:38 -0000 +Received: (qmail 63899 invoked from network); 6 Sep 2002 10:22:38 -0000 +Received: from unknown (66.218.66.216) by m9.grp.scd.yahoo.com with QMQP; + 6 Sep 2002 10:22:38 -0000 +Received: from unknown (HELO gadolinium.btinternet.com) (194.73.73.111) by + mta1.grp.scd.yahoo.com with SMTP; 6 Sep 2002 10:22:40 -0000 +Received: from host217-36-8-232.in-addr.btopenworld.com ([217.36.8.232]) + by gadolinium.btinternet.com with esmtp (Exim 3.22 #8) id 17nGG6-0004s6-00 + for forteana@yahoogroups.com; Fri, 06 Sep 2002 11:22:40 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Fri, 06 Sep 2002 11:21:48 +0100 +Subject: Re: [zzzzteana] Save the planet, kill the people +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +the latest - +http://news.bbc.co.uk/1/hi/world/africa/2240487.stm + +Friday, 6 September, 2002, 08:53 GMT 09:53 UK +Zimbabwe eases GM stance + +Zimbabwe has dropped objections to accepting genetically modified (GM) grain +so that urgently-needed food aid can be delivered, says the UN food agency. +The executive director of the World Food Programme, James Morris, said +Zimbabwe's decision would send an important message to other countries in +the region which have refused food aid because it might contain GM grain. +Until now, Zimbabwe had said it would only allow aid workers to distribute +ground maize to allay fears that GM grain could be planted. +But a Zimbabwean minister says the government has now set up a system of +checks to ensure the grain will not enter the eco-system. +There have been fears that Southern African nations could lose lucrative +export markets in Europe if they cannot certify that their crops are +GM-free. +Aid +Mr Morris announced the policy reversal after talks in Harare with +Zimbabwean President Robert Mugabe. +"The fact that they have now concluded that they are comfortable in +accepting GM crops or commodities will be an important signal to other +countries in the region," Mr Morris told journalists. +"It will enable us to do our job," he said. +Aid workers say up to 13 million people in seven countries in Southern +Africa face famine. In Zimbabwe which was once the bread basket of the +region, some six million people are estimated to need food aid. +The WFP says it already has aid pledges for about half of the 600,000 tonnes +of food it intends to bring into Zimbabwe in the next few months. +The government blames the shortages solely on drought, but the government's +campaign to transfer land from large scale commercial white farmers has +worsened the situation, say many donors. +Lost markets +The GM row has complicated relief efforts across the region. +Zambia's president is refusing to overturn his ban on GM food aid, labelling +it as 'poison' . +Deals to mill GM food before being distributed, so that it could not be +planted, have placated fears in Malawi and Mozambique. +United States aid officials deny that the food is unsafe, pointing out that +Americans eat GM maize every day. +The World Health Organisation has certified the grain for human consumption +and says it does not constitute a danger to people's health. + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Looking for a more powerful website? Try GeoCities for $8.95 per month. +Register your domain name (http://your-name.com). More storage! No ads! +http://geocities.yahoo.com/ps/info +http://us.click.yahoo.com/aHOo4D/KJoEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0294.145bbce5c541610ee520838637d2e112 b/machine-learning-ex6/ex6/easy_ham/0294.145bbce5c541610ee520838637d2e112 new file mode 100644 index 0000000..f0acd1c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0294.145bbce5c541610ee520838637d2e112 @@ -0,0 +1,85 @@ +From sentto-2242572-53767-1031270245-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3696216F92 + for ; Fri, 6 Sep 2002 11:41:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:50 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869pnC29052 for + ; Fri, 6 Sep 2002 10:51:49 +0100 +Received: from n4.grp.scd.yahoo.com (n4.grp.scd.yahoo.com [66.218.66.88]) + by webnote.net (8.9.3/8.9.3) with SMTP id AAA19348 for ; + Fri, 6 Sep 2002 00:57:57 +0100 +X-Egroups-Return: sentto-2242572-53767-1031270245-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.197] by n4.grp.scd.yahoo.com with NNFMP; + 05 Sep 2002 23:57:26 -0000 +X-Sender: wt046@vtn1.victoria.tc.ca +X-Apparently-To: zzzzteana@egroups.com +Received: (EGP: mail-8_1_0_1); 5 Sep 2002 23:57:25 -0000 +Received: (qmail 44694 invoked from network); 5 Sep 2002 23:57:24 -0000 +Received: from unknown (66.218.66.218) by m4.grp.scd.yahoo.com with QMQP; + 5 Sep 2002 23:57:24 -0000 +Received: from unknown (HELO vtn1.victoria.tc.ca) (199.60.222.3) by + mta3.grp.scd.yahoo.com with SMTP; 5 Sep 2002 23:57:24 -0000 +Received: from vtn1.victoria.tc.ca (wt046@localhost [127.0.0.1]) by + vtn1.victoria.tc.ca (8.12.5/8.12.5) with ESMTP id g85NvNPL001355 for + ; Thu, 5 Sep 2002 16:57:23 -0700 (PDT) +Received: (from wt046@localhost) by vtn1.victoria.tc.ca + (8.12.5/8.12.3/Submit) id g85NvNIO001354; Thu, 5 Sep 2002 16:57:23 -0700 + (PDT) +X-Sender: wt046@vtn1 +To: "zzzzteana@egroups" +Message-Id: +From: Brian Chapman +X-Yahoo-Profile: mf8r31p +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 5 Sep 2002 16:57:23 -0700 (PDT) +Subject: [zzzzteana] Frog Fall at Cheapside +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Near the end of his *Memoirs of Extraordinary Popular Delusions and the +Madness of Crowds* (1851), Charles Mackay discusses various catch phrases +briefly popular in mid-19th-century London. One of them, he observes, +"like a mushroom, seems to have sprung up in the night, or, like a frog in +Cheapside, to have come down in a sudden shower. One day it was unheard, +unknown, uninvented; the next it pervaded London." + +Was "like a frog in Cheapside" (or something similar) a catch phrase +itself, or did Mackay come up with the simile on his own? + +And to what event or events does it refer? + +I didn't find anything relevant in Partridge's *A Dictionary of Catch +Phrases.* + +bc + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Looking for a more powerful website? Try GeoCities for $8.95 per month. +Register your domain name (http://your-name.com). More storage! No ads! +http://geocities.yahoo.com/ps/info +http://us.click.yahoo.com/aHOo4D/KJoEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0295.27b3176967da2ccf237679a15788d821 b/machine-learning-ex6/ex6/easy_ham/0295.27b3176967da2ccf237679a15788d821 new file mode 100644 index 0000000..c974bf9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0295.27b3176967da2ccf237679a15788d821 @@ -0,0 +1,78 @@ +From sentto-2242572-53755-1031262956-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E8CE616F93 + for ; Fri, 6 Sep 2002 11:41:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:51 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rvC29374 for + ; Fri, 6 Sep 2002 10:53:57 +0100 +Received: from n14.grp.scd.yahoo.com (n14.grp.scd.yahoo.com + [66.218.66.69]) by webnote.net (8.9.3/8.9.3) with SMTP id WAA18821 for + ; Thu, 5 Sep 2002 22:56:27 +0100 +X-Egroups-Return: sentto-2242572-53755-1031262956-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.196] by n14.grp.scd.yahoo.com with NNFMP; + 05 Sep 2002 21:55:56 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 5 Sep 2002 21:55:56 -0000 +Received: (qmail 85939 invoked from network); 5 Sep 2002 21:55:55 -0000 +Received: from unknown (66.218.66.217) by m3.grp.scd.yahoo.com with QMQP; + 5 Sep 2002 21:55:55 -0000 +Received: from unknown (HELO tungsten.btinternet.com) (194.73.73.81) by + mta2.grp.scd.yahoo.com with SMTP; 5 Sep 2002 21:55:55 -0000 +Received: from host213-121-126-176.in-addr.btopenworld.com + ([213.121.126.176]) by tungsten.btinternet.com with esmtp (Exim 3.22 #8) + id 17n4bR-0004TX-00 for forteana@yahoogroups.com; Thu, 05 Sep 2002 + 22:55:54 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 05 Sep 2002 22:54:52 +0100 +Subject: Re: [zzzzteana] Free Web Hosting? +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Bill: +> I've decided that I ought to put some of my writing samples on-line for +> potential employers to mock. And I don't want to pay for it. There are still +> a couple dozen places to do this, do any of you have preferences? +> +Getting your own domain needn't be expensive, looks more professional, and +you're not going to suddenly lose your site with little or no notice (yes, +I'm still smarting from bastard Geocities). I registered mine through +http://www.easyspace.com/ - works out about a pound a week for registration +and 30Mb hosting. It's a valuable service, there's no reason not to expect +to pay. + +TimC + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Looking for a more powerful website? Try GeoCities for $8.95 per month. +Register your domain name (http://your-name.com). More storage! No ads! +http://geocities.yahoo.com/ps/info +http://us.click.yahoo.com/aHOo4D/KJoEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0296.42216a75e0256510b216eaba6893d40d b/machine-learning-ex6/ex6/easy_ham/0296.42216a75e0256510b216eaba6893d40d new file mode 100644 index 0000000..c559de9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0296.42216a75e0256510b216eaba6893d40d @@ -0,0 +1,79 @@ +From sentto-2242572-53763-1031265221-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id D2D7516F94 + for ; Fri, 6 Sep 2002 11:41:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:53 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rCC29246 for + ; Fri, 6 Sep 2002 10:53:12 +0100 +Received: from n11.grp.scd.yahoo.com (n11.grp.scd.yahoo.com + [66.218.66.66]) by webnote.net (8.9.3/8.9.3) with SMTP id XAA19037 for + ; Thu, 5 Sep 2002 23:34:12 +0100 +X-Egroups-Return: sentto-2242572-53763-1031265221-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.94] by n11.grp.scd.yahoo.com with NNFMP; + 05 Sep 2002 22:33:41 -0000 +X-Sender: jon@eclipse.co.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 5 Sep 2002 22:33:40 -0000 +Received: (qmail 30555 invoked from network); 5 Sep 2002 22:33:40 -0000 +Received: from unknown (66.218.66.216) by m1.grp.scd.yahoo.com with QMQP; + 5 Sep 2002 22:33:40 -0000 +Received: from unknown (HELO carbon) (194.73.73.92) by + mta1.grp.scd.yahoo.com with SMTP; 5 Sep 2002 22:33:40 -0000 +Received: from [217.42.100.248] (helo=oemcomputer) by carbon with smtp + (Exim 3.22 #8) id 17n5Bz-0005zZ-00 for forteana@yahoogroups.com; + Thu, 05 Sep 2002 23:33:39 +0100 +Message-Id: <006001c25523$9ab58980$f8642ad9@oemcomputer> +To: +References: + <002d01c2552c$076e8240$e66278d5@b5w3e9> +Organization: CFZ +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.00.2615.200 +X-Mimeole: Produced By Microsoft MimeOLE V5.00.2615.200 +From: "Jon Downes" +X-Yahoo-Profile: jondownes2001 +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Thu, 5 Sep 2002 22:31:31 +0100 +Subject: Re: [zzzzteana] FWD (TLCB) Jimmy Carter: The Troubling, New Face of America +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=Windows-1252 +Content-Transfer-Encoding: 7bit + +Of course, everyone knows that Owlman is a work of fuggin` genius + +J + + + + +> Hey, I met the wizard bloke from Owlman, who wants to touch me!! +> +> Dave + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0297.738b9e94deb4bf077221292f071de345 b/machine-learning-ex6/ex6/easy_ham/0297.738b9e94deb4bf077221292f071de345 new file mode 100644 index 0000000..c785210 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0297.738b9e94deb4bf077221292f071de345 @@ -0,0 +1,101 @@ +From sentto-2242572-53808-1031308225-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:49:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E17DE16F96 + for ; Fri, 6 Sep 2002 11:41:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:58 +0100 (IST) +Received: from n21.grp.scd.yahoo.com (n21.grp.scd.yahoo.com + [66.218.66.77]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g86AUBC32505 for ; Fri, 6 Sep 2002 11:30:11 +0100 +X-Egroups-Return: sentto-2242572-53808-1031308225-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.195] by n21.grp.scd.yahoo.com with NNFMP; + 06 Sep 2002 10:30:25 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 6 Sep 2002 10:30:24 -0000 +Received: (qmail 76905 invoked from network); 6 Sep 2002 10:30:24 -0000 +Received: from unknown (66.218.66.217) by m2.grp.scd.yahoo.com with QMQP; + 6 Sep 2002 10:30:24 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 6 Sep 2002 10:30:24 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g86AUN309856 for + ; Fri, 6 Sep 2002 11:30:23 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 6 Sep 02 11:30:22 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 6 Sep 02 11:30:13 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D7891CB.3124.52C34AEB@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Fri, 6 Sep 2002 11:30:04 +0100 +Subject: [zzzzteana] Scissors are a snip for Third World +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g86AUBC32505 + +The Times + + September 06, 2002 + + Scissors are a snip for Third World + From Richard Owen in Rome + + + + IT IS one of the unanswered questions of the past year: what happens to the + millions of nail scissors confiscated by airport security officials from + passengers’ hand luggage? Most are thrown away or recycled after being seized + as part of security measures since September 11. But an enterprising chaplain + is sending them to Catholic missionaries for distribution to Third World + hospitals and clinics. In theory travellers who have left nail scissors, nail + files, corkscrews or manicure sets from their hand luggage can arrange for + them to be returned. In practice many just shrug and leave the scissors by the + X-ray scanners. + + Father Arturo Rossini, chaplain of Malpensa airport in Milan, said that + scissors were costly or unavailable in many parts of Africa, Asia and Latin + America. + + He told Corriere della Sera that he had “plucked up the courage” to ask the + authorities if he could have the confiscated scissors. With the help of a + retired airport policeman, he had packaged 60,000 nail scissors and manicure + sets, using the airport chapel as a packing centre. + + Packages were shipped in aircraft holds to Peru, Brasil, India, Mozambique, + Argentina, Zambia and Kenya. “In such countries, what we think of as a + personal grooming accessory can be a vital tool.” + + The idea has been taken up at other Italian airports. + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0298.fb2fe4458efbd24753b011bf6db2deab b/machine-learning-ex6/ex6/easy_ham/0298.fb2fe4458efbd24753b011bf6db2deab new file mode 100644 index 0000000..900020b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0298.fb2fe4458efbd24753b011bf6db2deab @@ -0,0 +1,73 @@ +From sentto-2242572-53807-1031307957-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:48:58 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3912316F1F + for ; Fri, 6 Sep 2002 11:41:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:41:57 +0100 (IST) +Received: from n3.grp.scd.yahoo.com (n3.grp.scd.yahoo.com [66.218.66.86]) + by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g86APhC32138 for + ; Fri, 6 Sep 2002 11:25:43 +0100 +X-Egroups-Return: sentto-2242572-53807-1031307957-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n3.grp.scd.yahoo.com with NNFMP; + 06 Sep 2002 10:25:57 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 6 Sep 2002 10:25:57 -0000 +Received: (qmail 30549 invoked from network); 6 Sep 2002 10:25:57 -0000 +Received: from unknown (66.218.66.217) by m15.grp.scd.yahoo.com with QMQP; + 6 Sep 2002 10:25:57 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 6 Sep 2002 10:25:56 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g86APt308136 for + ; Fri, 6 Sep 2002 11:25:55 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 6 Sep 02 11:25:54 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 6 Sep 02 11:25:45 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D7890C7.21244.52BF5419@localhost> +Priority: normal +In-Reply-To: +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Fri, 6 Sep 2002 11:25:44 +0100 +Subject: Re: [zzzzteana] Save the planet, kill the people +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + +> Zimbabwe has dropped objections to accepting genetically modified (GM) grain +> so that urgently-needed food aid can be delivered, says the UN food agency. + +Yes, confirming what I said in my last message. Ah! I see where the problem +lies! You seem to be labouring under the misapprehension that Zimbabwe and +Zambia are the same country. + +Martin + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home for Top $ +http://us.click.yahoo.com/RrPZMC/jTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0299.4634eee63f5808c91c2f30720802a5c5 b/machine-learning-ex6/ex6/easy_ham/0299.4634eee63f5808c91c2f30720802a5c5 new file mode 100644 index 0000000..66c721e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0299.4634eee63f5808c91c2f30720802a5c5 @@ -0,0 +1,72 @@ +From sentto-2242572-53810-1031308774-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:49:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id ABBEC16F98 + for ; Fri, 6 Sep 2002 11:42:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:42:02 +0100 (IST) +Received: from n26.grp.scd.yahoo.com (n26.grp.scd.yahoo.com + [66.218.66.82]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g86AdLC00595 for ; Fri, 6 Sep 2002 11:39:21 +0100 +X-Egroups-Return: sentto-2242572-53810-1031308774-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.66.98] by n26.grp.scd.yahoo.com with NNFMP; + 06 Sep 2002 10:39:34 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 6 Sep 2002 10:39:34 -0000 +Received: (qmail 42687 invoked from network); 6 Sep 2002 10:39:34 -0000 +Received: from unknown (66.218.66.218) by m15.grp.scd.yahoo.com with QMQP; + 6 Sep 2002 10:39:34 -0000 +Received: from unknown (HELO protactinium.btinternet.com) (194.73.73.176) + by mta3.grp.scd.yahoo.com with SMTP; 6 Sep 2002 10:39:34 -0000 +Received: from host217-36-8-232.in-addr.btopenworld.com ([217.36.8.232]) + by protactinium.btinternet.com with esmtp (Exim 3.22 #8) id + 17nGWT-0001pi-00 for forteana@yahoogroups.com; Fri, 06 Sep 2002 11:39:33 + +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana@yahoogroups.com +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Fri, 06 Sep 2002 11:38:42 +0100 +Subject: Re: [zzzzteana] Save the planet, kill the people +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit + +Martin: +> Yes, confirming what I said in my last message. Ah! I see where the problem +> lies! You seem to be labouring under the misapprehension that Zimbabwe and +> Zambia are the same country. +> +No, that would be rather silly. There are conflicting reports on whether +Zambia is prepared to accept milled GM grain or not - and, from reports from +various sources, considerable debate within that country. There's complex +issues, not all of which can be dismissed by blaming those nasty +environmentalists, which was my original point. + +TimC + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0300.2e30b3bffb4f2887df203c197d11e936 b/machine-learning-ex6/ex6/easy_ham/0300.2e30b3bffb4f2887df203c197d11e936 new file mode 100644 index 0000000..e018b95 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0300.2e30b3bffb4f2887df203c197d11e936 @@ -0,0 +1,127 @@ +From sentto-2242572-53809-1031308404-zzzz=example.com@returns.groups.yahoo.com Fri Sep 6 11:49:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B586716F97 + for ; Fri, 6 Sep 2002 11:42:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:42:00 +0100 (IST) +Received: from n30.grp.scd.yahoo.com (n30.grp.scd.yahoo.com + [66.218.66.87]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g86AXBC32639 for ; Fri, 6 Sep 2002 11:33:11 +0100 +X-Egroups-Return: sentto-2242572-53809-1031308404-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n30.grp.scd.yahoo.com with NNFMP; + 06 Sep 2002 10:33:25 -0000 +X-Sender: martin@srv0.ems.ed.ac.uk +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_1_0_1); 6 Sep 2002 10:33:24 -0000 +Received: (qmail 28742 invoked from network); 6 Sep 2002 10:33:24 -0000 +Received: from unknown (66.218.66.217) by m10.grp.scd.yahoo.com with QMQP; + 6 Sep 2002 10:33:24 -0000 +Received: from unknown (HELO haymarket.ed.ac.uk) (129.215.128.53) by + mta2.grp.scd.yahoo.com with SMTP; 6 Sep 2002 10:33:24 -0000 +Received: from srv0.ems.ed.ac.uk (srv0.ems.ed.ac.uk [129.215.117.0]) by + haymarket.ed.ac.uk (8.11.6/8.11.6) with ESMTP id g86AXM310892 for + ; Fri, 6 Sep 2002 11:33:22 +0100 (BST) +Received: from EMS-SRV0/SpoolDir by srv0.ems.ed.ac.uk (Mercury 1.44); + 6 Sep 02 11:33:22 +0000 +Received: from SpoolDir by EMS-SRV0 (Mercury 1.44); 6 Sep 02 11:33:01 +0000 +Organization: Management School +To: zzzzteana@yahoogroups.com +Message-Id: <3D789278.23084.52C5EEE3@localhost> +Priority: normal +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Description: Mail message body +From: "Martin Adamson" +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Fri, 6 Sep 2002 11:32:57 +0100 +Subject: [zzzzteana] Hitler-style applicant welcomed by parties +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g86AXBC32639 + +The Times + + + September 06, 2002 + + Hitler-style applicant welcomed by parties + By Roger Boyes + + + + MANAGERS of Germany’s political parties are having difficulty explaining their + enthusiastic reaction to a man who applied for membership with letters cribbed + largely from Mein Kampf, Hitler’s personal manifesto. The incident illustrates + how indiscriminate parties have become in taking on new members during an + election campaign, even when their sentiments bear a suspicious resemblance to + those of the Führer. + + “Edmund Stoiber is a thousand times more suited to leading Germany than the + present Chancellor,” said one letter sent to the Christian Social Union + headquarters in Ingolstadt. “Chancellor Schröder is doing nothing to stop the + flood of foreigners who are spreading around our Fatherland,” said the letter, + signed by a certain Rudolph Lewald. + + The CSU immediately spotted a potential member. “Many thanks for your nice + thoughts,” replied the local party manager, who enclosed an application for + membership. + + The letter used chunks of Hitler’s book, which is still banned in Germany. + History students have to apply for access to the book in university libraries. + + + “The strongest, the brave and the hardworking will receive the birthright of + existence, only those who are born weaklings could regard this as offensive,” + the letter-writer said. “So-called humanity is melting like snow in the March + sun.” Such phrases were lifted from Mein Kampf, which was written while Hitler + was in jail after the failed Munich putsch of 1923. + + Similar letters, also using the Nazi leader’s words, were sent to the other + political parties and drew sympathetic responses. “I read your letter with + great interest and pleasure,” the manager of the Christian Democratic Union in + Cologne, said. + + “Great that you want to join us!” enthused the Green Party headquarters. The + Free Democrats invited the aspiring party member to a fundraising charity ball + at which Hans- Dietrich Genscher, the former Foreign Minister, would be the + star guest. The Social Democrats sent a list of rallies to be attended by + Gerhard Schröder, the Chancellor. + + “I wanted to test how serious parties are about combating right-wing + extremism,” said the letter-writer, who was in fact the Cologne novelist + Rainer Popp. “I had no idea that they would be so enthusiastic. + + “For the first few days I expected two men in leather coats from the Special + Branch to knock on my door. Instead only the postman called — with packets of + election material from zealous political headquarters,” Herr Popp said. + + “I was stunned that political parties could react in this way — I reckon I + would have had the same response if I had signed the letter ‘Adolf Hitler’.” + + + + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +4 DVDs Free +s&p Join Now +http://us.click.yahoo.com/pt6YBB/NXiEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0301.a1d81dfa1becbc6fbf1cec39b45c2a05 b/machine-learning-ex6/ex6/easy_ham/0301.a1d81dfa1becbc6fbf1cec39b45c2a05 new file mode 100644 index 0000000..ab9d084 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0301.a1d81dfa1becbc6fbf1cec39b45c2a05 @@ -0,0 +1,52 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:04 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0350816F49 + for ; Fri, 6 Sep 2002 11:38:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:38:07 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868NkW25395 for + ; Fri, 6 Sep 2002 09:23:46 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id JAA20738 for ; + Fri, 6 Sep 2002 09:24:06 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA01579; Fri, 6 Sep 2002 09:22:54 +0100 +Received: from milexc01.maxtor.com ([134.6.205.206]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id JAA01545 for ; Fri, + 6 Sep 2002 09:22:37 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host [134.6.205.206] claimed to + be milexc01.maxtor.com +Received: by milexc01.maxtor.com with Internet Mail Service (5.5.2653.19) + id ; Fri, 6 Sep 2002 09:22:33 +0100 +Message-Id: <0D443C91DCE9CD40B1C795BA222A729E0188571E@milexc01.maxtor.com> +From: "Wynne, Conor" +To: "'ilug@linux.ie'" +Date: Fri, 6 Sep 2002 09:22:32 +0100 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="iso-8859-1" +Subject: [ILUG] Flat rate is back lads! +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi all, + +Saw this on the register this morning, +http://theregister.co.uk/content/6/26983.html, and they support ISDN dual +channel. Whoo Hoo! + +CW + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0302.fdd70fa4825d589e4646798a785f6902 b/machine-learning-ex6/ex6/easy_ham/0302.fdd70fa4825d589e4646798a785f6902 new file mode 100644 index 0000000..4126fed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0302.fdd70fa4825d589e4646798a785f6902 @@ -0,0 +1,67 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:08 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id AE33716F56 + for ; Fri, 6 Sep 2002 11:38:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:38:08 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86921C27133 for + ; Fri, 6 Sep 2002 10:02:02 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id DAA19755 for ; + Fri, 6 Sep 2002 03:14:46 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id DAA21093; Fri, 6 Sep 2002 03:13:57 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from linuxmafia.com (linuxmafia.COM [198.144.195.186]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id DAA21056 for ; + Fri, 6 Sep 2002 03:13:44 +0100 +Received: from rick by linuxmafia.com with local (Exim 3.35 #1 (Debian)) + id 17n8dx-0002w4-00 for ; Thu, 05 Sep 2002 19:14:45 -0700 +Date: Thu, 5 Sep 2002 19:14:45 -0700 +To: Irish Linux Users Group +Subject: Re: [ILUG] modem problems +Message-Id: <20020906021444.GK12787@linuxmafia.com> +References: <6561EF50BF493D4B9B161C6FA41932C34998CE@ns1.ward.ie> + <20020904130735.B2712@barge.tcd.ie> + <1031141868.1361.2.camel@ishmael.niallsheridan.com> + <3D75F9CF.9040306@waider.ie> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <3D75F9CF.9040306@waider.ie> +User-Agent: Mutt/1.4i +From: Rick Moen +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Quoting Waider (waider@waider.ie): + +> Niall Sheridan wrote: +> | A power cycle will do it. +> | Other than that it's chipset specific. +> +> sure. tried powercycling an internal modem recently? :) +> +> Waider. This is Rick Moen bait. + +Thanks. It was delicious. ;-> + +-- +Cheers, "That article and its poster have been cancelled." +Rick Moen -- David B. O'Donnel, sysadmin for America Online +rick@linuxmafia.com + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0303.e334b6aaad7609a7613e33bb21cc9636 b/machine-learning-ex6/ex6/easy_ham/0303.e334b6aaad7609a7613e33bb21cc9636 new file mode 100644 index 0000000..8094b71 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0303.e334b6aaad7609a7613e33bb21cc9636 @@ -0,0 +1,109 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:17 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id DC9AD16F17 + for ; Fri, 6 Sep 2002 11:38:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:38:13 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869eCC28625 for + ; Fri, 6 Sep 2002 10:40:12 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id BAA19479 for ; + Fri, 6 Sep 2002 01:32:43 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id BAA17211; Fri, 6 Sep 2002 01:31:38 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail00.svc.cra.dublin.eircom.net + (mail00.svc.cra.dublin.eircom.net [159.134.118.16]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id BAA17175 for ; Fri, + 6 Sep 2002 01:31:26 +0100 +Received: (qmail 54537 messnum 527868 invoked from + network[159.134.112.65/p112-65.as1.bdt.dublin.eircom.net]); 6 Sep 2002 + 00:30:55 -0000 +Received: from p112-65.as1.bdt.dublin.eircom.net (HELO calm.mc) + (159.134.112.65) by mail00.svc.cra.dublin.eircom.net (qp 54537) with SMTP; + 6 Sep 2002 00:30:55 -0000 +Received: from mconry by calm.mc with local (Exim 3.35 #1 (Debian)) id + 17n71T-00012j-00 for ; Fri, 06 Sep 2002 01:30:55 +0100 +Date: Fri, 6 Sep 2002 01:30:55 +0100 +From: Michael Conry +To: ilug@linux.ie +Subject: Re: [ILUG] Newby to Linux looking for information on cvs +Message-Id: <20020906003054.GA3997@calm.mc> +Reply-To: michael.conry@ucd.ie +References: <5FE418B3F962D411BED40000E818B33C9C8FEC@HASSLE> + <000c01c2552f$11748cf0$10a87dc2@desktop> <20020906002841.GA995@calm.mc> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020906002841.GA995@calm.mc> +User-Agent: Mutt/1.3.28i +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On 0020 +0100 %{!Thu, Sep 05, 2002 at 11:53:32PM +0100}, Darragh wrote: +> the help that I received today. Then though I tried to build them. I +> started by trying the w3 program. I used the following lines which produced +> some strange results. Would any one be able to set me straight? +> +> ./configure --with-emacs --prefix=/usr/local/src/beta/w3 --exec-prefix=/usr/ +> local/src/beta/w3 --with-url=/url/url +One thing I _think_ you might be doing slightly wrong is your +specification of prefixes. --prefix is the directory to be used as root +for _installing_ files. Typically packages use /usr/local as default +(so binaries might then go in /usr/local/bin, documentation in +/usr/local/doc and so forth). +Normally, I find it sufficient to put --prefix=/usr/local, and do not +further specify things like --exec-prefix. + +Maybe you have a special reason for using the prefixes you chose, in +which case ignore me! +> That worked fine so I moved to the next step. +> make +> At the bottem of the text I got the following messages: +> Cannot open load file: /url/url/url-vars.el +> make[1]: *** [custom-load.el] Error 255 +> make[1]: Leaving directory `/usr/local/src/beta/w3/lisp' +> make: *** [w3] Error 2 +> +> When I got around to trying the url package I had no problems. In saying +> that this doesn't necessarily mean that I was doing it right so below are +> the commands I used. +> ./configure --with-emacs --prefix=/url/url --exec-prefix=/url/url +I'd make the same remarks about prefixes here. I would use the command + ./configure --with-emacs --prefix=/usr/local + +To get w3 to compile, I think the with-url flag you should use is + --with-url=/usr/local/share/emacs/site-lisp/ +(Assuming you compiled/installed url with --prefix=/usr/local +Since you appear to have installed url in /url/url, configure w3 with +./configure --with-emacs --prefix=/usr/local/ --with-url=/url/url/share/emacs/site-lisp + +A command you would have found useful would have been + find / -name 'url-vars.el' -print +Which would have told you where the url-vars.el file was installed. + +A program which is very useful is checkinstall +http://asic-linux.com.mx/~izto/checkinstall/ +It allows you to install packages from source while still registering +them in the package management system of your distro (rpm,deb,tgz). +Instead of "make install" type "checkinstall", and a package is put +together and installed for you. Makes uninstallation simpler than it +might otherwise be. +-- +Michael Conry Ph.:+353-1-7161987, Web: http://www.acronymchile.com +Key fingerprint = 5508 B563 6791 5C84 A947 CB01 997B 3598 09DE 502C + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0304.73bb5ec3f02f4db15750531e226b1cb8 b/machine-learning-ex6/ex6/easy_ham/0304.73bb5ec3f02f4db15750531e226b1cb8 new file mode 100644 index 0000000..060bdd5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0304.73bb5ec3f02f4db15750531e226b1cb8 @@ -0,0 +1,201 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A1FF116F69 + for ; Fri, 6 Sep 2002 11:38:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:38:40 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869r0C29204 for + ; Fri, 6 Sep 2002 10:53:00 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id AAA19175 for ; + Fri, 6 Sep 2002 00:05:29 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id XAA13593; Thu, 5 Sep 2002 23:54:34 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail03.svc.cra.dublin.eircom.net + (mail03.svc.cra.dublin.eircom.net [159.134.118.19]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id XAA13503 for ; Thu, + 5 Sep 2002 23:54:04 +0100 +Received: (qmail 37104 messnum 523993 invoked from + network[194.125.168.16/ts01-016.drogheda.indigo.ie]); 5 Sep 2002 22:53:32 + -0000 +Received: from ts01-016.drogheda.indigo.ie (HELO desktop) (194.125.168.16) + by mail03.svc.cra.dublin.eircom.net (qp 37104) with SMTP; 5 Sep 2002 + 22:53:32 -0000 +Message-Id: <000c01c2552f$11748cf0$10a87dc2@desktop> +From: "Darragh" +To: +References: <5FE418B3F962D411BED40000E818B33C9C8FEC@HASSLE> +Subject: RE: [ILUG] Newby to Linux looking for information on cvs +Date: Thu, 5 Sep 2002 23:53:32 +0100 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hello all, +Firstly I'd like to thank all of you for the fast and very helpful feedback +that I got to my question today. I have one more question though. I +downloaded the w3 and url files from the server at the first try thanks to +the help that I received today. Then though I tried to build them. I +started by trying the w3 program. I used the following lines which produced +some strange results. Would any one be able to set me straight? + +./configure --with-emacs --prefix=/usr/local/src/beta/w3 --exec-prefix=/usr/ +local/src/beta/w3 --with-url=/url/url +That worked fine so I moved to the next step. +make +At the bottem of the text I got the following messages: +Cannot open load file: /url/url/url-vars.el +make[1]: *** [custom-load.el] Error 255 +make[1]: Leaving directory `/usr/local/src/beta/w3/lisp' +make: *** [w3] Error 2 + +When I got around to trying the url package I had no problems. In saying +that this doesn't necessarily mean that I was doing it right so below are +the commands I used. +./configure --with-emacs --prefix=/url/url --exec-prefix=/url/url +followed by the commands make and make install. +There is no text files which contain help on installing the url package so +I'm not completely certain if I've used the right method here. + +Thanks again + +Darragh +----- Original Message ----- +From: "Hunt, Bryan" +To: ; +Cc: +Sent: Thursday, September 05, 2002 5:08 PM +Subject: OT: RE: [ILUG] Newby to Linux looking for information on cvs + + +> +> speaking of that IDE (weblogic developer) the open source version called +> eclipse is free from eclipse.org If you are doing java development you +> need to get this IDE . I've been using it for the last month and it is +> absolutly superb. Best thing about it is that rather than using swing +> (which is crap) is that they have their own native widget set called swt. +> +> When you run it on windows it uses windows widgets but when you run it on +> linux it uses gtk, you should see it on gnome 2 ! Absolutely stunning ! +> +> --B +> +> -----Original Message----- +> From: Justin MacCarthy [mailto:macarthy@iol.ie] +> Sent: 05 September 2002 16:53 +> To: michael.conry@ucd.ie +> Cc: ilug@linux.ie +> Subject: RE: [ILUG] Newby to Linux looking for information on cvs +> +> +> This is the best step by step guide to setting up cvs on Redhat.. +> +> +http://www7b.software.ibm.com/wsdd/library/techarticles/0205_yu/yu.html?open +> &l=456,t=gr +> +> It is for a particular IBM ide, but the setup and testing of the server is +> the same for any CVS client +> +> Both The "Using Linux" and "Linux in a nutshell" book by Oreilly have +> sections on cvs /rcs , and both books are a must buy for any linux newbie +> +> +> Justin +> +> +> > -----Original Message----- +> > From: ilug-admin@linux.ie [mailto:ilug-admin@linux.ie]On Behalf Of +> > Michael Conry +> > Sent: 05 September 2002 16:34 +> > To: Darragh +> > Cc: ilug@linux.ie +> > Subject: Re: [ILUG] Newby to Linux looking for information on cvs +> > +> > +> > On 0020 +0100 %{!Thu, Sep 05, 2002 at 3:55:16PM +0100}, Darragh wrote: +> > > Hello, +> > > I am very new to Linux and need some help on a utility called +> > cvs. As far +> > > as I'm aware its a similar protocol to FTP. I need to use it +> > to download a +> > > program from :pserver:anoncvs@subversions.gnu.org:/cvsroot/w3. +> > I am looking +> > > for information on how to use it. I'll have another look at +> > the man pages +> > > but I think I have to set it up before I can download anything. +> > cvs is really a very different kind of thing to FTP, but the details of +> > that statement are left as an exercise to the reader (won't show up my +> > own ignorance that way ;-) +> > The application you want is cvsclient... +> > There is documentation here: +> > http://www.fokus.gmd.de/gnu/docs/cvs/cvsclient_toc.html +> > +> > You might get a quick idea of how it works from here: +> > http://www.sci.muni.cz/~mikulik/gnuplot.html +> > where he explains how to get cvs gnuplot... +> > The commands are: +> > +> > export +> > CVSROOT=:pserver:anonymous@cvs.gnuplot.sourceforge.net:/cvsroot/gnuplot +> > cvs login +> > cvs -z3 checkout gnuplot +> > +> > Something similar will probably do the job for you. I'm guessing the +> > following MIGHT work... +> > +> > export CVSROOT=:pserver:anoncvs@subversions.gnu.org:/cvsroot/w3 +> > cvs login +> > cvs -z3 checkout w3 +> > +> > m +> > -- +> > Michael Conry Ph.:+353-1-7161987, Web: http://www.acronymchile.com +> > Key fingerprint = 5508 B563 6791 5C84 A947 CB01 997B 3598 09DE 502C +> > +> > -- +> > Irish Linux Users' Group: ilug@linux.ie +> > http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +> > information. +> > List maintainer: listmaster@linux.ie +> > +> > +> > +> +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +information. +> List maintainer: listmaster@linux.ie +> +> -- +> Irish Linux Users' Group: ilug@linux.ie +> http://www.linux.ie/mailman/listinfo/ilug for (un)subscription +information. +> List maintainer: listmaster@linux.ie +> + + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0305.99f57ae578aceda0433b60cb35fd4ea2 b/machine-learning-ex6/ex6/easy_ham/0305.99f57ae578aceda0433b60cb35fd4ea2 new file mode 100644 index 0000000..6df2ab3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0305.99f57ae578aceda0433b60cb35fd4ea2 @@ -0,0 +1,62 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:19 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0353616F1A + for ; Fri, 6 Sep 2002 11:38:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:38:17 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869e1C28599 for + ; Fri, 6 Sep 2002 10:40:01 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id BAA19534 for ; + Fri, 6 Sep 2002 01:43:59 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id BAA17409; Fri, 6 Sep 2002 01:37:27 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from linuxmafia.com (linuxmafia.COM [198.144.195.186]) by + lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id BAA17380 for ; + Fri, 6 Sep 2002 01:37:10 +0100 +Received: from rick by linuxmafia.com with local (Exim 3.35 #1 (Debian)) + id 17n78V-00087V-00; Thu, 05 Sep 2002 17:38:11 -0700 +Date: Thu, 5 Sep 2002 17:38:11 -0700 +To: irish linux users group +Cc: kevin+dated+1031593647.e87527@ie.suberic.net +Subject: Re: [ILUG] windows users accessing cvs... +Message-Id: <20020906003811.GF12787@linuxmafia.com> +References: <20020904184725.A19528@ie.suberic.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020904184725.A19528@ie.suberic.net> +User-Agent: Mutt/1.4i +From: Rick Moen +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Quoting kevin lyda (kevin+dated+1031593647.e87527@ie.suberic.net): + +> anyone here have experience with windows cvs clients accessing a cvs +> server *securely*. preferably using ssh of some form (putty or cygwin's +> openssh port) and the wincvs client? + +Here's something I cobbled together: +http://sourceforge.net/docman/display_doc.php?docid=9026&group_id=13487 + +-- +Cheers, "I don't like country music, but I don't mean to denigrate +Rick Moen those who do. And, for the people who like country music, +rick@linuxmafia.com denigrate means 'put down'." -- Bob Newhart + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + diff --git a/machine-learning-ex6/ex6/easy_ham/0306.7e8d58915713dcad975ed5591b31bdf4 b/machine-learning-ex6/ex6/easy_ham/0306.7e8d58915713dcad975ed5591b31bdf4 new file mode 100644 index 0000000..58ccfae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0306.7e8d58915713dcad975ed5591b31bdf4 @@ -0,0 +1,75 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:51 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id CDED116F18 + for ; Fri, 6 Sep 2002 11:39:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:39:11 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rbC29317 for + ; Fri, 6 Sep 2002 10:53:37 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id XAA19032 for ; + Thu, 5 Sep 2002 23:31:39 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id XAA12567; Thu, 5 Sep 2002 23:30:20 +0100 +Received: from omta03.mta.everyone.net (sitemail3.everyone.net + [216.200.145.37]) by lugh.tuatha.org (8.9.3/8.9.3) with ESMTP id XAA12494 + for ; Thu, 5 Sep 2002 23:29:54 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host sitemail3.everyone.net + [216.200.145.37] claimed to be omta03.mta.everyone.net +Received: from sitemail.everyone.net (dsnat [216.200.145.62]) by + omta03.mta.everyone.net (Postfix) with ESMTP id 9B4DD4B332 for + ; Thu, 5 Sep 2002 15:17:36 -0700 (PDT) +Received: by sitemail.everyone.net (Postfix, from userid 99) id 822B53942; + Thu, 5 Sep 2002 15:17:36 -0700 (PDT) +Content-Type: text/plain +Content-Disposition: inline +Content-Transfer-Encoding: 7bit +MIME-Version: 1.0 +X-Mailer: MIME-tools 5.41 (Entity 5.404) +Date: Thu, 5 Sep 2002 15:17:36 -0700 (PDT) +From: eric nichols +To: ilug@linux.ie +Reply-To: matchsprint@trackbike.com +X-Originating-Ip: [194.145.128.31] +Message-Id: <20020905221736.822B53942@sitemail.everyone.net> +Subject: [ILUG] PCTel modules +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hello again. I tried all the suggestions for the PCTel driver and at the end of it, everything still goes smoothly until I type "make" after I get the output from the ./configure. + +However, there were a couple of things I noticed along the way. After typing +* cp configs/kernel-2.4...config .config +* make oldconfig +* make dep +The 2nd to last line I got back said that the modversions.h file was not updated. When I looked at this path to the modversions.h file, it was 281 lines and every line started with a # mark. Is it the case that nothing is read on a line after a # mark (or am I just thinking of another language?) and so should I delete the # at certain places? + +Also, when I was in the pctel directory and typed "make", I noticed that a different subdirectory is taken to a different modversions.h file. Inside this other file, there's nothing at all. And so I moved the modversions.h file with 281 lines to the empty modversions.h file - and got a different reply after "make". The output after I moved the file over mostly looked like this: +/usr/src/linux-2.4.18-3/linux/modversions.h:11:33: linux/modules/adb.ver: No such file or directory +/usr/src/linux-2.4.18-3/linux/modversions.h:12:37: linux/modules/af_ax25.ver: No such file or directory +/usr/src/linux-2.4.18-3/linux/modversions.h:13:36: linux/modules/af_ipx.ver: No such file or directory + +The odd lines being the path and the first half of the other lines are what's written after the # in the modversions.h file. Should there be a file at each of these (one at each of the 281 lines of the file) that I'd have to compile/make? + +It's taken plenty of elbow grease, but I'm glad it hasn't gone smoothly, it's a good learning experience. Again, any help is appreciated. Thanks, Eric + +_____________________________________________________________ +email services provided by trackbike.com, your source for alleycat and trackbike photos. submissions welcome. + +_____________________________________________________________ +Promote your group and strengthen ties to your members with email@yourgroup.org by Everyone.net http://www.everyone.net/?btn=tag + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0307.d7beae100d2ee2557b7fed18b6050a49 b/machine-learning-ex6/ex6/easy_ham/0307.d7beae100d2ee2557b7fed18b6050a49 new file mode 100644 index 0000000..f7cbb7b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0307.d7beae100d2ee2557b7fed18b6050a49 @@ -0,0 +1,127 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8725D16F03 + for ; Fri, 6 Sep 2002 11:39:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:39:09 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869kOC28806 for + ; Fri, 6 Sep 2002 10:47:47 +0100 +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + webnote.net (8.9.3/8.9.3) with ESMTP id AAA19327 for ; + Fri, 6 Sep 2002 00:52:16 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id AAA15843; Fri, 6 Sep 2002 00:50:53 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from mail05.svc.cra.dublin.eircom.net + (mail05.svc.cra.dublin.eircom.net [159.134.118.21]) by lugh.tuatha.org + (8.9.3/8.9.3) with SMTP id AAA15809 for ; Fri, + 6 Sep 2002 00:50:45 +0100 +Received: (qmail 46890 messnum 300912 invoked from + network[159.134.112.65/p112-65.as1.bdt.dublin.eircom.net]); 5 Sep 2002 + 23:50:14 -0000 +Received: from p112-65.as1.bdt.dublin.eircom.net (HELO calm.mc) + (159.134.112.65) by mail05.svc.cra.dublin.eircom.net (qp 46890) with SMTP; + 5 Sep 2002 23:50:14 -0000 +Received: from mconry by calm.mc with local (Exim 3.35 #1 (Debian)) id + 17n6O5-0000Fh-00; Fri, 06 Sep 2002 00:50:13 +0100 +Date: Fri, 6 Sep 2002 00:50:13 +0100 +From: Michael Conry +To: eric nichols +Cc: ilug@linux.ie +Subject: Re: [ILUG] PCTel modules +Message-Id: <20020905235013.GC887@calm.mc> +Reply-To: michael.conry@ucd.ie +References: <20020905221736.822B53942@sitemail.everyone.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020905221736.822B53942@sitemail.everyone.net> +User-Agent: Mutt/1.3.28i +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +On 0020 -0700 %{!Thu, Sep 05, 2002 at 3:17:36PM -0700}, eric nichols wrote: +> Hello again. I tried all the suggestions for the PCTel driver and at +> the end of it, everything still goes smoothly until I type "make" +> after I get the output from the ./configure. +> +> However, there were a couple of things I noticed along the way. After typing +> * cp configs/kernel-2.4...config .config +> * make oldconfig +> * make dep +> The 2nd to last line I got back said that the modversions.h file was +> not updated. When I looked at this path to the modversions.h file, it +> was 281 lines and every line started with a # mark. +> Is it the case +> that nothing is read on a line after a # mark (or am I just thinking +> of another language?) and so should I delete the # at certain places? +No that is appropriate content for the file. I'm not a C programmer, +but I think that these sort of things (#include ) are +instructions to the compiler processed by a pre-processor in the compile +process, and include all sorts of symbols/functions +e.g. "#include " gives you maths type functions. Since they +start with "#" they are ignored in the final compilation. + +Regarding the rest of the compile process, you need to tell the PCtel +software to look in the right place for the kernel headers/source. +I recall from your previous mail that there was a flag + --with-kernel-includes=/usr/src/linux-2.4 +which could be passed to the ./configure script (with the appropriate +directory in place of /usr/src/linux-2.4). This might allow you to +persuade the code to compile against the correct headers. I think this +is the right way to proceed. + +Alternatively, maybe the steps above regarding "make dep" and so forth +should have been performed in the directory where the make process is +looking for modversions.h & Co. + +I don't think it is a good idea keep moving files into the directory as +you describe below. First of all you will move modversions.h (which you +have done), then you would have to move all those *.ver files, after +that, there will almost certainly be a need for further header (*.h) +files. This could be quickly done, but is probably bad (those files +don't really belong there). + +For what it's worth I think you are very close to a successful +compilation. + +m + +> +> Also, when I was in the pctel directory and typed "make", I noticed +> that a different subdirectory is taken to a different modversions.h +> file. Inside this other file, there's nothing at all. And so I moved +> the modversions.h file with 281 lines to the empty modversions.h file +> - and got a different reply after "make". The output after I moved the +> file over mostly looked like this: +> /usr/src/linux-2.4.18-3/linux/modversions.h:11:33: +> linux/modules/adb.ver: No such file or directory +> /usr/src/linux-2.4.18-3/linux/modversions.h:12:37: +> linux/modules/af_ax25.ver: No such file or directory +> /usr/src/linux-2.4.18-3/linux/modversions.h:13:36: +> linux/modules/af_ipx.ver: No such file or directory +> +> The odd lines being the path and the first half of the other lines are +> what's written after the # in the modversions.h file. Should there be +> a file at each of these (one at each of the 281 lines of the file) +> that I'd have to compile/make? + +-- +Michael Conry Ph.:+353-1-7161987, Web: http://www.acronymchile.com +Key fingerprint = 5508 B563 6791 5C84 A947 CB01 997B 3598 09DE 502C + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0308.5c3218cf2a6260c6178cbea1b9e345f7 b/machine-learning-ex6/ex6/easy_ham/0308.5c3218cf2a6260c6178cbea1b9e345f7 new file mode 100644 index 0000000..d1ce744 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0308.5c3218cf2a6260c6178cbea1b9e345f7 @@ -0,0 +1,96 @@ +From ilug-admin@linux.ie Fri Sep 6 11:40:54 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7D5C516F19 + for ; Fri, 6 Sep 2002 11:39:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:39:13 +0100 (IST) +Received: from lugh.tuatha.org (root@lugh.tuatha.org [194.125.145.45]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86AQeC32186 for + ; Fri, 6 Sep 2002 11:26:40 +0100 +Received: from lugh (root@localhost [127.0.0.1]) by lugh.tuatha.org + (8.9.3/8.9.3) with ESMTP id LAA06471; Fri, 6 Sep 2002 11:24:33 +0100 +X-Authentication-Warning: lugh.tuatha.org: Host root@localhost [127.0.0.1] + claimed to be lugh +Received: from web12102.mail.yahoo.com (web12102.mail.yahoo.com + [216.136.172.22]) by lugh.tuatha.org (8.9.3/8.9.3) with SMTP id LAA06436 + for ; Fri, 6 Sep 2002 11:24:22 +0100 +Message-Id: <20020906102417.66047.qmail@web12102.mail.yahoo.com> +Received: from [159.134.146.155] by web12102.mail.yahoo.com via HTTP; + Fri, 06 Sep 2002 11:24:17 BST +Date: Fri, 6 Sep 2002 11:24:17 +0100 (BST) +From: =?iso-8859-1?q?Colin=20Nevin?= +To: ilug@linux.ie +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Subject: [ILUG] semaphores on linux RH7.3 +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Mailman-Version: 1.1 +Precedence: bulk +List-Id: Irish Linux Users' Group +X-Beenthere: ilug@linux.ie + +Hi All, + +I have a question which is a bit tricky and was +wondering of anyone has come across this problem +before or could point me in the right direction. + +I am involved in porting a SCO unix application to +Linux, and we have encountered a problem with the way +semaphores are being handled. The application uses +mulitple processes to run application code with the +main process known as the bsh which controls all i/o +be it screen, or file i/o, syncronisation is handled +via semaphores. + +In certain circumstances the main process and the +application child process seem to lock up both waiting +for the syncronisation semaphores to change state, I +have attached ddd to the processes and it seems that +the semaphore code is doing the correct things for +syncronisation but the processes stay stuck in the +semop() system call. + +I have also noticed that if I introduce a slight delay +between changing semaphore states the problem goes +away, but this causes our entire application to run +really sloooww !! lol + +Is there anything weird or different with the standard +implemenation of semaphores on modern linux that could +cause a semop() to fail to pick up the change in state + +in a semaphore immediately? + +Setting sem_flg = IPC_NOWAIT and checking for errno == +EAGAIN and recalling semop() if the semop() call fails +(-1) also fixes the problem but again system +performance goes down the toilet. + +both the parent controlling process run as the same +uid, and the parent creates the semaphores with +permissions 0666. + +Any pointers would be appreciated! + +Rgds, + +Colin Nevin + +__________________________________________________ +Do You Yahoo!? +Everything you'll ever need on one web page +from News and Sport to Email and Music Charts +http://uk.my.yahoo.com + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0309.f8e4b246af5b6e995aef2cae7f325a1c b/machine-learning-ex6/ex6/easy_ham/0309.f8e4b246af5b6e995aef2cae7f325a1c new file mode 100644 index 0000000..ec9c94a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0309.f8e4b246af5b6e995aef2cae7f325a1c @@ -0,0 +1,80 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Sep 6 11:49:32 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7AFA916F9A + for ; Fri, 6 Sep 2002 11:42:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 11:42:10 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868PtW25450 for + ; Fri, 6 Sep 2002 09:25:57 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id GAA20344 for + ; Fri, 6 Sep 2002 06:24:27 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nBaA-00078T-00; Thu, + 05 Sep 2002 22:23:02 -0700 +Received: from blount.mail.mindspring.net ([207.69.200.226]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17nBZK-00070N-00 for ; + Thu, 05 Sep 2002 22:22:10 -0700 +Received: from user-1120ft5.dsl.mindspring.com ([66.32.63.165] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17nBZJ-0005pc-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 06 Sep 2002 01:22:09 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + C3692A3C5E; Thu, 5 Sep 2002 22:22:08 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020906052208.C3692A3C5E@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 839] mailbox corruption not fixed with procmail 3.22 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 22:22:08 -0700 (PDT) +Date: Thu, 5 Sep 2002 22:22:08 -0700 (PDT) + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=839 + + + + + +------- Additional Comments From alan@rdrop.com 2002-09-05 22:22 ------- +I haven't tried 2.41 yet because it requires File::Spec, which barfs when +spamassassin tries to use it. I haven't filed a bug yet because I suspect it's +because I'm still running 5.005 perl because of reported compatibility issues +with 5.6 and later, but I probably will because I think there's too much legacy +perl code to put up with major compatibility problems, and spamassassin didn't, +at least in the quickest of looks, say it needed a newer one. The perl @ stuff +was bad enough... but this is all a separate soapbox... + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/0310.e43b2f0e48c428fa52100f29a9e0d5ac b/machine-learning-ex6/ex6/easy_ham/0310.e43b2f0e48c428fa52100f29a9e0d5ac new file mode 100644 index 0000000..acb7944 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0310.e43b2f0e48c428fa52100f29a9e0d5ac @@ -0,0 +1,52 @@ +From 0xdeadbeef-request@petting-zoo.net Fri Sep 6 15:24:22 2002 +Return-Path: <0xdeadbeef-request@petting-zoo.net> +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6A0DC16F21 + for ; Fri, 6 Sep 2002 15:24:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 15:24:19 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86A0mC30399 for + ; Fri, 6 Sep 2002 11:00:49 +0100 +Received: from petting-zoo.net (IDENT:postfix@petting-zoo.net + [64.166.12.219]) by webnote.net (8.9.3/8.9.3) with ESMTP id SAA16963 for + ; Thu, 5 Sep 2002 18:26:57 +0100 +Received: by petting-zoo.net (Postfix, from userid 1004) id E46BFEA3D; + Thu, 5 Sep 2002 10:26:05 -0700 (PDT) +Old-Return-Path: +Delivered-To: 0xdeadbeef@petting-zoo.net +Received: from petting-zoo.net (localhost [127.0.0.1]) by petting-zoo.net + (Postfix) with ESMTP id F2693EA0A for <0xdeadbeef@petting-zoo.net>; + Thu, 5 Sep 2002 10:26:01 -0700 (PDT) +From: gkm@petting-zoo.net (glen mccready) +To: 0xdeadbeef@petting-zoo.net +Subject: QOTD: Cigarettes, fast food, beer. +Date: Thu, 05 Sep 2002 10:26:01 -0700 +Sender: gkm@petting-zoo.net +Message-Id: <20020905172602.F2693EA0A@petting-zoo.net> +Resent-Message-Id: +Resent-From: 0xdeadbeef@petting-zoo.net +X-Mailing-List: <0xdeadbeef@petting-zoo.net> archive/latest/537 +X-Loop: 0xdeadbeef@petting-zoo.net +List-Post: +List-Help: +List-Subscribe: +List-Unsubscribe: +Precedence: list +Resent-Sender: 0xdeadbeef-request@petting-zoo.net +Resent-Date: Thu, 5 Sep 2002 10:26:05 -0700 (PDT) + + +Forwarded-by: Nev Dull +Forwarded-by: Mike Olson +Forwarded-by: Jim Frew +Forwarded-by: "Mark Mooney" +From: the "Vent", Scottsdale Tribune: + +First they sue the tobacco companies for giving them lung cancer, +then the fast food places for making them fat. +Guess I can sue Budweiser for all the ugly women I've slept with. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0311.de3984f9da9dba841ba515681fa065a6 b/machine-learning-ex6/ex6/easy_ham/0311.de3984f9da9dba841ba515681fa065a6 new file mode 100644 index 0000000..b157a83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0311.de3984f9da9dba841ba515681fa065a6 @@ -0,0 +1,64 @@ +From secprog-return-484-zzzz=example.com@securityfocus.com Fri Sep 6 15:24:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 67C5716F03 + for ; Fri, 6 Sep 2002 15:24:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Fri, 06 Sep 2002 15:24:57 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86A13C30435 for + ; Fri, 6 Sep 2002 11:01:03 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id SAA16998 for + ; Thu, 5 Sep 2002 18:30:53 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 421EEA312D; Thu, 5 Sep 2002 10:39:46 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 17568 invoked from network); 5 Sep 2002 08:02:24 -0000 +Date: Thu, 5 Sep 2002 10:17:03 +0200 +From: Andrey Kolishak +X-Mailer: The Bat! (v1.61) Personal +Reply-To: Andrey Kolishak +Organization: none +X-Priority: 3 (Normal) +Message-Id: <5780619972.20020905101703@sandy.ru> +To: SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from attacks +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit + + + +take a look at http://www.pcworld.com/news/article/0,aid,102881,00.asp + + Andrey mailto:andr@sandy.ru + + + +BM> Does anyone do this already? Or is this a new concept? Or has this concept +BM> been discussed before and abandoned for some reasons that I don't yet know? +BM> I use the physical architecture of a basic web application as an example in +BM> this post, but this concept could of course be applied to most server +BM> systems. It would allow for the hardware-separation of volatile and +BM> non-volatile disk images. It would be analogous to performing nightly +BM> ghosting operations, only it would be more efficient and involve less (or +BM> no) downtime. + +BM> Thanks for any opinions, +BM> Ben + + diff --git a/machine-learning-ex6/ex6/easy_ham/0312.d17a25919e7985a270c6fdee37a8f83e b/machine-learning-ex6/ex6/easy_ham/0312.d17a25919e7985a270c6fdee37a8f83e new file mode 100644 index 0000000..dc2dc0b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0312.d17a25919e7985a270c6fdee37a8f83e @@ -0,0 +1,68 @@ +From fork-admin@xent.com Wed Oct 9 10:55:09 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 0B57C16F17 + for ; Wed, 9 Oct 2002 10:52:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98JKUK30723 for ; + Tue, 8 Oct 2002 20:20:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 563212940E5; Tue, 8 Oct 2002 12:20:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from qu.to (njl.ne.client2.attbi.com [24.218.112.39]) by + xent.com (Postfix) with SMTP id 0C42F2940E4 for ; + Tue, 8 Oct 2002 12:19:03 -0700 (PDT) +Received: (qmail 3564 invoked by uid 500); 8 Oct 2002 19:25:13 -0000 +From: Ned Jackson Lovely +To: fork@example.com +Subject: Re: The absurdities of life. +Message-Id: <20021008152513.C1063@ibu.internal.qu.to> +References: + <3DA3294A.8000209@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <3DA3294A.8000209@cse.ucsc.edu>; from elias@cse.ucsc.edu on + Tue, Oct 08, 2002 at 11:51:54AM -0700 +X-Cell: +1.617.877.3444 +X-Web: http://www.njl.us/ +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 15:25:13 -0400 +X-Spam-Status: No, hits=-9.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_00_10,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Tue, Oct 08, 2002 at 11:51:54AM -0700, Elias wrote: +> So, given the apparent commonality of these occurances, companies appear +> to be losing a large amount of money by mailing these tiny checks out. +> Why can't they simply credit the account in question on the next bill? +> Granted, if an account has been closed there is no such option... + +I've been waiting for Hettinga to regale us with one of his well-tuned +micro-cash-bearer-settlement-geodesic-finance rants. Bob, you are SO +disappointing me. + +-- +njl + + diff --git a/machine-learning-ex6/ex6/easy_ham/0313.6668b975a285edaaecc0aac3b36d3fa8 b/machine-learning-ex6/ex6/easy_ham/0313.6668b975a285edaaecc0aac3b36d3fa8 new file mode 100644 index 0000000..2bb6d00 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0313.6668b975a285edaaecc0aac3b36d3fa8 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Wed Oct 9 10:55:10 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A521A16F18 + for ; Wed, 9 Oct 2002 10:52:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98K4PK32066 for ; + Tue, 8 Oct 2002 21:04:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B76262940BB; Tue, 8 Oct 2002 13:04:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id 55BAB29409A for + ; Tue, 8 Oct 2002 13:03:35 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17z0aJ-0005I4-00; + Tue, 08 Oct 2002 16:04:03 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: <20021008152513.C1063@ibu.internal.qu.to> +References: + <3DA3294A.8000209@cse.ucsc.edu> <20021008152513.C1063@ibu.internal.qu.to> +To: Ned Jackson Lovely , fork@example.com +From: "R. A. Hettinga" +Subject: Re: The absurdities of life. +Cc: Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 15:26:28 -0400 +X-Spam-Status: No, hits=-26.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +At 3:25 PM -0400 on 10/8/02, Ned Jackson Lovely wrote: + + +> I've been waiting for Hettinga to regale us with one of his +> well-tuned micro-cash-bearer-settlement-geodesic-finance rants. +> Bob, you are SO disappointing me. + +How about if I include it by reference... + + + +:-). + +Blue in the face, +RAH + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPaMxL8PxH8jf3ohaEQJOvwCgwLjDfcRLc/15ohgtx/Y7Vvrl/5IAn0iA +eEFqCWCvykjwv+8jPA/PpDsf +=vNcJ +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0314.105a762fc4c2f6b46bc40fdbd14e5754 b/machine-learning-ex6/ex6/easy_ham/0314.105a762fc4c2f6b46bc40fdbd14e5754 new file mode 100644 index 0000000..fd3126b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0314.105a762fc4c2f6b46bc40fdbd14e5754 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Wed Oct 9 10:55:12 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 4D33A16F1A + for ; Wed, 9 Oct 2002 10:52:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98KmWK01353 for ; + Tue, 8 Oct 2002 21:48:33 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6D8812940D4; Tue, 8 Oct 2002 13:48:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc53.attbi.com (rwcrmhc53.attbi.com [204.127.198.39]) + by xent.com (Postfix) with ESMTP id 7E61A2940D1 for ; + Tue, 8 Oct 2002 13:47:56 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc53.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021008204826.IFB12956.rwcrmhc53.attbi.com@Intellistation> for + ; Tue, 8 Oct 2002 20:48:26 +0000 +Content-Type: text/plain; charset="us-ascii" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: fork@example.com +Subject: process music: Mekons +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210081647.31774.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 16:47:31 -0400 +X-Spam-Status: No, hits=-10.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,T_NONSENSE_FROM_00_10,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +http://reuters.com/news_article.jhtml?type=entertainmentnews&StoryID=1543345 + +Working this loose knit fashion is what keeps the Mekons so exciting, +Langford said. "When the Mekons was our whole day job, it became a +drudgery," he said. " Sometimes we get bogged down and trapped. But we're +usually pretty greasy enough to bite our leg off, squirm free and run +off." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0315.15b9ae14057d961ba4ccec2283b8d90a b/machine-learning-ex6/ex6/easy_ham/0315.15b9ae14057d961ba4ccec2283b8d90a new file mode 100644 index 0000000..dfcce59 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0315.15b9ae14057d961ba4ccec2283b8d90a @@ -0,0 +1,70 @@ +From fork-admin@xent.com Wed Oct 9 10:55:14 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6CF7116F1B + for ; Wed, 9 Oct 2002 10:52:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98KvXK01584 for ; + Tue, 8 Oct 2002 21:57:33 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A7D1F2940E7; Tue, 8 Oct 2002 13:57:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 281BC2940E4 for ; + Tue, 8 Oct 2002 13:56:43 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g98Kuj520661 for + ; Tue, 8 Oct 2002 13:56:45 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Origins of Software Engineering +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 13:53:58 -0700 +X-Spam-Status: No, hits=-8.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +The academic discipline of Software Engineering was launched at a conference +sponsored by NATO, at Garmisch, Germany, in October, 1968. Intriguingly, the +term Software Engineering was chosen to be deliberately provocative -- why +can't software be developed with the same rigor used by other engineering +disciplines? + +The proceedings of this conference are now available online, at: +http://www.cs.ncl.ac.uk/old/people/brian.randell/home.formal/NATO/index.html + +Also, don't miss the pictures of attendees, including many significant +contributors to the field of Software Engineering: +http://www.cs.ncl.ac.uk/old/people/brian.randell/home.formal/NATO/N1968/inde +x.html + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0316.0b7a8e1acbd09115574dc58120d93000 b/machine-learning-ex6/ex6/easy_ham/0316.0b7a8e1acbd09115574dc58120d93000 new file mode 100644 index 0000000..b40da6b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0316.0b7a8e1acbd09115574dc58120d93000 @@ -0,0 +1,158 @@ +Forwarded: Wed, 09 Oct 2002 11:09:47 +0100 +Forwarded: mice@crackmice.com +From fork-admin@xent.com Wed Oct 9 10:55:17 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 03FAB16F1C + for ; Wed, 9 Oct 2002 10:52:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98MwbK05339 for ; + Tue, 8 Oct 2002 23:58:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 904F22940DE; Tue, 8 Oct 2002 15:58:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id 1F68229409A for + ; Tue, 8 Oct 2002 15:57:30 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17z3IZ-0007ta-00; + Tue, 08 Oct 2002 18:57:55 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: The Disappearing Alliance +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 18:18:20 -0400 +X-Spam-Status: No, hits=-23.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.techcentralstation.com/1051/printer.jsp?CID=1051-100802B + + + +The Disappearing Alliance +By Dale Franks 10/08/2002 + + +For over two generations, the countries of Western Europe have been our +closest allies. We stood beside each other through the darkest days of the +Cold War as partners in the North Atlantic Treaty Organization. We +celebrated with them over the fall of the Soviet Empire and the liberation +of Eastern Europe from the yoke of communism. + +Tragically, a generation from now, we may be bitter adversaries. + +Europe has increasingly fallen under the spell of a political ideology that +Hudson Institute scholar John Fonte has termed "progressive +transnationalism". The key doctrines of this form of post-communist +progressivism contain some fairly pernicious ideas. Among these are the +deconstruction of nationalism, the promotion of post-nationalist ideas of +citizenship (i.e. a "global" citizenry), a redefinition of democracy, and +the pooling of national sovereignty into multinational groups such as the +United Nations. + +The European Union, itself a multinational organization built through the +pooling of sovereignty by European nations, is post-democratic. While there +is a European Parliament, the EU's power resides mainly in the unelected +European Commission (EC) and its unelected President, who face few limits +to their power. Instead of a limited, consensual form of government, where +elected representatives promulgate constitutional laws, the EU has an +appointed, oligarchic executive, along with a large attendant bureaucracy, +whose orders are not constitutionally limited in any real sense. Moreover, +the EU has been unwilling to accept the democratically expressed wishes of +the people themselves when those wishes conflict with the results desired +by the EU's political elite. Both the EC and the European Court of Justice +regularly overturn the national laws of democratically elected EU member +governments. This is a step backward in Europe's political development. + +European criticism of America is on the rise, and the European list of +complaints about America is a long and growing one. They dislike the fact +that our republican system of government is not based on proportional +representation. They hate the fact that our citizens own guns. They despise +the fact that we execute murderers. They resent the fact that our economy +is so large, and that Americans consume so much. They also resent?and fear +- the fact that we have the ability to project American power anywhere +in the world. + +On August 9, 2002, Adrian Hamilton wrote a column in the UK's Independent +newspaper, in which he identified the US as a rogue state who should be +restrained, perhaps by a European military invasion, followed by a decade +or so of occupation. Fortunately, the article is satirical not because it +exaggerates the way European progressives view the US, but rather because +the impotence of European military power makes the idea of an invasion of +the US literally fantastic. + +At least, for now. + +Despite the tongue-in-cheek nature of this editorial, however, the fact +remains that America is increasingly viewed this way by the European +intellectual and political elite. + +The Europeans actively desire a world where the United Nations keeps in +check the activities of sovereign states. Because they have built such a +system in Europe, they feel it's valid for the rest of the world. America, +however, is the biggest obstacle to such a system. The Europeans cannot +understand why America places a higher value on the ethos of national +sovereignty and limited, consensual, and constitutional government, than it +does on compliance with international "norms." They view all departures +from such norms as aberrant. Because the UN member states all have an equal +vote in prescribing international norms, they assume that, since the +process is ostensibly legitimate, the results must be as well. The trouble +with this idea, of course, is that it gives the views of non-democratic, +authoritarian states the same weight as those of free, democratic +societies. It sanctifies the process, with no regard to the actual results. + +Thus, they are unable to make any moral distinction between the US refusals +to join in a given international effort because we wish to preserve the +liberty of our citizens, and similar refusals from Iraq because its +dictator wishes to maintain his firm grip on power. Our repeated references +to the US Constitution, and our unwillingness to bypass its provisions to +comply with international norms, are incomprehensible to them. They assume, +therefore, that our refusal is based on arrogance, rather than on a +commitment to +constitutional rights. + +None of this bodes well for the future of Euro-American friendship, or +cooperation. If the Europeans continue to reject traditional liberalism in +favor of the new progressivism, their criticism of the US will rise, while +their tolerance of our differences will fall. Obviously, in such a +political atmosphere, the opportunities for conflict will inevitably +increase. + +That thought is frightening enough. Even more frightening, however, is the +thought that such a conflict might be averted by our own acceptance of the +new ideology of transnational progressivism. + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0317.6db6d4e89fecd143caaf99e030792bd1 b/machine-learning-ex6/ex6/easy_ham/0317.6db6d4e89fecd143caaf99e030792bd1 new file mode 100644 index 0000000..8aa31b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0317.6db6d4e89fecd143caaf99e030792bd1 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Wed Oct 9 10:55:18 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8F18616F1E + for ; Wed, 9 Oct 2002 10:53:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:53:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98NCcK06266 for ; + Wed, 9 Oct 2002 00:12:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C4A622940EA; Tue, 8 Oct 2002 16:12:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id DD7442940E9 for ; Tue, + 8 Oct 2002 16:11:36 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D10A43ED70; + Tue, 8 Oct 2002 19:17:04 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id CF81B3ED4D; Tue, 8 Oct 2002 19:17:04 -0400 (EDT) +From: Tom +To: "R. A. Hettinga" +Cc: fork@example.com +Subject: Re: The Disappearing Alliance +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 19:17:04 -0400 (EDT) +X-Spam-Status: No, hits=-20.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,T_NONSENSE_FROM_30_40, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + + +OK, lets break this down into the Kevin Smith worldview taht equate +everything with Star Wars... + +EU is the Republic/empire and we are..what,..the Trade Federation? +Stretch this out and it could be seen that the UN is the Jedi, complete +with faling powers. + +Work with me folks... + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0318.839e0c92ebdd46043e20fa8c2846284d b/machine-learning-ex6/ex6/easy_ham/0318.839e0c92ebdd46043e20fa8c2846284d new file mode 100644 index 0000000..4c4168a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0318.839e0c92ebdd46043e20fa8c2846284d @@ -0,0 +1,69 @@ +From fork-admin@xent.com Wed Oct 9 10:55:03 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 60C3E16F16 + for ; Wed, 9 Oct 2002 10:52:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98J0UK29943 for ; + Tue, 8 Oct 2002 20:00:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 20B8E2940E2; Tue, 8 Oct 2002 12:00:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id 430572940DE for ; + Tue, 8 Oct 2002 11:59:40 -0700 (PDT) +Received: from cse.ucsc.edu ([63.194.88.161]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3O00A1ZFGAXP@mta6.snfc21.pbi.net> for fork@xent.com; Tue, + 08 Oct 2002 12:00:11 -0700 (PDT) +From: Elias +Subject: Re: The absurdities of life. +To: fork@example.com +Reply-To: fork@example.com +Message-Id: <3DA3294A.8000209@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en,pdf +User-Agent: Mozilla/5.0 (Windows; U; WinNT4.0; en-US; rv:0.9.2) + Gecko/20010726 Netscape6/6.1 +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 11:51:54 -0700 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + T_NONSENSE_FROM_30_40,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +So, given the apparent commonality of these occurances, companies appear +to be losing a large amount of money by mailing these tiny checks out. +Why can't they simply credit the account in question on the next bill? +Granted, if an account has been closed there is no such option... + +Elias + + +Christopher Haun wrote: + +> eheh i'll do yah one better i have a check some place (i just moved or i'd +> go scan it in) for $0.01 from Time Warner Cable. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0319.d519b69614d9182047e448e4d96db712 b/machine-learning-ex6/ex6/easy_ham/0319.d519b69614d9182047e448e4d96db712 new file mode 100644 index 0000000..847f76d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0319.d519b69614d9182047e448e4d96db712 @@ -0,0 +1,89 @@ +From fork-admin@xent.com Wed Oct 9 10:55:20 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1299416F67 + for ; Wed, 9 Oct 2002 10:53:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:53:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9902iK08056 for ; + Wed, 9 Oct 2002 01:02:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 828FB2940EB; Tue, 8 Oct 2002 17:02:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 7F8EF2940E3 for ; Tue, + 8 Oct 2002 17:01:36 -0700 (PDT) +Received: (qmail 509 invoked from network); 9 Oct 2002 00:02:07 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 9 Oct 2002 00:02:07 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: The Disappearing Alliance +Message-Id: <000801c26f27$1c087840$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 17:02:08 -0700 +X-Spam-Status: No, hits=-19.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of R. +A. +> Hettinga +> Subject: The Disappearing Alliance +> +> http://www.techcentralstation.com/1051/printer.jsp?CID=1051-100802B +> +> +> +> The Disappearing Alliance +> By Dale Franks 10/08/2002 + +> Obviously, in such a +> political atmosphere, the opportunities for conflict will inevitably +> increase. + +Given current trends, particularly in demographics, such conflict won't +be military. Europe wouldn't stand a chance now and things are getting +worse in a hurry. They are SOL. + +Not to mention that when push comes to shove they wouldn't stand united. + +> +> That thought is frightening enough. Even more frightening, however, is +the +> thought that such a conflict might be averted by our own acceptance of +the +> new ideology of transnational progressivism. + +Now that is a scary thought. +] + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0320.6c54ea1bb991c6fae395588219cfce37 b/machine-learning-ex6/ex6/easy_ham/0320.6c54ea1bb991c6fae395588219cfce37 new file mode 100644 index 0000000..f22c854 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0320.6c54ea1bb991c6fae395588219cfce37 @@ -0,0 +1,626 @@ +From fork-admin@xent.com Wed Oct 9 10:55:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 4D30016F6A + for ; Wed, 9 Oct 2002 10:53:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:53:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g992VDK14914 for ; + Wed, 9 Oct 2002 03:31:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F2922940C9; Tue, 8 Oct 2002 19:30:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from gremlin.ics.uci.edu (gremlin.ics.uci.edu [128.195.1.70]) by + xent.com (Postfix) with ESMTP id 2021E29409A for ; + Tue, 8 Oct 2002 19:29:33 -0700 (PDT) +Received: from localhost (godzilla.ics.uci.edu [128.195.1.58]) by + gremlin.ics.uci.edu (8.12.5/8.12.5) with ESMTP id g992TbgB024238 for + ; Tue, 8 Oct 2002 19:29:37 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +Subject: Lord of the Ringtones: Arbocks vs. Seelecks +From: Rohit Khare +To: Fork@xent.com +Message-Id: +X-Mailer: Apple Mail (2.482) +X-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 19:29:41 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g992VDK14914 +X-Spam-Status: No, hits=-6.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_30_40,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +I can't believe I actually read a laugh-out-loud funny profile of the +*FCC Commissioner* fer crissakes! So the following article comes +recommended, a fine explanation of Michael Powell's extraordinary +equivocation. + +On the other hand, I can also agree with Werbach's Werblog entry... Rohit + +> A Trip to F.C.C. World +> +> Nicholas Lemann has a piece in the New Yorker this week about FCC +> Chairman Michael Powell.  It's one of the first articles I've seen that +> captures some of Powell's real personality, and the way he's viewed in +> Washington.  Unfortunately, Lemann ends by endorsing conventional +> political wisdom.  After describing how Powell isn't really a +> fire-breathing ideological conservative, he concludes that, in essence, +> Powell favors the inumbent local Bell telephone companies, while a +> Democratic FCC would favor new entrants.  I know that's not how Powell +> sees the world, and though I disagree with him on many issues, I think +> he's right to resist the old dichotomy. +> +> The telecom collapse should be a humbling experience for anyone who +> went through it.  The disaster wasn't the regulators' fault, as some +> conservatives argue.  But something clearly went horribly wrong, and +> policy-makers should learn from that experience.  Contrary to Lemann's +> speculation, the upstart carriers won't be successful in a Gore +> administration, because it's too late.  Virtually all of them are dead, +> and Wall Street has turned off the capital tap for the foreseeable +> future.  Some may survive, but as small players rather than +> world-dominators.  +> +> The battle between CLECs and RBOCs that Lemann so astutely parodies is +> old news.  The next important battle in telecom will be between those +> who want to stay within the traditional boxes, and those who use +> different models entirely.  That's why open broadband networks and open +> spectrum are so important.  Whatever the regulatory environment, there +> is going to be consolidation in telecom.  Those left out in that +> consolidation will face increasing pressure to create new pipes into +> the home, or slowly die. The victors in the consolidation game will cut +> back on innovation and raise prices, which will create further pressure +> for alternatives.  +> +> Lemann is right that policy-making looks much drier and more ambiguous +> on the ground than through the lens of history.  But he's wrong in +> thinking that telecom's future will be something like its past. +> +> Friday, October 04, 2002 +> 11:17:11 AM  comments {0}  + +============================================================== +http://www.newyorker.com/printable/?fact/021007fa_fact + +THE CHAIRMAN +by NICHOLAS LEMANN +He's the other Powell, and no one is sure what he's up to. +New Yorker, October 8, 2002 + +Last year, my middle son, in eighth grade and encountering his first +fairly serious American-history course, indignantly reported that the +whole subject was incomprehensible. I was shocked. What about Gettysburg +and the Declaration of Independence and the Selma-to-Montgomery march? +Just look at my textbook, he said, and when I did I saw his point. His +class had got up to the eighteen-forties. What I expected was a big +beefing up of the roles of Sacagawea and Crispus Attucks, and, in-deed, +there was some of that. But the main difference between my son's text +and that of my own childhood was that somebody had made the disastrous +decision to devote most of it to what had actually happened in American +history. There were pages and pages on tariffs and bank charters and +reciprocal trade agreements. I skipped ahead, past the Civil War, hoping +for easier going, only to encounter currency floats and the regulation +of freight rates. Only a few decades into the twentieth century did it +become possible to see the federal government's main function as +responding to dramatic crises and launching crusades for social justice, +instead of attempting to referee competing claims from economic +interests. + +Even now, if one were to reveal what really goes on behind the pretty +speeches and the sanctimonious hearings in Washington, what you'd find +is thousands of lawyers and lobbyists madly vying for advantage, not so +much over the public as over each other: agribusiness versus real +estate, banks versus insurance companies, and so on. The arena in which +this competition mainly takes place is regulatory agencies and +commissions and the congressional committees that supervise them. It's +an insider's game, less because the players are secretive than because +the public and the press—encouraged by the players, who speak in jargon— +can't get themselves interested. + +One corner of Washington might be called F.C.C. World, for the Federal +Communications Commission. F.C.C. World has perhaps five thousand +denizens. They work at the commission itself, at the House and Senate +commerce committees, and at the Washington offices of the companies that +the commission regulates. They read Communications Daily (subscription +price: $3,695 a year), and every year around Christmastime they +grumblingly attend the Chairman's Dinner, at a Washington hotel, where +the high point of the evening is a scripted, supposedly self-deprecating +comedy routine by the commission's chairman. + +Of all the federal agencies and commissions, the F.C.C. is the one that +Americans ought to be most interested in; after all, it is involved with +a business sector that accounts for about fifteen per cent of the +American economy, as well as important aspects of daily life—telephone +and television and radio and newspapers and the Internet. And right now +F.C.C. World is in, if not a crisis, at least a very soapy lather, +because a good portion of what the angry public thinks of as the +"corporate scandals" concerns the economic collapse of companies +regulated by the F.C.C. Qwest, WorldCom, Adelphia, and Global Crossing, +among others, are (or were) part of F.C.C. World. AOL Time Warner is +part of F.C.C. World. Jack Grubman, the former Salomon Smith Barney +analyst who seems to have succeeded Kenneth Lay, of Enron, as the +embodiment of the corporate scandals, is part of F.C.C. World. In the +past two years, companies belonging to F.C.C. World have lost trillions +of dollars in stock-market valuation, and have collectively served as a +dead weight pulling down the entire stock market. + +This year, an alarmed and acerbic anonymous memorandum about the state +of the F.C.C. has been circulating widely within F.C.C. World. It evokes +F.C.C. World's feverish mood ("The F.C.C. is fiddling while Rome burns") +and suggests why nobody besides residents of F.C.C. World has thought of +the commission in connection with the corporate scandals. The sentence I +just quoted is followed by this explanation: "The ILECs appear likely to +enter all l.d. markets within twelve months, while losing virtually no +residential customers to attackers since 1996, and suffering about 10% +market share loss in business lines to CLECs." It's a lot easier to +think about evil C.E.O.s than to decipher that. + + +Even in good times, F.C.C. World pays obsessive attention to the +commission's chairman. In bad times, the attention becomes especially +intense; and when the chairman is a celebrity F.C.C. World devotes +itself to full-time chairman-watching. The current chairman, Michael +Powell, is a celebrity, at least by government-official standards, +because he is the only son of Colin Powell, the Secretary of State. +Unlike his father, he has a kind of mesmerizing ambiguity, which +generates enormous, and at times apoplectically toned, speculation about +who he really is and what he's really up to. Powell is young to be the +head of a federal agency—he is thirty-nine—and genially charming. +Everybody likes him. Before becoming chairman, he was for three years +one of the F.C.C.'s five commissioners; not only is he fluent in the +F.C.C.'s incomprehensible patois, he has a Clintonesque love of the +arcane details of communications policy. He's always saying that he's an +"avid moderate." And yet he has a rage-inciting quality. One of his +predecessors as chairman, Reed Hundt, quoted in Forbes, compared Powell +to Herbert Hoover. Mark Cooper, of the Consumer Federation of America, +calls him "radical and extreme." Just as often as he's accused of being +a right-wing ideologue, Powell gets accused of being paralytically +cautious. "It ain't about singing 'Kum-Ba-Yah' around the campfire," +another former chairman, William Kennard, says. "You have to have an +answer." One day last spring, Powell, testifying before a Senate +subcommittee, delivered an anodyne opening statement, and the +subcommittee's chairman, Ernest Hollings, of South Carolina, berated +him. "You don't care about these regulations," Hollings said. "You don't +care about the law or what Congress sets down. . . . That's the +fundamental. That's the misgiving I have of your administration over +there. It just is amazing to me. You just pell-mell down the road and +seem to not care at all. I think you'd be a wonderful executive +vice-president of a chamber of commerce, but not a chairman of a +regulatory commission at the government level. Are you happy in your +job?" + +"Extremely," Powell said, with an amiable smile. + + +One cannot understand Powell's maddening effect, at least on Democrats +and liberal activists, without understanding not just the stated purpose +of the commission he chairs but also its real purpose. The F.C.C. was +created by Congress in 1934, but it existed in prototype well before the +New Deal, because it performs a function that is one of the classic easy +cases for government intervention in the private economy: making sure +that broadcasters stick to their assigned spots on the airwaves. Its +other original function was preventing American Telephone & Telegraph, +the national monopoly phone company, from treating its customers +unfairly. Over the decades, as F.C.C. World grew up into a comfortable, +well-established place, the F.C.C. segued into the role of industrial +supervision—its real purpose. It was supposed to manage the competition +among communications companies so that it didn't become too bloody, by +artfully deciding who would be allowed to enter what line of business. +In addition to looking out for the public's interest, the commission +more specifically protected the interests of members of Congress, many +of whom regard the media companies in their districts as the single most +terrifying category of interest group—you can cross the local bank +president and live to tell the tale, but not the local broadcaster. +According to an oft-told F.C.C. World anecdote, President Clinton once +blocked an attempt to allow television stations to buy daily newspapers +in the same city because, he said, if the so-and-so who owned the +anti-Clinton Little Rock Democrat-Gazette had owned the leading TV +station in Little Rock, too, Clinton would never have become President. + + +F.C.C. World may have been con tentious, but it was settled, too, +because all the reasonably powerful players had created secure economic +niches for themselves. Then, in the nineteen-eighties, the successful +breakup of A.T. & T.—by far the biggest and most important company the +commission regulated—deposited a thick additional sediment of +self-confidence onto the consciousness of F.C.C. World. A generation +ago, for most Americans, there was one local phone company, one +long-distance company, and one company that manufactured telephones, +which customers were not permitted to own—and they were all the same +company. It was illegal to plug any device into a phone line. By the +mid-nineteen-nineties, there were a dozen economically viable local +phone companies, a handful of national long-distance companies competing +to offer customers the lowest price and best service, and stores +everywhere selling telephone equipment from many manufacturers—and +millions of Americans had a fax machine and a modem operating over the +telephone lines. A.T. & T. had argued for years that it was a "natural +monopoly," requiring protection from economic competition and total +control over its lines. So much for that argument. Over the same period, +the F.C.C. had assisted in the birth of cable television and cell phones +and the Internet. It was the dream of federal-agency success come true: +consumers vastly better served, and the industry much bigger and more +prosperous, too. + +The next big step was supposed to be the Telecommunications Act of 1996, +one of those massive, endlessly lobbied-over pieces of legislation which +most people outside F.C.C. World probably felt it was safe to ignore. +Although the Telecom Act sailed under the rhetorical banner of +modernization and deregulation, its essence was a grand interest-group +bargain, in which the local phone companies, known to headline writers +as "baby Bells" and to F.C.C. World as "arbocks" (the pronounced version +of RBOCs, or regional Bell operating companies), would be permitted to +offer long-distance service in exchange for letting the long-distance +companies and smaller new phone companies use their lines to compete for +customers. Consumers would win, because for the first time they would +get the benefits of competition in local service while getting even more +competition than they already had in long distance. But the politics and +economics of the Telecom Act (which was shepherded through Congress by +Vice-President Gore) were just as important. Democrats saw the act as +helping to reposition them as the technology party—the party that +brought the Internet into every home, created hundreds of thousands of +jobs in new companies, and, not least, set off an investment boom whose +beneficiaries might become the party's new contributor base. Clinton's +slogans about the "information superhighway" and "building a bridge to +the twenty-first century," which, like all Clinton slogans, artfully +sent different messages to different constituencies, were the rhetorical +correlates of the Telecom Act, and Gore's cruise to the Presidency was +supposed to be powered substantially by the act's success. + +The F.C.C. had a crucial role in all this. The arbocks are rich, +aggressive, politically powerful, and generally Republican (though like +all important interest groups they work with both parties); they +immediately filed lawsuits, which wound up tying the hands of their new +competitors in the local phone market for more than three years. Through +rule-making, enforcement, and litigation, the F.C.C., then headed by +Reed Hundt, who was Gore's classmate at St. Albans, was supposed to keep +the arbocks in their cages, so that not only long-distance companies +like A.T. & T. and MCI WorldCom but also a whole category of new +companies, "see-lecks" (the pronounced version of CLECs, or competitive +local exchange carriers), could emerge. This entailed the regulatory +equivalent of hand-to-hand combat: the see-leck is supposed to have +access to the arbock's switching equipment, the arbock won't give the +seeleck a key to the room where it's kept, so the see-leck asks the +F.C.C. to rule that the arbock has to give it the key. + +Partly because Hundt assured the see-lecks and other new companies that +he would protect them, and partly because of the generally booming +condition of the economy then, investment capital flooded into the +see-lecks—companies with names like Winstar, Covad, and Teligent—and +into other telecommunications companies. Even not obviously related +technology companies like Cisco Systems benefitted from the telecom +boom: demand for their products was supposed to come from the see-lecks +and other new players. There would be no conflict between the interests +of the new telecom companies and those of consumers; as one of Hundt's +former lieutenants told me, "Reed used to joke that my job was to make +sure that all prices went down and all stocks went up." + + +The years following the passage of the Telecom Act were the peak of the +boom. Wall Street had its blood up, and that meant not just more +startups but also more mergers of existing communications companies: +Time Warner and AOL decided to throw in together, and A.T. & T. and +Comcast, and so on. (Surely, WorldCom and the other telecom bad guys +believed that their self-dealing, stock-overselling, and creative +accounting would go unnoticed because the market was so +undiscriminating.) + +By the time the outcome of the 2000 Presidential election had been +determined, the telecom crash was well under way. Nonetheless, the +chairmanship of the F.C.C. remained one of the best jobs, in terms of +influence and visibility, available to a career government regulator. +Three Republicans emerged as candidates: Powell, who was a commissioner; +Harold Furchtgott-Roth, the farthest-to-the-right commissioner; and +Patrick Wood, the head of the Texas Public Utility Commission and, as +such, a George W. Bush guy. In Texas, however, Wood had crossed the most +powerful person in the arbock camp, Edward Whitacre, the C.E.O. of +S.B.C. Communications, which is headquartered in San Antonio. This meant +that the arbocks didn't want Wood as head of the F.C.C., because he +might be too pro-see-leck. (Wood is now the head of the Federal Energy +Regulatory Commission.) Michael Powell had to signal the arbocks that he +wasn't as threatening as Wood, while also signalling the conservative +movement that he was only negligibly farther to the left than +Furchtgott-Roth. + +Powell did this deftly. For example, in December of 2000 he appeared +before a conservative group called the Progress & Freedom Foundation and +gave a very Michael Powell speech—whimsical, intellectual, and +free-associative (Biblical history, Joseph Schumpeter, Moore's Law)—that +began by making fun of the idea that the F.C.C. should try to keep new +telecom companies alive. "In the wake of the 1996 Act, the F.C.C. is +often cast as the Grinch who stole Christmas," Powell said. "Like the +Whos, down in Who-ville, who feast on Who-pudding and rare Who-roast +beast, the communications industry was preparing to feast on the +deregulatory fruits it believed would inevitably sprout from the Act's +fertile soil. But this feast the F.C.C. Grinch did not like in the +least, so it is thought." Thus Powell was indicating that if he became +chairman he didn't expect to administer first aid to the see-lecks as +part of the job. He was appointed to the chairmanship on the first day +of the Bush Administration. + +Twenty months into the Administration, nearly all the see-lecks are dead +or dying; nearly all long-distance companies, not just WorldCom, are in +serious trouble; cable companies have lost half their value; satellite +companies are staggering. The crash has had an automatically +concentrating effect, because as new companies die the existing +companies' market share increases, and, if the existing companies are in +good shape financially, they have the opportunity to pick up damaged +companies at bargain prices. During the Bush Administration, as the +financial carnage in communications has worsened, the communications +industry has moved in the direction of more concentration. If the Bells +wind up protecting their regional monopolies in local phone service, and +if they also merge, the country will be on its way to having a national +duopoly in local service: Verizon, in the East, and S.B.C., in the West. +And these companies could dominate long distance as well, because of the +poor health of the long-distance companies. + +The cable business also seems close to having two dominant national +companies, AOL Time Warner and Comcast. Unlike the phone companies, they +don't have to share their wiring with other companies and so can more +fully control what material they allow to enter people's homes. As part +of the complicated bargaining with interest groups that led to the 1996 +Telecom Act, the limits on concentration in the radio industry were +significantly loosened, and in the past six years the number of +radio-station owners in the United States has been cut by twenty-five +per cent; today, a large portion of local and national radio news +programming is supplied by a single company, Westwood One, a subsidiary +of Viacom. + +In this situation, many Democrats and liberals think, the F.C.C. should +be hyperactive—the superhero of government regulation, springing to the +rescue of both consumers and the communications industry. It should try +to breathe life into the see-lecks and other new companies. It should +disallow mergers, maintain ownership limits, and otherwise restrain the +forces of concentration. It should use the government's money and muscle +to get new technology—especially fast Internet connections—into the +homes of people who can't afford it at current market prices. (An +analogy that a lot of people in F.C.C. World make is between telecom and +the Middle East: the Clinton people blame the bloodshed on the Bush +people, because they disengaged when they came into office, and the Bush +people blame it on the Clinton people, because they raised too many +expectations and stirred too many passions.) + +But Michael Powell's F.C.C. has not been hyperactive. Powell has been +conducting internal policy reviews and reforming the management of the +F.C.C. and waiting for the federal courts and the Congress to send him +signals. (In mid-September, Powell finally initiated a formal review of +the F.C.C.'s limits on media concentration.) This doesn't mean he has +been inactive; rather, he has been active in a way that further +infuriates his critics—in a manner that smoothly blends the genial and +the provocative, he muses about whether the fundamental premises of +F.C.C. World really make sense, while giving the impression that he's +having the time of his life as chairman. At his first press conference, +when he was asked what he was going to do about the "digital +divide"—that is, economic inequality in access to the Internet—he said, +"You know, I think there is a Mercedes divide. I'd like to have one and +I can't afford one." At the National Cable & Telecommunications +Association convention, in Chicago, Powell, following a troupe of +tumblers to the stage, interrupted his walk to the podium to perform a +somersault. + + +Not long ago, I went to see Powell in his office at the F.C.C. Until +1998, when the commission moved to a new building in Southwest +Washington, near the city's open-air fish market, F.C.C. World was at +the western edge of downtown, where everybody would encounter everybody +else at a few familiar restaurants and bars. Today, the F.C.C. building +looks like the office of a mortgage company in a suburban office park. +Even the chairman's suite, though large, is beige, carpeted, and +fluorescent. Powell is a bulky man who wears gold-rimmed glasses and +walks with a pronounced limp, the result of injuries he suffered in a +jeep accident in Germany, in 1987, when he was an Army officer. Because +of the accident, he left the Army and went to law school, where he +became entranced with conservative ideas about regulation, particularly +the idea that the government, rather than trying to correct the flaws of +the market before the fact—"prophylactically," as he likes to say—should +wait till the flaws manifest themselves and then use antitrust +litigation to fix them. He worked briefly at a corporate law firm, and +then became a protégé of Joel Klein, the head of the antitrust division +of the Clinton Justice Department and the man who led the government's +legal case against Microsoft. (He was recently appointed chancellor of +the New York public-school system.) It testifies to Powell's political +skill that he is probably the only high official in the Bush +Administration who not only served in the Clinton Administration but +also maintains close ties to Bush's nemesis Senator John McCain, of +Arizona. One of the things about Powell that annoy people is his +enduring love of law school—"It's sort of like a law-school study +session over there," one Democratic former commissioner said. As if to +confirm the charge, Powell, when I arrived, introduced me to four law +students, summer interns at the commission, whom he'd invited to sit in. + +I began by asking Powell whether he agreed with the founding assumptions +of the F.C.C. For example, could private companies have apportioned the +airwaves among themselves without the government being involved? + +"I think we'll never know," Powell said. "I don't think it's an +automatically bad idea, the way some people will argue. Land is probably +the best analogue. We don't seize all the land in the United States and +say, 'The government will issue licenses to use land.' If my neighbor +puts a fence one foot onto my property line, there's a whole body of law +about what I can do about that, including whether I can tear it down. If +a wireless company was interfering with another wireless company, it's a +similar proposition. There are scholars who argue—indeed, the famous +Ronald Coase treatise that won the Nobel Prize was about this—that +spectrum policy is lunacy. The market could work this out, in the kinds +of ways that we're accustomed to." + +Talking to Powell was fun. Unlike most high government officials, he +doesn't seem to be invested in appearing dignified or commanding. He +slumps in his chair and fiddles with his tie and riffs. He speaks in +ironic air quotes. He's like your libertarian friend in college who +enjoyed staying up all night asking impertinent rhetorical questions +about aspects of life that everybody else takes for granted but that he +sees as sentimental or illogical. After a while, I asked him whether he +thought his predecessors' excitement about the 1996 Telecommunications +Act had been excessive. + +"I would start with a caveat," Powell said. "Look, I can't fault those +judgments in and of themselves, given the time and what people thought. +They were not the only ones who were hysterical about the opportunities. +But, frankly, I've always been a little bit critical. First of all, +anybody who works with the act knows that it doesn't come anywhere close +to matching the hyperbole that was associated with it, by the President +on down, about the kinds of things it's going to open up. I mean, I +don't know what provisions are the information-superhighway provisions, +or what provisions are so digitally oriented, or some of the things that +were a big part of the theatre of its introduction. When one starts +reading the details, one searches, often in vain, for these provisions. +But, nonetheless, there was a rising dot-com excitement, and an Internet +excitement, and people thought this was historic legislation, and it +certainly was. + +"But. We were sucking helium out of balloons, with the kinds of +expectations that were being bandied around, and this is before the +economy or the market even gets in trouble. It was a dramatically +exaggerated expectation—by the leadership of the commission, by +politicians, by the market itself, by companies themselves. It was a +gold rush, and led to some very detrimental business decisions, ones +that government encouraged by its policies, frankly. Everybody wanted to +see numbers go up on the board." + +Powell began imitating an imagined true believer in the Telecom Act. " +'I want to see ten competitors. Twenty competitors! I want to see +thirty-per-cent market share. Fifty-per-cent market share! I want the +Bells to bleed! Then we'll know we've succeeded.' " Now Powell returned +to being Powell. "I think that expectation was astonishingly +unrealistic, in the short term. They wanted to see it while they're +there. We were starting to get drunk on the juice we were drinking. And +the market was getting drunk on the juice we were drinking. There's no +question, we went too soon too fast. Too many companies took on too much +debt too fast before the market really had a product, or a business +model." + +How could the Telecom Act have been handled better? "We could have +chosen policies that were less hellbent on a single objective, and were +slightly more balanced and put more economic discipline in the system," +Powell said. "Money chased what seemed like government-promised +opportunity. The problem with that is there's a morning after, and we're +in it. And the problem is there is no short fix for this problem. This +debt is going to take years to bring down to a realistic level. In some +ways, for short-term gain, we paid a price in long-term stability." + +Powell went on to say that it might have turned out differently if there +had been a more "reasonable" level of investment. "No, we wouldn't have +every home in America with competitive choice yet—but we don't anyway. I +don't think it's the remonopolization of telephone service. I don't buy +that. The Bells will prosper, but did anybody believe they wouldn't? The +part of the story that didn't materialize was that people thought so +would MCI WorldCom and Sprint." + +Other local phone companies, he added, hadn't materialized as viable +businesses, either, and they never might. "Everybody's always saying, +'The regulators did this and this and this.' But, candidly, the story's +quite the opposite. I think the regulators bent over backward for six +years to give them a chance. Conditions don't get that good except once +every thirty years, and it didn't happen. So, whatever the reason, we're +looking at a WorldCom that's teetering. We're looking at a long-distance +business that has had a rapid decline in its revenue base. A.T. & T. is +breaking itself up. Sprint has struggled." + +Could the F.C.C. have done anything to make the long-distance companies +stronger? "At the F.C.C.? I think I'll just be blunt. My political +answer? Yes, there's all kinds of things we can do at the margin to try +to help. But I can't find thirty billion dollars for WorldCom somewhere. +I can't mitigate the impacts of an accounting scandal and an S.E.C. +investigation. Were I king, it would be wonderful, but I don't have +those kinds of levers. I don't know whether anybody does. At some point, +companies are expected to run themselves in a way that keeps them from +dying." Powell couldn't have made it much clearer that he doesn't think +it's his responsibility to do anything about the telecom crash. He has +demonstrated his sure political touch by making accommodationist +gestures—in August, for example, five months after disbanding the +F.C.C.'s Accounting Safeguards Division, Powell announced that he was +appointing a committee to study accounting standards in the +communications industry. But that shows that Powell is better at riding +out the storm than, say, Harvey Pitt, his counterpart at the Securities +and Exchange Commission, and does not mean that he plans to try to shore +up the telecom industry. + +I asked Powell if it would bother him if, for most people, only one +company provided cable television and only one provided local phone +service. "Yes," he said. "It concerns us that there's one of each of +those things, but let's not diminish the importance of there being one +of each of those things. That still is a nice suite of communications +capabilities, even if they aren't direct analogues of each other." +Anyway, Powell said, before long the phone companies will be able to +provide video service over their lines, and the cable companies will +provide data service over their lines, so there will be more choice. +"So, yeah, we have this anxiety: we have one of everything. The question +is, Does it stay that way?" + +The concentration of ownership and the concentrated control of +information did not appear to trouble Powell, either. He said that +people confuse bigness, which brings many benefits, with concentration, +which distorts markets. "If this were just economics, it's easy. If you +were to say to me, 'Mike, just worry about economic concentration,' we +know how to do that—the econometrics of antitrust. I can tell you when a +market's too concentrated and prices are going to rise. The problem is +other dimensions, like political, ideological, sometimes emotional. Take +the question of, if everybody's controlling what you see, the assumption +there is that somehow there'll be this viewpoint, a monolithic +viewpoint, pushed on you by your media and you won't get diversity. I +think that's a possibility. I don't think it's nearly the possibility +that's ascribed to it sometimes." + +Powell explained, "Sometimes when we see very pointed political or +parochial programming, it gets attacked as unfair. I see some of the +same people who claim they want diversity go crazy when Rush Limbaugh +exists. They love diversity, but somehow we should run Howard Stern off +the planet. If it has a point of view, then it becomes accused of bias, +and then we have policies like"—here his tone went from ironic to +sarcastic—"the fairness doctrine, which seems to me like the antithesis +of what I thought those people cared about. So when somebody is pointed +and opinionated, we do all this stuff in the name of journalistic +fairness and integrity or whatever, to make them balance it out." + + +F.C.C. World abounds in theories about Michael Powell. One is that he +can't make up his mind about how to address the crisis in the industries +he regulates—so he talks (and talks and talks) flamboyantly about the +market, in order to buy himself time. Another is that he's carrying +water for the arbocks and the big cable companies. Another is that he is +planning to run for the Senate from Virginia (or to be appointed +Attorney General in a second Bush term), and doesn't want to do anything +at the F.C.C. that would diminish his chances. Another is that he's +waiting to move until there is more consensus on some course of action, +so that he doesn't wind up going first and getting caught in the +crossfire between the arbocks and the cable companies and the television +networks. (In F.C.C. World, this is known as the Powell Doctrine of +Telecom, after Colin Powell's idea that the United States should never +commit itself militarily without a clear objective, overwhelming force, +and an exit strategy.) And another is that he actually believes what he +says, and thinks the telecommunications crash is natural, healthy, and +irreversible, and more concentration would be just fine. + +"This is why elections matter," Reed Hundt, who isn't happy about what +has become of his Telecom Act, told me. It's true that the F.C.C.—much +more than, say, the war in Afghanistan—is a case in which a Gore +Administration would be acting quite differently from the Bush +Administration. Consumers might have noticed the difference by now, but +there's no question whether communications companies have noticed. The +arbocks are doing better against their internal rivals than they would +have done if Gore had won. Next election, they'll help the party that +helped them. If the Republicans win, policy will tilt further in the +arbocks' favor. If they lose, perhaps the arbocks' rivals—the +long-distance companies and the telecommunications upstarts—with their +friends now in power, will stage a comeback. America's present is not +unrecognizably different from America's past. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0321.b100345ae7b5e980f41d9c6e0ff3159a b/machine-learning-ex6/ex6/easy_ham/0321.b100345ae7b5e980f41d9c6e0ff3159a new file mode 100644 index 0000000..eea1d25 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0321.b100345ae7b5e980f41d9c6e0ff3159a @@ -0,0 +1,72 @@ +From fork-admin@xent.com Wed Oct 9 10:55:35 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A033516F69 + for ; Wed, 9 Oct 2002 10:53:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:53:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g991NXK12924 for ; + Wed, 9 Oct 2002 02:23:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CB1FF2940EF; Tue, 8 Oct 2002 18:23:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 858A72940EC for ; + Tue, 8 Oct 2002 18:22:15 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g991Mc523727 for + ; Tue, 8 Oct 2002 18:22:38 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: [NYT] Korea's Real Rage for Virtual Games +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 8 Oct 2002 18:19:49 -0700 +X-Spam-Status: No, hits=-8.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +http://www.nytimes.com/2002/10/09/technology/09KORE.html + +Broadband's killer application — the one activity that dwarfs all others — +is online gaming, which 80 percent of South Koreans under 25 play, according +to one recent study. Critics say the burgeoning industry is creating +millions of zombified addicts who are turning on and tuning into computer +games, and dropping out of school and traditional group activities, becoming +uncommunicative and even violent because of the electronic games they play. + +"Game players don't have normal social relationships anymore," said Kim Hyun +Soo, a 36-year-old psychiatrist who is chairman of the Net Addiction +Treatment Center, one of many groups that have sprung up to cope with +Internet game addiction. "Young people are losing the ability to relate to +others, except through games. People who become addicted are prone to +violence, even when they are not playing. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0322.1f9c23ccba1c0408c648f6cb0b392e93 b/machine-learning-ex6/ex6/easy_ham/0322.1f9c23ccba1c0408c648f6cb0b392e93 new file mode 100644 index 0000000..9233e6c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0322.1f9c23ccba1c0408c648f6cb0b392e93 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Wed Oct 9 10:56:00 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8CAA216F19 + for ; Wed, 9 Oct 2002 10:53:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:53:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9959VK20233 for ; + Wed, 9 Oct 2002 06:09:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A36DA2940E3; Tue, 8 Oct 2002 22:09:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from frodo.hserus.net (202-77-223-48.outblaze.com + [202.77.223.48]) by xent.com (Postfix) with ESMTP id DAF4029409A for + ; Tue, 8 Oct 2002 22:08:10 -0700 (PDT) +Received: from [202.56.248.94] (helo=rincewind.pobox.com) by + frodo.hserus.net with asmtp (Exim 4.10) id 17z95B-0007kV-00; + Wed, 09 Oct 2002 13:08:33 +0800 +X-PGP-Dsskey: 0x55FAB8D3 +X-PGP-Rsakey: 0xCAA67415 +Message-Id: <5.1.0.14.2.20021009103526.02ec2050@frodo.hserus.net> +X-Nil: +To: "Stephen D. Williams" , + Lorin Rivers +From: Udhay Shankar N +Subject: Re: ActiveBuddy +Cc: "Mr. FoRK" , FoRK List +In-Reply-To: <6E8631AD.30501@lig.net> +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 10:35:55 +0530 +X-Spam-Status: No, hits=-5.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + +At 12:05 PM 10/4/28 -0400, Stephen D. Williams wrote: + +>Date: Wed, 04 Oct 2028 12:05:01 -0400 +> +>I actually thought of this kind of active chat at AOL (in 1996 I think), +>bringing up ads based on what was being discussed and other features. For +>a while, the VP of dev. (now still CTO I think) was really hot on the idea +>and they discussed patenting it. Then they lost interest. Probably a +>good thing. + +[note date: header] + +Can I borrow your time machine, pretty please? + +Udhay + +-- +((Udhay Shankar N)) ((udhay @ pobox.com)) ((www.digeratus.com)) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0323.d28819c84ee48388f5a58021028385dc b/machine-learning-ex6/ex6/easy_ham/0323.d28819c84ee48388f5a58021028385dc new file mode 100644 index 0000000..ec8b95b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0323.d28819c84ee48388f5a58021028385dc @@ -0,0 +1,100 @@ +From ilug-admin@linux.ie Wed Oct 9 10:53:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 521E516F85 + for ; Wed, 9 Oct 2002 10:52:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:29 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98GfSK25050 for + ; Tue, 8 Oct 2002 17:41:28 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 46A21340D5; Tue, 8 Oct 2002 17:42:13 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from home.hostireland.com (home.hostireland.com [64.65.56.3]) by + lugh.tuatha.org (Postfix) with ESMTP id 2D3BB340A2 for ; + Tue, 8 Oct 2002 17:41:08 +0100 (IST) +Received: from pluto.meritsolutions.ie (p218.as1.prp.dublin.eircom.net + [159.134.168.218]) (authenticated) by home.hostireland.com (8.11.6/8.11.6) + with ESMTP id g98Gf1l25092 for ; Tue, 8 Oct 2002 17:41:01 + +0100 +From: Colin Nevin +To: ilug@linux.ie +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-4) +Message-Id: <1034098479.1602.13.camel@pluto> +MIME-Version: 1.0 +Subject: [ILUG] connecting at 1200bps in RH7.3 (help!) +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 17:34:37 +0000 +Date: 08 Oct 2002 17:34:37 +0000 +X-Spam-Status: No, hits=-2.9 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + SIGNATURE_LONG_SPARSE,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Hi All, + +Anyone ever try connecting at 1200bps in Linux? I've got a USR 56K +Faxmodem which is meant to connect to another (same) modem and I have to +connect at this speed due to the (NT) port settings on the remote side, +but the modem handshake always fails at this speed. + +The modem handshake works at slightly higher speeds (4800bps to +~57600bps) but that is no good for tx/rx'ing data to the remote server +as it insists at talking at the speed of treacle/1200bps. + +Note Minicom fails to handshake at 1200bps, but HyperTerm in Windows +worked first time(!?), any ideas? + +Baud 1200 7 data bits Even Parity + +I am doing a ATZ3 to reset the modem then I send this init string: + +AT&F1E1V1Q0X4Y0S32=232&A1&B0&C1&D2&H0&I0&K1&M4&N0&P0&R1&S0&U0&Y1 + +... which is most of the defaults. + +USR said to set S15=128 (disables v.42)) +& set S32=98 (disable v.92 & X2) + +But the S15=128 just makes the handshake lockup instead of just giving +up. + +btw this is a bank's system I am connecting to so reconfiguring their +modems may be difficult. + +Colin. + + +-- +Colin Nevin, +Software Engineer, +Merit Solutions Ltd. (Dublin), +5 Goatstown Cross, +Dublin 14. +------------------------------------------ +Printed using 100% recycled electrons. + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0324.d425c24d444091807e283e66449853b0 b/machine-learning-ex6/ex6/easy_ham/0324.d425c24d444091807e283e66449853b0 new file mode 100644 index 0000000..791dfa1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0324.d425c24d444091807e283e66449853b0 @@ -0,0 +1,103 @@ +From ilug-admin@linux.ie Wed Oct 9 10:53:57 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E22D316F1F + for ; Wed, 9 Oct 2002 10:52:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:30 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98HVYK26934 for + ; Tue, 8 Oct 2002 18:31:34 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 0A57C341F2; Tue, 8 Oct 2002 18:32:19 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from area52.nsa.ie (unknown [193.120.253.1]) by lugh.tuatha.org + (Postfix) with ESMTP id D8388341E8 for ; Tue, + 8 Oct 2002 18:31:56 +0100 (IST) +Received: from hackwatch.com (void.nsa.ie [193.120.253.3]) by + area52.nsa.ie (8.12.4/8.12.4) with ESMTP id g98HmuG6023998; Tue, + 8 Oct 2002 18:48:56 +0100 +Message-Id: <3DA31781.19CBEEA6@hackwatch.com> +From: John McCormac +Organization: WhoisIreland.com +X-Mailer: Mozilla 4.78 [en] (Win98; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Colin Nevin +Cc: ilug +Subject: Re: [ILUG] connecting at 1200bps in RH7.3 (help!) +References: <1034098479.1602.13.camel@pluto> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 18:36:01 +0100 +Date: Tue, 08 Oct 2002 18:36:01 +0100 +X-Spam-Status: No, hits=-7.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_40_50, + T_QUOTE_TWICE_1,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Colin Nevin wrote: +> +> Hi All, +> The modem handshake works at slightly higher speeds (4800bps to +> ~57600bps) but that is no good for tx/rx'ing data to the remote server +> as it insists at talking at the speed of treacle/1200bps. + +It sounds like the flow control is set to Xon/Xoff rather than hardware. + +> Baud 1200 7 data bits Even Parity + +Unusual - 8 n 1 is more common. + +> +> I am doing a ATZ3 to reset the modem then I send this init string: +> +> AT&F1E1V1Q0X4Y0S32=232&A1&B0&C1&D2&H0&I0&K1&M4&N0&P0&R1&S0&U0&Y1 + +I think that the AT command for hardware flow control is &E4 though this +may vary from modem to modem. + +Regards...zzzzcc +-- +******************************************** +John McCormac * Hack Watch News +zzzzcc@hackwatch.com * 22 Viewmount, +Voice: +353-51-873640 * Waterford, +BBS&Fax: +353-51-850143 * Ireland +http://www.hackwatch.com/~kooltek +******************************************** + +-----BEGIN PGP PUBLIC KEY BLOCK----- +Version: 2.6 + +mQCNAzAYPNsAAAEEAPGTHaNyitUTNAwF8BU6mF5PcbLQXdeuHf3xT6UOL+/Od+z+ +ZOCAx8Ka9LJBjuQYw8hlqvTV5kceLlrP2HPqmk7YPOw1fQWlpTJof+ZMCxEVd1Qz +TRet2vS/kiRQRYvKOaxoJhqIzUr1g3ovBnIdpKeo4KKULz9XKuxCgZsuLKkVAAUX +tCJKb2huIE1jQ29ybWFjIDxqbWNjQGhhY2t3YXRjaC5jb20+tBJqbWNjQGhhY2t3 +YXRjaC5jb20= +=sTfy +-----END PGP PUBLIC KEY BLOCK----- +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0325.2de3d7f6cb27edcb0bcc965b3353a5ed b/machine-learning-ex6/ex6/easy_ham/0325.2de3d7f6cb27edcb0bcc965b3353a5ed new file mode 100644 index 0000000..65aa735 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0325.2de3d7f6cb27edcb0bcc965b3353a5ed @@ -0,0 +1,84 @@ +From ilug-admin@linux.ie Wed Oct 9 10:53:55 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id D85A816F84 + for ; Wed, 9 Oct 2002 10:52:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:27 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98GUWK24540 for + ; Tue, 8 Oct 2002 17:30:32 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id D0445340D5; Tue, 8 Oct 2002 17:31:15 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from wivenhoe.staff8.ul.ie (wivenhoe.staff8.ul.ie + [136.201.147.134]) by lugh.tuatha.org (Postfix) with ESMTP id DE2F8340A2 + for ; Tue, 8 Oct 2002 17:30:57 +0100 (IST) +Received: (from brendan@localhost) by wivenhoe.staff8.ul.ie + (8.11.6/8.11.6) id g98GUaJ02261; Tue, 8 Oct 2002 17:30:36 +0100 +X-Authentication-Warning: wivenhoe.staff8.ul.ie: brendan set sender to + brendan.halpin@ul.ie using -f +To: zzzz@example.com (Justin Mason) +Cc: ilug@linux.ie +Subject: Re: [ILUG] cups question +References: <20021008161145.DA84416F16@example.com> +From: Brendan Halpin +In-Reply-To: <20021008161145.DA84416F16@example.com> +Message-Id: +Lines: 21 +User-Agent: Gnus/5.09 (Gnus v5.9.0) Emacs/21.1 +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 17:30:36 +0100 +Date: 08 Oct 2002 17:30:36 +0100 +X-Spam-Status: No, hits=-5.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_20_30,USER_AGENT,USER_AGENT_GNUS_UA, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +zzzz@example.com (Justin Mason) writes: + +> /dev/fd/0 is STDIN -- filedescriptor 0. Looks like the PS file wants +> to know its filename, but it's being read from STDIN, that's my +> guess. + +I don't think so: it should be getting a stream of PS from stdin, +but it's not. The printing/spooling system is executing gs but +somehow failing to provide it with input. + +> Try tweaking the scripts to run "gs" with the ps file on +> the command line instead of as "-". + +That might clarify that the later part of the system works, but I +suspect the problem is earlier. + +B +-- +Brendan Halpin, Dept of Government and Society, Limerick University, Ireland +Tel: w +353-61-213147 f +353-61-202569 h +353-61-390476; Room F2-025 x 3147 + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0326.703aa5be82f6586d348723b732176418 b/machine-learning-ex6/ex6/easy_ham/0326.703aa5be82f6586d348723b732176418 new file mode 100644 index 0000000..f2d264f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0326.703aa5be82f6586d348723b732176418 @@ -0,0 +1,460 @@ +From ilug-admin@linux.ie Wed Oct 9 10:54:27 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 1ECDE16F22 + for ; Wed, 9 Oct 2002 10:52:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:35 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98LpZK03515 for + ; Tue, 8 Oct 2002 22:51:35 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 2F704341D0; Tue, 8 Oct 2002 22:52:19 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from web13904.mail.yahoo.com (web13904.mail.yahoo.com + [216.136.175.67]) by lugh.tuatha.org (Postfix) with SMTP id AE0E03410E for + ; Tue, 8 Oct 2002 22:51:56 +0100 (IST) +Message-Id: <20021008215152.80676.qmail@web13904.mail.yahoo.com> +Received: from [159.134.177.169] by web13904.mail.yahoo.com via HTTP; + Tue, 08 Oct 2002 23:51:52 CEST +From: =?iso-8859-1?q?Paul=20Linehan?= +Subject: Re: [ILUG] Interesting article on free software licences +To: ilug@linux.ie +In-Reply-To: <20021007101909.A16074@wanadoo.fr> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 23:51:52 +0200 (CEST) +Date: Tue, 8 Oct 2002 23:51:52 +0200 (CEST) +X-Spam-Status: No, hits=0.5 required=5.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_30_40, + YAHOO_MSGID_ADDED + version=2.50-cvs +X-Spam-Level: + + + +I have translated the article in full - see +end of post (I think that I've done a far +better job than the Google translation - at +least it's readable now - any corrections +appreciated). + +Stuff in {}'s is my (and others) additions +to the debate. + +My apologies if I've paraphrased anybody +incorrectly, I will be glad to retract if +anyone is miffed. + + + +The article makes four main points. + + +1) Absence of critical clauses. + + +In this case, the idea is that the licence +is invalid because it doesn't specify +under what country's law the GPL is governed. + + +2) Specification in English only. + +That for the end user (as opposed to businesses), +the GPL doesn't apply because it's not written +in French. + + +3) Arbitary licence change. + +The point here is that (under French law) the +author can change the terms of the licence +arbitarily. This is because any granting of +rights by an author must be clearly delimited +in terms of how long, where, to whom, dates and +times. In the absence of such limitations, the +original author has the right to change his +software back to closed on a whim. + + +{ + +David Neary makes the point that the copyright +holder automatically retains the right to change +the licence. + +Scott replies it simply requires authorisation from +all *copyright holders* + +That's not my understanding. French law allows a +GPL type licence *_on condition_* that the +specific conditions of the granting of such +rights are clear - if they are not, there is +nothing to stop the original author taking +back "his work". The lawyers see this +(correctly IMHO) as a weakness in the GPL). + +} + + + +4) Hidden defects. + +Roughly, this clause means that the author(s) +is/are liable for any defects if the consumer +is not an IT engineer, so if Linux blows up +and data is lost, then the authors are liable. + + +{ + +Ciaran Johnson says that M$oft and others have +similar clauses - the point here is that they +are *_all_* invalid - just that this one +affects the GPL also. + +Niall O'Broinn makes the point that it is not +a sale, but rather a service/leasing arrangement +and that's why it doesn't come under this point. + +I would suggest that the whole thrust of this +article has been to see software "sales" (even +if no money changes hands) as governed very +much by consumer law (in France anyway). + + +Rick Moen makes the point that it is not +a sale but rather a granting of rights which +are not default. + +See the bit about even the granting of +rights by an author having to be +explicitly specified - under French law. + + +The fact that two IP lawyers in France think that +the GPL is covered as a sale make me feel that +there is a de facto sale and a de facto contract. + +} + + + +5) Roughly. + +There may be other reasons under French +law why the GPL may be invalid. + + + +----- Whole Article. ----------- + + +Freedom(a) is worth more than these +imperfect licences. + + +Specialised lawyers look at the GPL. + + + +Lawyer Cyril Rojinsky (duly appointed to +the court) and the jurist Vincent Grynbaum, both +specialised in the area of intellectual property +examine the "free" licences and in particular the +GPL. They have published their study +in the review "Proprietes intellectuelles +(Intellectual property)[1]" and their +conclusion is grim. + + +Their approach is interesting. The problem for +them is not to know whether freedom is valid under +French law (for them the question is a moot point) +but rather they asked themselves about the form +and the content of the text of free licences, and +in particular the GPL. The problem is not free +programmes, but rather the licence contracts of +free programmes. + + + +Absence of critical clauses. + + + +The authors tell us that first of all, the +reference to "copyright" is not legally +sufficient in the framework of international +contracts (which is the case of licence +contracts for programmes developed and spread +via the Internet). The idea of copyright can +basically include differences from one country +to another. This is why, under international +contracts, it is necessary to specify to which +laws one is referring (French law, American &c.). + +The authors only found three public licences +which were correctly formulated on this point: +QPL, IBM Public Licence and the Mozilla Public +Licence). + + + +Specification in the English language. + + + +Next, the authors remind us that (at least in +France), no clause in a contract may be contrary +to French law [2]. However, it turns out that a +licence such as the GPL is contrary to French law +in several respects. Firstly, it is written in +English and the FSF doesn't officially approve +translations. + +The "Toubon law" obliges this sort +of contract to be written in French, including for +businesses since the notion of "user" applies not +only to consumers, but also to businesses, +professionals &c. + + +Contacted by the editors of LinuxFrench, +lawyer Cyril Rojinsky declared that, as +far as business is concerned, the "Toubon +law" is probably doomed to change since +it is in contradiction of European directives +on the subject, but whatever about that, the +problem is still valid for individuals, and +while waiting for it (French law) to change, +French companies have to deal with it, since +it is the law of the land. + + +A programme under the GPL can suddenly +change licence. + + +Another problem, much more serious, is +that according to French law, the author of +a free programme can, at any time, invoke +the invalidity of the licence for this +software by simply changing the licence. + + +In effect, the law of intellectual +property stipulates that the granting of +rights by the author is subordinate to +the condition that each of these granted +rights be the object of a distinct clause +in the granting act (i.e. the licence) and +that the granting of any such rights be +delimited with respect to its scope and its +grantees, and also with respect to its +location (i.e. where such rights may be +excersised) and duration of any such grants. +[3] This is not the case of the GPL nor of +other free licences. Briefly, this means +that in France, or elsewhere if the author +is French, that which is under the GPL could +revert to proprietary from one day to the next. + + + +The problem of the guarantee "hidden defects". + + +An other very serious flaw is that of the +guarantee. The GPL licences and others show +that the software is delivered "without +guarantee". You are going to immediately +reply that commercical programmes carry the +same clause in their licence contracts, +and this is correct. However, whatever is +written in a licence contract, one cannot +free oneself from the "guarantee from +hidden defects", since it is imposed in the +Civil Code. This concept is poorly understood +by the layman, it protects the buyer +(whoever it may be, individual or business, +since it specifies the Civil Code and not +consumer protection law) against hidden +defects, deliberate or made in good faith by +the seller. + + +For example, if one buys a pair of socks +in a sale, and the shop has a notice +specifying that "Sale items are neither +refunded nor exchanged", and on arriving +home you notice that one of the socks has +a hole in it, several scenarios are possible. + + +You could have checked the socks before +purchase: the flaw is deemed "obvious" and +you can sing for your money. + + +You couldn't check the socks (they were +packaged for example), and in this case, +despite the notice "neither refund nor +exchange", you may invoke "hidden defect" +and have them changed or obtain a refund, +it's up to you. + +Personally, I have already invoked in shops +the "hidden defect" clause and it always +worked well (shopkeepers are always very +cooperative if you quote a couple of words +of the Civil Code). + + +The concept of hidden defect is rather +wide, it is necessary that you hadn't +the possibility of discovering the defect +before buying the product and then +(according to the Civil Code) that you +wouldn't have bought it at that price if +you had known about the +defect. + + +The third case which is much rarer , is +if you are able to show that the vendor had +knowledge of the defect (hidden), but didn't +inform you. In this case, not only does he +have to reimburse the product, but all +expenses incurred by the sale (metro +tickets to go to the shop, the fuse +which blew when you plugged it in &c.) + + +This idea of "hidden defect" applies to + all products, including programmes. This +was made abundantly clear by the +authorities (and the courts) surrounding +Y2K. + +This is particularly inconvenient for +free programmes, since a site which +offers a Linux distro for download is +supposed to provide a guarantee against +hidden flaws. + + +LinuxFrench asked Cyril ROJINSKY if +in the case of a free programme, +one could speak about a "hidden" defect +since the source code was available, +he replied "Actually, concerning the +guarantee, the question of obvious +defect will arise. This analyis will +be different depending on whether the +person who downloads the distribution +is an IT professional or not". + +OpenSource has this advantage over +the proprietary programme: it protects +the distributor against a guarantee of +hidden defect insofar as the buy is an +IT person. But, for distribution to the +public at large, the problem remains +the same. + + + +Roughly Speaking. + + +Lawyer Cyril ROJINSKY said it himself, +this study is far from being exhaustive +and many other areas could be explored. + +During this interview, we asked ourselves, +for example, about the fragility of the +GPL clause which forbids linking source +code under the GPL with proprietary code. + +In effect, the laws of intellectual +property give the right to the user +to modify a programme with the +intention of permitting interoperability +with another programme. If for that, +I need to link with a proprietary library +(communication protocol, device driver) +I may consider as "null and void" this +clause of the GPL. + + +The conclusion of this study is a wake +up call for the community. "Freedom" +merits more than these shoddy licences, +which should be modified before court +cases over them proliferate and put at +risk the undeniable originality of +this effort. + + +--------------------------- + + +[1] Une publication de l'Institut +de recherche en propriété +intellectuelle, No4 Juillet 2002 + +[2] Une telle clause de contrat +qui est opposée à ce que dit la Loi +française est qualifiée en terme +juridique de « clause réputée +non-écrite », c'est-à-dire +qu'on fait comme si cette clause +n'était pas écrite dans le contrat. + +C'est pour cela par exemple que vous +pouvez signer un bail pour un +appartement qui stipule que +les enfants sont interdits dans +l'immeuble, et envisager sans +inquiétude d'avoir quand même +un enfant, en effet le code civil +stipule que le devoir d'un locataire +d'un appartement doit se comporter +en « bon père de famille » + +[3] Article L131-3 + + + + + + + +___________________________________________________________ +Do You Yahoo!? -- Une adresse @yahoo.fr gratuite et en français ! +Yahoo! Mail : http://fr.mail.yahoo.com +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0327.bf6719c9c1709b6da832232acb1ee97f b/machine-learning-ex6/ex6/easy_ham/0327.bf6719c9c1709b6da832232acb1ee97f new file mode 100644 index 0000000..bb1bbe9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0327.bf6719c9c1709b6da832232acb1ee97f @@ -0,0 +1,87 @@ +From ilug-admin@linux.ie Wed Oct 9 10:53:59 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 87C3616F21 + for ; Wed, 9 Oct 2002 10:52:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:32 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98J3VK29996 for + ; Tue, 8 Oct 2002 20:03:31 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 86B9F341CF; Tue, 8 Oct 2002 20:04:15 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from linuxmafia.com (linuxmafia.COM [198.144.195.186]) by + lugh.tuatha.org (Postfix) with ESMTP id D5CE23410E for ; + Tue, 8 Oct 2002 20:03:42 +0100 (IST) +Received: from rick by linuxmafia.com with local (Exim 3.36 #1 (Debian)) + id 17yzgl-0001zv-00 for ; Tue, 08 Oct 2002 12:06:39 -0700 +To: "'ILUG'" +Subject: Re: [ILUG] Modem question +Message-Id: <20021008190633.GV11235@linuxmafia.com> +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-Mas: Bah humbug. +From: Rick Moen +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 12:06:33 -0700 +Date: Tue, 8 Oct 2002 12:06:33 -0700 +X-Spam-Status: No, hits=-30.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_00_10,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Quoting Breathnach, Proinnsias (Dublin) (breatpro@exchange.ie.ml.com): + +> Is there any reliable way to calculate your connection speed if you don't +> trust what the modem reports? + +Do a wget of a file of known length, in a script that runs "date" before +and after (or equivalent). + +Be aware that speed between you and your upstream link is one thing; +speed through countless congested routers to a faraway location may be +quite another. Remember that hardware-level compression is a factor. +(The file you wget will probably be precompressed.) + +In the area of the slightly more exotic, be aware that different traffic +may have higher priority and thus more available bandwidth at various +points in the transit to/from you -- and that some traffic may go via +different paths coming vs. going. + +Be aware that raw bulk transfer speed may not be the only thing that +matters: Depending on what you're doing, the modem's connection latency +might matter, and this differs widely between modems. (It matters more +for interactive sessions, e.g., ssh remote logins, where each keystroke +is echoed from remote.) + +-- +Cheers, "Send a policeman, and have it arrested." +Rick Moen -- Otto von Bismarck, when asked what he +rick@linuxmafia.com would do if the British Army landed. +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0328.dd38a12b955002695e7a0ec81129b043 b/machine-learning-ex6/ex6/easy_ham/0328.dd38a12b955002695e7a0ec81129b043 new file mode 100644 index 0000000..2160fa1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0328.dd38a12b955002695e7a0ec81129b043 @@ -0,0 +1,78 @@ +From ilug-admin@linux.ie Wed Oct 9 10:54:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A788616F20 + for ; Wed, 9 Oct 2002 10:52:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:40 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9991aK27453 for + ; Wed, 9 Oct 2002 10:01:36 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id F1B36340D5; Wed, 9 Oct 2002 10:02:15 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from hawk.dcu.ie (mail.dcu.ie [136.206.1.5]) by lugh.tuatha.org + (Postfix) with ESMTP id 4E2B1340A2 for ; Wed, + 9 Oct 2002 10:01:36 +0100 (IST) +Received: from prodigy.redbrick.dcu.ie (136.206.15.10) by hawk.dcu.ie + (6.0.040) id 3D738B08001080FF for ilug@linux.ie; Wed, 9 Oct 2002 10:01:36 + +0100 +Received: by prodigy.redbrick.dcu.ie (Postfix, from userid 7541) id + AC1C5DA4A; Wed, 9 Oct 2002 10:01:34 +0100 (IST) +Received: from localhost (localhost [127.0.0.1]) by + prodigy.redbrick.dcu.ie (Postfix) with ESMTP id A15766E2F6 for + ; Wed, 9 Oct 2002 10:01:34 +0100 (IST) +From: Trevor Johnston +X-X-Sender: trevj@Prodigy +To: ilug@linux.ie +Subject: Re: [ILUG] mini-itx +In-Reply-To: <3DA2DA0E.6080402@rte.ie> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 10:01:34 +0100 (IST) +Date: Wed, 9 Oct 2002 10:01:34 +0100 (IST) +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_60_70,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Tue, 8 Oct 2002, John Moylan wrote: +> Hmm, speaking of cheap machines etc, has anyone tried this sort of +> thing: http://www.mini-itx.com/projects/humidor64/ ? or more importantly +> has anyone had any positive/negative experiences with the Via mini-itx +> boards/via c3 processors. + +My laptop has a Via C3 processor. I use Debian with a self-compiled +2.4.19 kernel, and have had absolutely no problems with the chip at all +(quite the opposite, in fact). + +I had to compile for "686" in order for 3D acceleration to work (the +kernel has an option specifically for the Via C3), but I assume that was +a kernel problem rather than a hardware problem. + +Trevor Johnston + +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0329.0479ba224116953d0c94c30edbc91b55 b/machine-learning-ex6/ex6/easy_ham/0329.0479ba224116953d0c94c30edbc91b55 new file mode 100644 index 0000000..6c4650b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0329.0479ba224116953d0c94c30edbc91b55 @@ -0,0 +1,94 @@ +From ilug-admin@linux.ie Wed Oct 9 10:54:29 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id BFED716F49 + for ; Wed, 9 Oct 2002 10:52:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:38 +0100 (IST) +Received: from lugh.tuatha.org (postfix@lugh.tuatha.org [194.125.145.45]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98MeVK04957 for + ; Tue, 8 Oct 2002 23:40:31 +0100 +Received: from lugh.tuatha.org (localhost [127.0.0.1]) by lugh.tuatha.org + (Postfix) with ESMTP id 3DBD0341E8; Tue, 8 Oct 2002 23:41:16 +0100 (IST) +Delivered-To: linux.ie-ilug@localhost +Received: from linuxmafia.com (linuxmafia.COM [198.144.195.186]) by + lugh.tuatha.org (Postfix) with ESMTP id 6435B3410E for ; + Tue, 8 Oct 2002 23:40:48 +0100 (IST) +Received: from rick by linuxmafia.com with local (Exim 3.36 #1 (Debian)) + id 17z34V-0008QK-00 for ; Tue, 08 Oct 2002 15:43:23 -0700 +To: ilug@linux.ie +Subject: Re: [ILUG] Interesting article on free software licences +Message-Id: <20021008224312.GB11235@linuxmafia.com> +References: <20021007101909.A16074@wanadoo.fr> + <20021008215152.80676.qmail@web13904.mail.yahoo.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021008215152.80676.qmail@web13904.mail.yahoo.com> +User-Agent: Mutt/1.4i +X-Mas: Bah humbug. +From: Rick Moen +Sender: ilug-admin@linux.ie +Errors-To: ilug-admin@linux.ie +X-Beenthere: ilug@linux.ie +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Irish Linux Users' Group +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 15:43:12 -0700 +Date: Tue, 8 Oct 2002 15:43:12 -0700 +X-Spam-Status: No, hits=-30.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_LONG_DENSE, + T_NONSENSE_FROM_00_10,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Quoting Paul Linehan (plinehan@yahoo.com): + +> The point here is that (under French law) the author can change the +> terms of the licence arbitarily. This is because any granting of +> rights by an author must be clearly delimited in terms of how long, +> where, to whom, dates and times. + +The GPL and similar licences are explicitly permanent grants of rights +attached to an instance of his work. (The other stuff mentioned +concerns contract law, e.g., the required element of privity, etc.) + +> In the absence of such limitations, the original author has the right +> to change his software back to closed on a whim. + +No, the author has the right to issue _additional_ instances under a +different licence, such as a proprietary ("closed" [sic]) licence. + +> Rick Moen makes the point that it is not a sale but rather a granting +> of rights which are not default. +> +> See the bit about even the granting of rights by an author having to +> be explicitly specified - under French law. + +The analysis, here and elsewhere, concerns contract law. This isn't +contract law. + +This isn't the first time copyright attorneys have stumbled on this +subject. I'm sure it won't be the last. + +-- +Cheers, "The front line of defense against such sophisticated +Rick Moen viruses is a continually evolving computer operating +rick@linuxmafia.com system that attracts the efforts of eager software + developers." -- Bill Gates +-- +Irish Linux Users' Group: ilug@linux.ie +http://www.linux.ie/mailman/listinfo/ilug for (un)subscription information. +List maintainer: listmaster@linux.ie + + diff --git a/machine-learning-ex6/ex6/easy_ham/0330.5bb543263217abfd949c7c2060ab0a7e b/machine-learning-ex6/ex6/easy_ham/0330.5bb543263217abfd949c7c2060ab0a7e new file mode 100644 index 0000000..130f172 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0330.5bb543263217abfd949c7c2060ab0a7e @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:37 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6614616F49 + for ; Wed, 9 Oct 2002 10:47:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:47:51 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98KFUK32595 for + ; Tue, 8 Oct 2002 21:15:31 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98Jx6f06103; Tue, 8 Oct 2002 21:59:06 + +0200 +Received: from adsl-63-192-217-110.dsl.snfc21.pacbell.net + (adsl-63-192-217-110.dsl.snfc21.pacbell.net [63.192.217.110]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98Jvtf01473 for + ; Tue, 8 Oct 2002 21:57:56 +0200 +Received: from eecs.berkeley.edu (localhost [127.0.0.1]) by + adsl-63-192-217-110.dsl.snfc21.pacbell.net (Postfix) with ESMTP id + DE7083BA5D for ; Tue, 8 Oct 2002 12:57:53 -0700 + (PDT) +Message-Id: <3DA338C1.1072D5E7@eecs.berkeley.edu> +From: Ben Liblit +X-Mailer: Mozilla 4.79 [en] (X11; U; Linux 2.4.19 i686) +X-Accept-Language: en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> + <20021008175554.7d471cf0.matthias_haase@bennewitz.com> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 12:57:53 -0700 +Date: Tue, 08 Oct 2002 12:57:53 -0700 +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_40_50, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Haase wrote: +> The bytecode-interpreter *is* disabled on RH8, defined at line 3 in +> the Specfile of the SRPM. + +Right you are. The SRPM includes a patch to enable it, but then the +specfile defaults to not applying that patch. I saw the former but +missed the later. Egad, what a convoluted maze. + +Sorry for the misinformation! + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0331.f9bcb003e6d1710da66b329d2eba303a b/machine-learning-ex6/ex6/easy_ham/0331.f9bcb003e6d1710da66b329d2eba303a new file mode 100644 index 0000000..2c995b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0331.f9bcb003e6d1710da66b329d2eba303a @@ -0,0 +1,75 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 6827316F67 + for ; Wed, 9 Oct 2002 10:47:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:47:55 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98KYnK00702 for + ; Tue, 8 Oct 2002 21:34:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98KO2f21027; Tue, 8 Oct 2002 22:24:02 + +0200 +Received: from drone5.qsi.net.nz (drone5-svc-skyt.qsi.net.nz + [202.89.128.5]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g98KNAf17613 + for ; Tue, 8 Oct 2002 22:23:10 +0200 +Received: (qmail 9026 invoked by uid 0); 8 Oct 2002 20:22:57 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 8 Oct 2002 20:22:57 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.36 #1 (Debian)) id 17zFBJ-0003ZY-00 for ; + Thu, 10 Oct 2002 00:39:13 +1300 +From: Mark Derricutt +To: RPM-List +Subject: KVim 6.1.141 +Message-Id: <4620000.1034176968@spawn.se7en.org> +X-Mailer: Mulberry/2.2.1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 10 Oct 2002 04:22:48 +1300 +Date: Thu, 10 Oct 2002 04:22:48 +1300 +X-Spam-Status: No, hits=-7.8 required=5.0 + tests=AWL,DATE_IN_FUTURE_03_06,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Any one out their have any RPMs for the new KVim that was just released +that'd be suitable for RH7.3? + +The website ( http://freehackers.org/kvim/screenshots.html ) mentions some +experimental RPMs for Suse/COnnectiva/Slackware but none for Mandrake... + + -- \m/ -- + ...in 29 days - The Odyssey begins... + www.symphonyx.com + + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0332.daed28f33b65dd9f1c91fa3737d21340 b/machine-learning-ex6/ex6/easy_ham/0332.daed28f33b65dd9f1c91fa3737d21340 new file mode 100644 index 0000000..115ad64 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0332.daed28f33b65dd9f1c91fa3737d21340 @@ -0,0 +1,118 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:47 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8CACC16F6A + for ; Wed, 9 Oct 2002 10:47:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:47:59 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98KlmK01186 for + ; Tue, 8 Oct 2002 21:47:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98KO8f21454; Tue, 8 Oct 2002 22:24:08 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g98KNcf17971 for + ; Tue, 8 Oct 2002 22:23:38 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id B145E73E78 for + ; Tue, 8 Oct 2002 20:23:25 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-1.hotpop.com + (Postfix) with ESMTP id DE5182F814A for ; + Tue, 8 Oct 2002 20:22:44 +0000 (UTC) +Message-Id: <3DA33EFE.4090109@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: mplayer not working for me +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> + <3DA288E8.4060006@punkass.com> + <20021008094334.57b0c988.matthias@rpmforge.net> + <3DA2E63D.8090104@punkass.com> + <20021008162406.0aaaa275.matthias@rpmforge.net> + <20021008190840.38aeca19.papier@tuxfan.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 22:24:30 +0200 +Date: Tue, 08 Oct 2002 22:24:30 +0200 +X-Spam-Status: No, hits=-10.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_70_80,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Laurent Papier wrote: + +>On Tue, 8 Oct 2002 16:24:06 +0200 +>Matthias Saou wrote: +> +> +> +>>Once upon a time, Roi wrote : +>> +>> +>> +>>>mplayer works with dga (if i am root) and works with x11 +>>>and always worked with sdl (but not now with redhat 8) +>>>now it gives black screen window and play the music of the movie. +>>> +>>> +>>Strange, because as I said in an earlier post, it works for me. Maybe +>>you're missing the SDL_image or something? :-/ +>> +>> +> +>It also works nicely for me. +> +>Laurent +> +> + +[roi@roi roi]$ rpm -qa | grep -i sdl +SDL_image-devel-1.2.2-3 +xmame-SDL-0.60.1-fr2 +SDL_mixer-1.2.4-5 +SDL-1.2.4-5 +SDL-devel-1.2.4-5 +SDL_mixer-devel-1.2.4-5 +SDL_net-1.2.4-3 +SDL_net-devel-1.2.4-3 +SDL_image-1.2.2-3 + +Seems I got all packages I need. +It worked on redhat 7.3 I did upgrade not reinstall so packages +shouldn't make a problem. + +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0333.b702dbd33bcec7b614b9f223b2487688 b/machine-learning-ex6/ex6/easy_ham/0333.b702dbd33bcec7b614b9f223b2487688 new file mode 100644 index 0000000..06c9e51 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0333.b702dbd33bcec7b614b9f223b2487688 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:49 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id B62FF16F6B + for ; Wed, 9 Oct 2002 10:48:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:48:01 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98KtcK01561 for + ; Tue, 8 Oct 2002 21:55:38 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98Kh1f08923; Tue, 8 Oct 2002 22:43:01 + +0200 +Received: from fep07-app.kolumbus.fi (fep07-0.kolumbus.fi [193.229.0.51]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g98KgRf04205 for + ; Tue, 8 Oct 2002 22:42:27 +0200 +Received: from azrael.blades.cxm ([62.248.234.77]) by + fep07-app.kolumbus.fi with ESMTP id + <20021008204224.RXYD8133.fep07-app.kolumbus.fi@azrael.blades.cxm> for + ; Tue, 8 Oct 2002 23:42:24 +0300 +Received: (from blades@localhost) by azrael.blades.cxm (SGI-8.9.3/8.9.3) + id XAA27178 for rpm-list@freshrpms.net; Tue, 8 Oct 2002 23:42:14 +0300 + (EEST) +X-Authentication-Warning: azrael.blades.cxm: blades set sender to + harri.haataja@cs.helsinki.fi using -f +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: Zoot apt/openssh & new DVD playing doc +Message-Id: <20021008234209.B26549@azrael.smilehouse.com> +Mail-Followup-To: rpm-zzzlist@freshrpms.net +References: <20021008163613.0c1dcc72.matthias@rpmforge.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20021008163613.0c1dcc72.matthias@rpmforge.net>; + from matthias@rpmforge.net on Tue, Oct 08, 2002 at 04:36:13PM +0200 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 23:42:14 +0300 +Date: Tue, 8 Oct 2002 23:42:14 +0300 +X-Spam-Status: No, hits=-11.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_10_20,USER_AGENT,USER_AGENT_MUTT, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Tue, Oct 08, 2002 at 04:36:13PM +0200, Matthias Saou wrote: +> Two new things today : +> +> 1) I've had to install a Red Hat Linux 6.2 server because of an old +> proprietary IVR software that doesn't work on newer releases :-( So +> I've recompiled both the latest apt and openssh packages for it, and +> they are now available with a complete "os, updates & freshrpms" apt +> repository at apt.freshrpms.net, for those who might be interested. + +Oh, neat. + +I have similiar thing in my hands, though it might be migratable if I +had the time to try. I've been using another 6.x repository though. +http://apt-rpm.tuxfamily.org/apt + +Anyone tried (dist-)upgrade from 6.x to 7? Theoretically it should drop +in some -compat's (notably libc) and upgrade the rest and after a reboot +and maybe a new kernel (and grub, but I have long before put those to +v6's :) run just fine. Haven't had a spare machine to try it on myself, +though. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0334.c59bc33795d3a1b56747297a900bd0ce b/machine-learning-ex6/ex6/easy_ham/0334.c59bc33795d3a1b56747297a900bd0ce new file mode 100644 index 0000000..007df08 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0334.c59bc33795d3a1b56747297a900bd0ce @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:42 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 5E65C16F56 + for ; Wed, 9 Oct 2002 10:47:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:47:53 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98KFbK32601 for + ; Tue, 8 Oct 2002 21:15:37 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98K72f04022; Tue, 8 Oct 2002 22:07:02 + +0200 +Received: from adsl-63-192-217-110.dsl.snfc21.pacbell.net + (adsl-63-192-217-110.dsl.snfc21.pacbell.net [63.192.217.110]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98K5xf29420 for + ; Tue, 8 Oct 2002 22:06:00 +0200 +Received: from eecs.berkeley.edu (localhost [127.0.0.1]) by + adsl-63-192-217-110.dsl.snfc21.pacbell.net (Postfix) with ESMTP id + A34CB3BA5D for ; Tue, 8 Oct 2002 13:05:53 -0700 + (PDT) +Message-Id: <3DA33AA1.1A724EF5@eecs.berkeley.edu> +From: Ben Liblit +X-Mailer: Mozilla 4.79 [en] (X11; U; Linux 2.4.19 i686) +X-Accept-Language: en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> + <20021008202424.67c6e32c.matthias_haase@bennewitz.com> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 13:05:53 -0700 +Date: Tue, 08 Oct 2002 13:05:53 -0700 +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_40_50, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Haase wrote: +> The recompile of the SPRM failed for me with: +> #---- +> RPM build errors: +> File not found by glob: +> /var/tmp/freetype-2.1.2-root/usr/lib/libttf.so.* +> File not found: /var/tmp/freetype-2.1.2-root/usr/lib/libttf.so + +Weird. I had no problems at all rebuilding from the SRPM with specfile +modified to enable the bytecode interpreter. The "check-files" test +warns that "/usr/share/aclocal/freetype2.m4" was not included in any +package, but other then that, it's all perfectly clean. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0335.fcbba7ed1ebfb6dc83ba2f65d555240e b/machine-learning-ex6/ex6/easy_ham/0335.fcbba7ed1ebfb6dc83ba2f65d555240e new file mode 100644 index 0000000..1ab1883 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0335.fcbba7ed1ebfb6dc83ba2f65d555240e @@ -0,0 +1,142 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:49:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id E703F16F6C + for ; Wed, 9 Oct 2002 10:48:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:48:03 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98MF6K04249 for + ; Tue, 8 Oct 2002 23:15:06 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98M5Df17411; Wed, 9 Oct 2002 00:05:13 + +0200 +Received: from mailout11.sul.t-online.com (mailout11.sul.t-online.com + [194.25.134.85]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g98M46f16709 for ; Wed, 9 Oct 2002 00:04:06 +0200 +Received: from fwd08.sul.t-online.de by mailout11.sul.t-online.com with + smtp id 17z2ST-0003jb-03; Wed, 09 Oct 2002 00:04:05 +0200 +Received: from puariko.homeip.net (520039812576-0001@[217.231.233.201]) by + fmrl08.sul.t-online.com with esmtp id 17z2SO-0ymuK8C; Wed, 9 Oct 2002 + 00:04:00 +0200 +Received: (from thimm@localhost) by bonzo.nirvana (8.12.5/8.12.5/Submit) + id g98M3scx019124; Wed, 9 Oct 2002 00:03:54 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: Re: Nessus? +Message-Id: <20021008220353.GA17382@bonzo.nirvana> +References: <20021008114911.GB37924@nessus.org> + <1034013325.8419.88.camel@bobcat.ods.org> + <20021007200642.27614e1b.matthias@rpmforge.net> + <20021007230521.0f1727aa.matthias@rpmforge.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021008114911.GB37924@nessus.org> + <20021007230521.0f1727aa.matthias@rpmforge.net> +User-Agent: Mutt/1.4i +X-Sender: 520039812576-0001@t-dialin.net +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 00:03:53 +0200 +Date: Wed, 9 Oct 2002 00:03:53 +0200 +X-Spam-Status: No, hits=-12.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_30_40,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Oct 07, 2002 at 11:05:21PM +0200, Matthias Saou wrote: +> I've put up a new Red Hat Linux 8.0 build of nessus here : +> http://ftp.freshrpms.net/pub/freshrpms/testing/nessus/ +> +> It's 100% untested, although the build should be ok. The new menu was +> added, but some configuration files may be better with new or different +> defaults. +> +> Feedback is very welcome! + +It works very nice, would you consider upgrading it to 1.2.6 released only a +few hours after your build? + +Thanks! + +On Tue, Oct 08, 2002 at 01:49:11PM +0200, Renaud Deraison wrote: +> I'm pleased to announce the availability of Nessus 1.2.6, which should +> be one of the last versions of Nessus 1.2.x (hopefully), as I will soon +> open a new unstable tree and start to break things again :) +> +> What is new in Nessus 1.2.6, in comparison to 1.2.5 : +> +> * changes by Michael Slifcak (Michael.Slifcak at guardent.com) +> + Added Bugtraq cross reference in the plugins +> + Added support for BID in nessusd (this has yet to be done on +> the client side) +> +> * changes by Axel Nennker (Axel.Nennker at t-systems.com) +> + fixed the xml and html outputs +> + fixed array issues in a couple of plugins +> +> * changes by Michel Arboi (arboi at bigfoot.com) +> + find_service now detects services protected by TCP wrappers +> or ACL +> + find_service detects gnuserv +> + ptyexecvp() replaced by nessus_popen() (*) +> +> * changes by Renaud Deraison (deraison at cvs.nessus.org) +> + Fixed a bug which may make nasl interpret backquoted strings +> (\n and \r) received from the network (problem noted by Pavel +> Kankovsky) +> + nmap_wrapper.nes calls _exit() instead of exit() (*) +> + Solved the lack of bpf's on Free/Open/NetBSD and MacOSX by +> sharing _one_ among all the Nessus processes. As a result, +> Nessus's ping is much more effective on these platforms +> + bugfix in plug_set_key() which would eventually make some +> scripts take too long when writing in the KB +> + Plugins of family ACT_SETTINGS are run *after* plugins of +> family ACT_SCANNERS +> + replaced the implementation of md5 which was used when +> OpenSSL is disabled by the one from RSA (the old one would +> not work on a big-endian host) +> + Fixed plugins build issues on MacOS X +> + The nessus client compiles and links against GTK+-2.0. Of +> course, it will be horrible and unstable, as the GTK team +> does not care about backward compatibility +> +> (*) These two modifications solve the problems of nmap hanging under FreeBSD +> +> +> +> Special thanks go to Michael Slifcak, whose work on Nessus during the +> last months have been truly appreciated even if they have not always +> been as underlined as they should have been. Michael, thanks again ! +> +> +> AVAILABILITY: +> +> Nessus 1.2.6 is available at http://www.nessus.org/posix.html +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0336.d8d6d93ff9918e7a6b4b83a5bda3043e b/machine-learning-ex6/ex6/easy_ham/0336.d8d6d93ff9918e7a6b4b83a5bda3043e new file mode 100644 index 0000000..16e27c7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0336.d8d6d93ff9918e7a6b4b83a5bda3043e @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:50:24 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8A47F16F18 + for ; Wed, 9 Oct 2002 10:48:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:48:36 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98MLVK04458 for + ; Tue, 8 Oct 2002 23:21:31 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98MF3f29297; Wed, 9 Oct 2002 00:15:03 + +0200 +Received: from tgpsolutions.com (dsl-gte-15882-1.linkline.com + [64.30.214.144]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g98MEDf26738 for ; Wed, 9 Oct 2002 00:14:13 +0200 +Received: (qmail 32392 invoked for bounce); 8 Oct 2002 22:13:06 -0000 +Received: from unknown (HELO damocles.turtle-rock) (68.5.247.81) by + dsl-gte-15882-1.linkline.com with SMTP; 8 Oct 2002 22:13:06 -0000 +Subject: xine cannot play DVDs - "liba52: a52_block error" +From: Jon +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034115445.10490.4.camel@damocles> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 15:17:25 -0700 +Date: 08 Oct 2002 15:17:25 -0700 +X-Spam-Status: No, hits=-0.5 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Since libdvdcss-1.2.0, I have been unable to play DVDs using ogle, xine, +vlc, or mplayer. They all show a scrambled picture with (VERY) choppy +audio. When I run xine I see tons of these in the console: + +liba52: a52_block error +liba52: a52_block error +liba52: a52_block error +liba52: a52_block error +audio_out: inserting 5859 0-frames to fill a gap of 10989 pts +metronom: audio jump +liba52: a52_block error + +Has anyone seen this before and know how to fix it? Or should I file a +bug report? + +Thanks for your help. + +- Jon + +-- +jon@tgpsolutions.com + +Administrator, tgpsolutions +http://www.tgpsolutions.com + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0337.9ae9f15c4dceca867140e95cad506234 b/machine-learning-ex6/ex6/easy_ham/0337.9ae9f15c4dceca867140e95cad506234 new file mode 100644 index 0000000..18b4d32 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0337.9ae9f15c4dceca867140e95cad506234 @@ -0,0 +1,118 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:51:21 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id A2A4F16F22 + for ; Wed, 9 Oct 2002 10:50:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:50:06 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g990AhK08455 for + ; Wed, 9 Oct 2002 01:10:43 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99032f32058; Wed, 9 Oct 2002 02:03:02 + +0200 +Received: from canarsie.horizonlive.com (slim-eth0.horizonlive.net + [208.185.78.2]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g9901of17012 for ; Wed, 9 Oct 2002 02:01:51 +0200 +Received: from canarsie.horizonlive.com (localhost.localdomain + [127.0.0.1]) by canarsie.horizonlive.com (8.12.5/8.12.5) with ESMTP id + g9901n8f016950 for ; Tue, 8 Oct 2002 20:01:49 + -0400 +Received: (from stevek@localhost) by canarsie.horizonlive.com + (8.12.5/8.12.5/Submit) id g9901nwO016948 for rpm-list@freshrpms.net; + Tue, 8 Oct 2002 20:01:49 -0400 +X-Authentication-Warning: canarsie.horizonlive.com: stevek set sender to + stevek@horizonlive.com using -f +From: Steve Kann +To: rpm-zzzlist@freshrpms.net +Subject: Ack, apt-get still failing for me, stumped. [RH8] +Message-Id: <20021008200145.A16895@canarsie.horizonlive.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.21i +X-Blank-Header-Line: (this header intentionally left blank) +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 20:01:49 -0400 +Date: Tue, 8 Oct 2002 20:01:49 -0400 +X-Spam-Status: No, hits=-8.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_20_30,USER_AGENT,USER_AGENT_MUTT, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + + +I posted about this last week, and I'm still stumped. apt-get is just +not working for me, and I can't figure out what the problem is. + +I've tried removing the apt rpms, making sure to remove any traces left +behind (/etc/apt /var/state/apt /var/cache/apt), and still, I get +"couldn't find package xmms-mp3" when running "apt-get install xmms-mp3". + +Any clues? Here's a log of a fresh try: + +root@canarsie:/tmp # rpm -e apt apt-devel +root@canarsie:/tmp # rm -rf /etc/apt /var/cache/apt /var/state/apt +root@canarsie:/tmp # rpm -ivh apt-0.5.4cnc7-fr1.i386.rpm apt-devel-0.5.4cnc7-fr1.i386.rpm +warning: apt-0.5.4cnc7-fr1.i386.rpm: V3 DSA signature: NOKEY, key ID +e42d547b +Preparing... ########################################### [100%] + 1:apt ########################################### [ 50%] + 2:apt-devel ########################################### [100%] +root@canarsie:/tmp # apt-get update +Ign http://apt.freshrpms.net redhat/8.0/en/i386 release +Get:1 http://apt.freshrpms.net redhat/8.0/en/i386/os pkglist [1276kB] +Get:2 http://apt.freshrpms.net redhat/8.0/en/i386/os release [108B] +Get:3 http://apt.freshrpms.net redhat/8.0/en/i386/updates pkglist [14B] +Get:4 http://apt.freshrpms.net redhat/8.0/en/i386/updates release [113B] +Get:5 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms pkglist +[57.1kB] +Get:6 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms release +[125B] +Get:7 http://apt.freshrpms.net redhat/8.0/en/i386/os srclist [152kB] +Get:8 http://apt.freshrpms.net redhat/8.0/en/i386/updates srclist [14B] +Get:9 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms srclist +[14.4kB] +Fetched 1500kB in 11s (125kB/s) +Reading Package Lists... Done +root@canarsie:/tmp # apt-get install xmms-mp3 +Reading Package Lists... Done +Building Dependency Tree... Done +E: Couldn't find package xmms-mp3 +root@canarsie:/tmp # apt-cache search xmms +root@canarsie:/tmp # + + +Beats me.. + +-SteveK + + + +-- + Steve Kann - Chief Engineer - 520 8th Ave #2300 NY 10018 - (212) 533-1775 + HorizonLive.com - collaborate . interact . learn + "The box said 'Requires Windows 95, NT, or better,' so I installed Linux." + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0338.b09f1384db1376a00e1c885adf9a1e05 b/machine-learning-ex6/ex6/easy_ham/0338.b09f1384db1376a00e1c885adf9a1e05 new file mode 100644 index 0000000..ae75afc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0338.b09f1384db1376a00e1c885adf9a1e05 @@ -0,0 +1,107 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:51:41 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7B97316F03 + for ; Wed, 9 Oct 2002 10:51:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:09 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g993QaK17008 for + ; Wed, 9 Oct 2002 04:26:36 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993I2f30971; Wed, 9 Oct 2002 05:18:02 + +0200 +Received: from mx1.example.com (mx1.example.com [66.187.233.31]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993HEf22898 for + ; Wed, 9 Oct 2002 05:17:14 +0200 +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by mx1.redhat.com (8.11.6/8.11.6) with ESMTP id + g992vTX03844 for ; Tue, 8 Oct 2002 22:57:29 -0400 +Received: from pobox.corp.example.com (pobox.corp.example.com + [172.16.52.156]) by int-mx1.corp.redhat.com (8.11.6/8.11.6) with ESMTP id + g993HAf02250 for ; Tue, 8 Oct 2002 23:17:10 -0400 +Received: from ckk.rdu.example.com (ckk.rdu.example.com [172.16.57.72]) by + pobox.corp.redhat.com (8.11.6/8.11.6) with ESMTP id g993H9a05656 for + ; Tue, 8 Oct 2002 23:17:09 -0400 +Subject: Re: RH 8 no DMA for DVD drive +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007192851.11d250b8.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> + <1034011232.8419.65.camel@bobcat.ods.org> + <20021007192851.11d250b8.matthias@rpmforge.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034133437.26329.75.camel@ckk.rdu.example.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 23:17:17 -0400 +Date: 08 Oct 2002 23:17:17 -0400 +X-Spam-Status: No, hits=-7.4 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,SAVE_BUCKS, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 13:28, Matthias Saou wrote: + +> I've never heard of any CD-ROM or DVD-ROM drive having problems with DMA... +> although there probably is since Red Hat decided to default disabling it a +> few releases back :-/ + +Heh. I get to see bad CDROM problems all the time. Mostly when vendors +buy crap cables to try to save $0.02/each, but there are chipsets and +drives with known DMA issues as well. + +> Normally, even if you try to enable DMA and your device doesn't support it, +> it simply don't be able to make the change, and that's it. The problem IIRC +> is with crappy hardware that is supposed to support DMA but doesn't work as +> expected when it's enabled... maybe Chris could confirm this? ;-) + +Usually if you enable DMA on a CDROM that can't handle it gracefully you +won't be able to read data off it relably, and that's about it. No +end_of_the_world problems, and easily fixed. + +> I guess I'll settle for the /dev/dvd link change as described and putting +> the DMA tip in the %description :-) + +My biggest beef with automatically setting /dev/dvd is that I always +seem to have a CD-Burner and a DVD drive (or DVD burner) in the same +box, and I usually have the DVD as the second drive /dev/cdrom1 in +"kudzu-speak". I agree that the %description is the best place for the +tip. Unless someone can come up with a way to probe CD/DVD drives to +divulge their largest supported media size without loading ide-scsi or +having that media currently in the drive. + +-- +Chris Kloiber + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0339.45c8c8ff5b106eddd657973d07462c82 b/machine-learning-ex6/ex6/easy_ham/0339.45c8c8ff5b106eddd657973d07462c82 new file mode 100644 index 0000000..67e77bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0339.45c8c8ff5b106eddd657973d07462c82 @@ -0,0 +1,92 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:51:43 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id D37CE16F16 + for ; Wed, 9 Oct 2002 10:51:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:13 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g993VxK17266 for + ; Wed, 9 Oct 2002 04:32:00 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993O1f25212; Wed, 9 Oct 2002 05:24:01 + +0200 +Received: from mx1.example.com (mx1.example.com [66.187.233.31]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993NDf21608 for + ; Wed, 9 Oct 2002 05:23:13 +0200 +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by mx1.redhat.com (8.11.6/8.11.6) with ESMTP id + g9933UX05426 for ; Tue, 8 Oct 2002 23:03:31 -0400 +Received: from pobox.corp.example.com (pobox.corp.example.com + [172.16.52.156]) by int-mx1.corp.redhat.com (8.11.6/8.11.6) with ESMTP id + g993NBf03670 for ; Tue, 8 Oct 2002 23:23:11 -0400 +Received: from ckk.rdu.example.com (ckk.rdu.example.com [172.16.57.72]) by + pobox.corp.redhat.com (8.11.6/8.11.6) with ESMTP id g993NBa05834 for + ; Tue, 8 Oct 2002 23:23:11 -0400 +Subject: Re: RH 8 no DMA for DVD drive +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034133799.26329.80.camel@ckk.rdu.example.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 23:23:19 -0400 +Date: 08 Oct 2002 23:23:19 -0400 +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-10-08 at 04:48, Panu Matilainen wrote: +> On Mon, 7 Oct 2002, Jesse Keating wrote: +> +> > On Mon, 7 Oct 2002 19:28:51 +0200 +> > Matthias Saou wrote: +> > +> > # I've never heard of any CD-ROM or DVD-ROM drive having problems with +> > # DMA... although there probably is since Red Hat decided to default +> > # disabling it a few releases back :-/ +> > +> > When I worked as a PC repair tech for a Computer store chain, I did +> > run across quite a few DVD drives that would lock up if DMA was +> > enabled. It's more of a chipset/drive problem than a Drive by itself. +> +> And my IBM Intellistation would lock up instantly .. now this is actually +> quite funny .. if DMA was enabled for the CD-ROM *and* you tried to access +> a CD with Joliet extensions. Otherwise it worked just fine with DMA +> enabled :) + +Odd. Did I certify that one? What's the 7-digit IBM model number, and +which version of Red Hat were you running? + +-- +Chris Kloiber + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0340.aae9e33fb151ae061354b8cfe9f90b3d b/machine-learning-ex6/ex6/easy_ham/0340.aae9e33fb151ae061354b8cfe9f90b3d new file mode 100644 index 0000000..503c40a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0340.aae9e33fb151ae061354b8cfe9f90b3d @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:51:45 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 680ED16F17 + for ; Wed, 9 Oct 2002 10:51:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:15 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g993a8K17381 for + ; Wed, 9 Oct 2002 04:36:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993S1f10437; Wed, 9 Oct 2002 05:28:01 + +0200 +Received: from mx1.example.com (mx1.example.com [66.187.233.31]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g993R3f32233 for + ; Wed, 9 Oct 2002 05:27:03 +0200 +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by mx1.redhat.com (8.11.6/8.11.6) with ESMTP id + g9937LX06956 for ; Tue, 8 Oct 2002 23:07:21 -0400 +Received: from pobox.corp.example.com (pobox.corp.example.com + [172.16.52.156]) by int-mx1.corp.redhat.com (8.11.6/8.11.6) with ESMTP id + g993R2f05090 for ; Tue, 8 Oct 2002 23:27:02 -0400 +Received: from ckk.rdu.example.com (ckk.rdu.example.com [172.16.57.72]) by + pobox.corp.redhat.com (8.11.6/8.11.6) with ESMTP id g993R2a06030 for + ; Tue, 8 Oct 2002 23:27:02 -0400 +Subject: Re: Zoot apt/openssh & new DVD playing doc +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021008163613.0c1dcc72.matthias@rpmforge.net> +References: <20021008163613.0c1dcc72.matthias@rpmforge.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034134030.26329.85.camel@ckk.rdu.example.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 23:27:10 -0400 +Date: 08 Oct 2002 23:27:10 -0400 +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-10-08 at 10:36, Matthias Saou wrote: +> Hi there, +> +> Two new things today : +> +> 1) I've had to install a Red Hat Linux 6.2 server because of an old +> proprietary IVR software that doesn't work on newer releases :-( So I've +> recompiled both the latest apt and openssh packages for it, and they are +> now available with a complete "os, updates & freshrpms" apt repository at +> apt.freshrpms.net, for those who might be interested. + +Gack. Did you try 7.3 with the compat-glibc first? Or does it require an +antique kernel? + +-- +Chris Kloiber + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0341.e8a70f3df9757b1df7d8e36de3e01b0d b/machine-learning-ex6/ex6/easy_ham/0341.e8a70f3df9757b1df7d8e36de3e01b0d new file mode 100644 index 0000000..aa4f398 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0341.e8a70f3df9757b1df7d8e36de3e01b0d @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:51:52 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 8078D16F1C + for ; Wed, 9 Oct 2002 10:51:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9964ZK21903 for + ; Wed, 9 Oct 2002 07:04:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99622f12905; Wed, 9 Oct 2002 08:02:02 + +0200 +Received: from bennew01.localdomain (pD900DDF4.dip.t-dialin.net + [217.0.221.244]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g9960vf06792 for ; Wed, 9 Oct 2002 08:00:57 +0200 +Received: from bennew01.localdomain (bennew01.localdomain [192.168.3.1]) + by bennew01.localdomain (8.12.5/linuxconf) with SMTP id g9960n3S018401 for + ; Wed, 9 Oct 2002 08:00:50 +0200 +From: Matthias Haase +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +Message-Id: <20021009080049.5620bea1.matthias_haase@bennewitz.com> +In-Reply-To: <3DA33AA1.1A724EF5@eecs.berkeley.edu> +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> + <20021008202424.67c6e32c.matthias_haase@bennewitz.com> + <3DA33AA1.1A724EF5@eecs.berkeley.edu> +X-Operating-System: customized linux smp kernel 2.4* on i686 +X-Mailer: Sylpheed +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 08:00:49 +0200 +Date: Wed, 9 Oct 2002 08:00:49 +0200 +X-Spam-Status: No, hits=-8.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Tue, 08 Oct 2002 13:05:53 -0700 +Ben Liblit wrote: + +> > RPM build errors: +> > File not found by glob: +> > /var/tmp/freetype-2.1.2-root/usr/lib/libttf.so.* +> > File not found: /var/tmp/freetype-2.1.2-root/usr/lib/libttf.so +> +> Weird. I had no problems at all rebuilding from the SRPM with specfile +> modified to enable the bytecode interpreter. The "check-files" test +> warns that "/usr/share/aclocal/freetype2.m4" was not included in any +> package, but other then that, it's all perfectly clean. +Hi, Ben, + +it seems, the RH freetype package should be repacked, +see for this +https://bugzilla.redhat.com/bugzilla/show_bug.cgi?id=74415 + +Please, can you atach and send your sucessfully rebuild of the RH freetype +rpm with the bytecode enabled to me? + +-- + Regards from Germany + Matthias + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0342.16612b49bb48a41b6bdba8dff6bb2399 b/machine-learning-ex6/ex6/easy_ham/0342.16612b49bb48a41b6bdba8dff6bb2399 new file mode 100644 index 0000000..f935420 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0342.16612b49bb48a41b6bdba8dff6bb2399 @@ -0,0 +1,76 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:52:30 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id DAD2D16F21 + for ; Wed, 9 Oct 2002 10:51:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:29 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g996ujK23217 for + ; Wed, 9 Oct 2002 07:56:45 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g996h2f09269; Wed, 9 Oct 2002 08:43:02 + +0200 +Received: from adsl-63-192-217-110.dsl.snfc21.pacbell.net + (adsl-63-192-217-110.dsl.snfc21.pacbell.net [63.192.217.110]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g996fmf24650 for + ; Wed, 9 Oct 2002 08:41:48 +0200 +Received: from eecs.berkeley.edu (localhost [127.0.0.1]) by + adsl-63-192-217-110.dsl.snfc21.pacbell.net (Postfix) with ESMTP id + 814973B72C for ; Tue, 8 Oct 2002 23:41:46 -0700 + (PDT) +Message-Id: <3DA3CFAA.9EFC7FB7@eecs.berkeley.edu> +From: Ben Liblit +X-Mailer: Mozilla 4.79 [en] (X11; U; Linux 2.4.19 i686) +X-Accept-Language: en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> + <20021008202424.67c6e32c.matthias_haase@bennewitz.com> + <3DA3C96B.7050007@eecs.berkeley.edu> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 23:41:46 -0700 +Date: Tue, 08 Oct 2002 23:41:46 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_NONSENSE_FROM_40_50,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +I wrote: +> [The bytecode interpreter] may improve non-antialiased rendering, but +> only at the expense of making a mess of antialiased rendering. + +Then again, perhaps the particular font I'm using just has bad +bytecodes. That font is "QuickType II", grabbed off my Windows +partition, where it was installed by I-have-no-idea-which-application. + +Anybody else experimenting with bytecode-enabled freetype, presumably +with different fonts? Do you find the same bad antialiased rendering +that I found, or do other fonts work well? + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0343.6e7c6e5766528e1cf49b6dfb904b8182 b/machine-learning-ex6/ex6/easy_ham/0343.6e7c6e5766528e1cf49b6dfb904b8182 new file mode 100644 index 0000000..a436a53 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0343.6e7c6e5766528e1cf49b6dfb904b8182 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:52:31 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7E0A116F22 + for ; Wed, 9 Oct 2002 10:51:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:32 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g996xEK23238 for + ; Wed, 9 Oct 2002 07:59:14 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g996u5f26135; Wed, 9 Oct 2002 08:56:05 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g996tHf25655 for ; Wed, 9 Oct 2002 08:55:17 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Zoot apt/openssh & new DVD playing doc +Message-Id: <20021009085508.7d183613.matthias@rpmforge.net> +In-Reply-To: <1034134030.26329.85.camel@ckk.rdu.example.com> +References: <20021008163613.0c1dcc72.matthias@rpmforge.net> + <1034134030.26329.85.camel@ckk.rdu.redhat.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 08:55:08 +0200 +Date: Wed, 9 Oct 2002 08:55:08 +0200 +X-Spam-Status: No, hits=-18.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Chris wrote : + +> On Tue, 2002-10-08 at 10:36, Matthias Saou wrote: +> > Hi there, +> > +> > Two new things today : +> > +> > 1) I've had to install a Red Hat Linux 6.2 server because of an old +> > proprietary IVR software that doesn't work on newer releases :-( So +> > I've recompiled both the latest apt and openssh packages for it, and +> > they are now available with a complete "os, updates & freshrpms" apt +> > repository at apt.freshrpms.net, for those who might be interested. +> +> Gack. Did you try 7.3 with the compat-glibc first? Or does it require an +> antique kernel? + +It requires a 2.2 kernel, plus antique just-about-everything :-/ Real crap! + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.00 0.03 0.00 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0344.df8e2450d47669cc5ae2a6e2c0cce1a5 b/machine-learning-ex6/ex6/easy_ham/0344.df8e2450d47669cc5ae2a6e2c0cce1a5 new file mode 100644 index 0000000..d20cd31 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0344.df8e2450d47669cc5ae2a6e2c0cce1a5 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:52:07 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 3254416F20 + for ; Wed, 9 Oct 2002 10:51:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:51:28 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g996jAK22972 for + ; Wed, 9 Oct 2002 07:45:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g996b2f06803; Wed, 9 Oct 2002 08:37:02 + +0200 +Received: from bennew01.localdomain (pD900DDF4.dip.t-dialin.net + [217.0.221.244]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g996aAf01341 for ; Wed, 9 Oct 2002 08:36:10 +0200 +Received: from bennew01.localdomain (bennew01.localdomain [192.168.3.1]) + by bennew01.localdomain (8.12.5/linuxconf) with SMTP id g996a33S019398 for + ; Wed, 9 Oct 2002 08:36:03 +0200 +From: Matthias Haase +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +Message-Id: <20021009083602.6a8bcf32.matthias_haase@bennewitz.com> +In-Reply-To: <3DA3C96B.7050007@eecs.berkeley.edu> +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> + <20021008202424.67c6e32c.matthias_haase@bennewitz.com> + <3DA3C96B.7050007@eecs.berkeley.edu> +X-Operating-System: customized linux smp kernel 2.4* on i686 +X-Mailer: Sylpheed +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 08:36:02 +0200 +Date: Wed, 9 Oct 2002 08:36:02 +0200 +X-Spam-Status: No, hits=-6.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +On Tue, 08 Oct 2002 23:15:07 -0700 +Ben Liblit wrote: + +> Ick. Perhaps this is why Red Hat turned the bytecode interpreter off. +> It may improve non-antialiased rendering, but only at the expense of +> making a mess of antialiased rendering. +> +> This may come down to a matter of personal aesthetics, but for my part, +> I'm going back to Red Hat's standard packages with the bytecode +> interpreter turned *off*. +Yes, confirmed, but for my part, I'm using mostly non-antialiased fonts +and +they are true ugly without the bytecode interpreter enabled. + +Remember my stupid request about your RPM ;-) + + +-- + Regards from Germany + Matthias + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0345.c30e766af45337ac505a52ad592ab954 b/machine-learning-ex6/ex6/easy_ham/0345.c30e766af45337ac505a52ad592ab954 new file mode 100644 index 0000000..31de38a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0345.c30e766af45337ac505a52ad592ab954 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:53:11 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id AC66A16F7C + for ; Wed, 9 Oct 2002 10:52:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g998YdK26404 for + ; Wed, 9 Oct 2002 09:34:39 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g998V3f31189; Wed, 9 Oct 2002 10:31:03 + +0200 +Received: from mail.addix.net (kahless.addix.net [195.179.139.19]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g998UHf30709 for + ; Wed, 9 Oct 2002 10:30:17 +0200 +Received: from wolf359.ision-cic.de (soran.int.addix.net [212.51.6.15] + (may be forged)) by mail.addix.net (8.9.3/8.9.3) with SMTP id KAA26671 for + ; Wed, 9 Oct 2002 10:29:47 +0200 +From: Ralf Ertzinger +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt repository authentication: it's time +Message-Id: <20021009102823.0e442ee6.ralf@camperquake.de> +In-Reply-To: <20021008175452.581c0e50.kilroy@kamakiriad.com> +References: <20021008175452.581c0e50.kilroy@kamakiriad.com> +Organization: [NDC] ;-) +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 10:28:23 +0200 +Date: Wed, 9 Oct 2002 10:28:23 +0200 +X-Spam-Status: No, hits=-7.8 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Hi. + +Brian Fahrlander wrote: + +> What's it take to ensure we're covered against this kind of +> childish/moronic/Microsoft-era problems? + +Well, I am checking the packet signatures while building the apt-tree. +Not very pretty, not very fast, but it works. + +Nonetheless: +did anyone ever play with this: +http://distro.conectiva.com.br/pipermail/apt-rpm/2002-August/000653.html + +-- +R! + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0346.99d1bb3416a43eaa05b6162d7f38eb71 b/machine-learning-ex6/ex6/easy_ham/0346.99d1bb3416a43eaa05b6162d7f38eb71 new file mode 100644 index 0000000..f2b84aa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0346.99d1bb3416a43eaa05b6162d7f38eb71 @@ -0,0 +1,89 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:53:15 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id 7447D16F7F + for ; Wed, 9 Oct 2002 10:52:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:16 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9999BK27619 for + ; Wed, 9 Oct 2002 10:09:11 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99941f25722; Wed, 9 Oct 2002 11:04:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9993Df23422 for + ; Wed, 9 Oct 2002 11:03:13 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt repository authentication: it's time +Message-Id: <20021009110311.32c22ea5.matthias@rpmforge.net> +In-Reply-To: <20021008175452.581c0e50.kilroy@kamakiriad.com> +References: <20021008175452.581c0e50.kilroy@kamakiriad.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 11:03:11 +0200 +Date: Wed, 9 Oct 2002 11:03:11 +0200 +X-Spam-Status: No, hits=-27.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Brian wrote : + +> OK, it's now time to work out the PGP securing of apt repository +> traffic. I've never gotten anything but "sitename.whatever will not +> be authenticated" until running Redhat 8.0 when I get something +> about having "No Key" for various files. + +I don't think gpg signing my repositories will help anything, as it will +just ensure that my passphrase was typed to confirm the md5 signatures of +all pgklists and srclists. Basically, you'll then just be sure that it's me +who generated the files, and this will of course prevent automating the +process of updating the apt repository when Red Hat updates show up. + +In Red Hat Linux 8.0 though, the warnings about "No Key" appear until you +import the right gpg public keys directly with rpm, for example : +rpm --import /usr/share/doc/apt-0.5.4cnc7/RPM-GPG-KEY +(this will import my key, which is used to sign all freshrpms.net packages) + +Hopefully it is possible to the tell rpm to install *only* packages who +verify against an imported gpg key? This for me would be the optimal way to +ensure integrity with the way things curently work. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.14 0.18 0.17 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0347.0e43f8ba3aadeed419f512188e5d8aa4 b/machine-learning-ex6/ex6/easy_ham/0347.0e43f8ba3aadeed419f512188e5d8aa4 new file mode 100644 index 0000000..99753c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0347.0e43f8ba3aadeed419f512188e5d8aa4 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 10:53:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id C262316F82 + for ; Wed, 9 Oct 2002 10:52:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Wed, 09 Oct 2002 10:52:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g999a0K28408 for + ; Wed, 9 Oct 2002 10:36:01 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g999T2f09799; Wed, 9 Oct 2002 11:29:02 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g999Rif01254 for ; Wed, 9 Oct 2002 11:27:45 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.com (8.11.6/8.11.6) with SMTP id g999RWP18078 + for ; Wed, 9 Oct 2002 04:27:32 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt repository authentication: it's time +Message-Id: <20021009042734.049ea20e.kilroy@kamakiriad.com> +In-Reply-To: <20021009110311.32c22ea5.matthias@rpmforge.net> +References: <20021008175452.581c0e50.kilroy@kamakiriad.com> + <20021009110311.32c22ea5.matthias@rpmforge.net> +X-Mailer: Sylpheed version 0.8.5 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 04:27:34 -0500 +Date: Wed, 9 Oct 2002 04:27:34 -0500 +X-Spam-Status: No, hits=-9.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +On Wed, 9 Oct 2002 11:03:11 +0200, Matthias Saou wrote: + +> I don't think gpg signing my repositories will help anything, as it will +> just ensure that my passphrase was typed to confirm the md5 signatures of +> all pgklists and srclists. Basically, you'll then just be sure that it's me +> who generated the files, and this will of course prevent automating the +> process of updating the apt repository when Red Hat updates show up. + + Isn't there a packager-key that's concealed inside the rpm? Things have changed a bit since I used to work with'em, but I thought there was some internal number that must be compared to be correct (or, presumably, return an error.) + +> In Red Hat Linux 8.0 though, the warnings about "No Key" appear until you +> import the right gpg public keys directly with rpm, for example : +> rpm --import /usr/share/doc/apt-0.5.4cnc7/RPM-GPG-KEY +> (this will import my key, which is used to sign all freshrpms.net packages) + + Hey, cool; wether it protects me or not, I feel better about it. + +> Hopefully it is possible to the tell rpm to install *only* packages who +> verify against an imported gpg key? This for me would be the optimal way to +> ensure integrity with the way things curently work. + + Yeah, surely there's a flag for that; there is, for everything else, aye? :) + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +angegangen, Schlange-Hüften, sein es ganz rüber jetzt. Bügel innen fest, +weil es eine lange, süsse Fahrt ist. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/0348.3b405d7ce51b88004e6106862f9e3ac4 b/machine-learning-ex6/ex6/easy_ham/0348.3b405d7ce51b88004e6106862f9e3ac4 new file mode 100644 index 0000000..fc11256 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0348.3b405d7ce51b88004e6106862f9e3ac4 @@ -0,0 +1,123 @@ +From sentto-2242572-56027-1034088329-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 17:02:17 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id D702416F16 + for ; Tue, 8 Oct 2002 17:01:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 17:01:47 +0100 (IST) +Received: from n18.grp.scd.yahoo.com (n18.grp.scd.yahoo.com + [66.218.66.73]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98EjEK20113 for ; Tue, 8 Oct 2002 15:45:15 +0100 +X-Egroups-Return: sentto-2242572-56027-1034088329-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.198] by n18.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 14:45:29 -0000 +X-Sender: skitster@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 14:45:28 -0000 +Received: (qmail 27266 invoked from network); 8 Oct 2002 14:45:28 -0000 +Received: from unknown (66.218.66.216) by m5.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 14:45:28 -0000 +Received: from unknown (HELO hotmail.com) (64.4.17.165) by + mta1.grp.scd.yahoo.com with SMTP; 8 Oct 2002 14:45:28 -0000 +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 8 Oct 2002 07:45:28 -0700 +Received: from 217.34.194.18 by lw11fd.law11.hotmail.msn.com with HTTP; + Tue, 08 Oct 2002 14:45:28 GMT +To: zzzzteana@yahoogroups.com +Cc: clare.bunkham@prudential.co.uk +Message-Id: +X-Originalarrivaltime: 08 Oct 2002 14:45:28.0554 (UTC) FILETIME=[58247CA0:01C26ED9] +From: "Scott Wood" +X-Originating-Ip: [217.34.194.18] +X-Yahoo-Profile: fromage_frenzy +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 15:45:28 +0100 +Subject: [zzzzteana] Plumstead Panther - Pictures! +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-3.5 required=5.0 + tests=FROM_EGROUPS,GROUPS_YAHOO_1,HOTMAIL_FOOTER1, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +Looks and sounds a hell of a lot like Clare's cat, Violence... + +A tall tail or is it a prowling panther? + + +http://www.thisislocallondon.co.uk/news/weird/display.var.633939.Bizarre+London.0.html + + +Security cameras at the Gardiner house filmed the cat +The Plumstead panther has been spotted just yards from the scene of a +sighting made three weeks ago but this time it was caught on camera. + +Steve Gardiner, 41, claims to have spotted the large cat in his garden in +Upton Road, Plumstead, in the sixth reported sighting in Woolwich and Bexley +in just four weeks. + +Mr Gardiner told News Shopper he watched the big cat as it walked alongside +the house at about 7.15am, on Wednesday, September 25, while his security +cameras captured it on film. + +The father-of-four described the black cat as about 3ft long and +two-and-a-half-foot high, with a large body. + +He said: "It prowled past the patio doors moving with all the mannerisms of +a hunter. + +"It looked at me calmly before moving on." + +The bricklayer told how his work colleagues let him know News Shopper had +been following the big cat story so he decided to call our offices with news +of the sighting. + +His wife, Karen, 41, later checked the tape which had captured grainy images +of the large cat prowling through their garden. + +She said: "I feel sorry for it not living in its natural habitat I'd hate +for it to get hurt." + +Mr Gardiner told how he is convinced of the cat's existence saying how their +usually quiet 18-year-old dog barks at "nothing" in the garden but barked +that morning. + +He warned: "I don't think these cats are dangerous but, if cornered, they +might jump you." + +Sightings of the large black cat are being reported all over the Plumstead +Common and Shooters Hill as well at the Bexley area. + +If you have seen the big cat, call News Shopper on 01689 885712. + +12:27 Tuesday 8th October 2002 + + + +_________________________________________________________________ +Send and receive Hotmail on your mobile device: http://mobile.msn.com + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Sell a Home for Top $ +http://us.click.yahoo.com/RrPZMC/jTmEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0349.1f77fea2fe759b72c8f29740558ffae8 b/machine-learning-ex6/ex6/easy_ham/0349.1f77fea2fe759b72c8f29740558ffae8 new file mode 100644 index 0000000..28707ca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0349.1f77fea2fe759b72c8f29740558ffae8 @@ -0,0 +1,76 @@ +From sentto-2242572-56029-1034088748-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 17:02:22 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id BC63716F1A + for ; Tue, 8 Oct 2002 17:01:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 17:01:51 +0100 (IST) +Received: from n19.grp.scd.yahoo.com (n19.grp.scd.yahoo.com + [66.218.66.74]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98ExDK20727 for ; Tue, 8 Oct 2002 15:59:13 +0100 +X-Egroups-Return: sentto-2242572-56029-1034088748-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.192] by n19.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 14:52:30 -0000 +X-Sender: timc@2ubh.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 14:52:28 -0000 +Received: (qmail 8966 invoked from network); 8 Oct 2002 14:52:14 -0000 +Received: from unknown (66.218.66.218) by m10.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 14:52:14 -0000 +Received: from unknown (HELO tungsten.btinternet.com) (194.73.73.81) by + mta3.grp.scd.yahoo.com with SMTP; 8 Oct 2002 14:52:14 -0000 +Received: from host217-35-11-51.in-addr.btopenworld.com ([217.35.11.51]) + by tungsten.btinternet.com with esmtp (Exim 3.22 #8) id 17yviW-0003Cq-00 + for forteana@yahoogroups.com; Tue, 08 Oct 2002 15:52:12 +0100 +X-Mailer: Microsoft Outlook Express Macintosh Edition - 4.5 (0410) +To: zzzzteana +X-Priority: 3 +Message-Id: +From: "Tim Chapman" +X-Yahoo-Profile: tim2ubh +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 15:51:16 +0100 +Subject: [zzzzteana] A Billy for the septics +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-126.5 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,FROM_EGROUPS,GROUPS_YAHOO_1, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://news.bbc.co.uk/1/hi/uk/2310209.stm + +Tuesday, 8 October, 2002, 13:53 GMT 14:53 UK +Quiz: Know your Cockney Rhyming Slang? + +Cockney Rhyming Slang is alive and well with new terms being invented all +the time, according to the new Oxford Dictionary of Rhyming Slang being +published this week. +But do you know a Raquel Welch (belch) from a Billie Piper (windscreen +wiper)? +... + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0350.dabd503455d16db68a0e4bad24ffc736 b/machine-learning-ex6/ex6/easy_ham/0350.dabd503455d16db68a0e4bad24ffc736 new file mode 100644 index 0000000..07e601a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0350.dabd503455d16db68a0e4bad24ffc736 @@ -0,0 +1,101 @@ +From sentto-2242572-56028-1034088521-zzzz=example.com@returns.groups.yahoo.com Tue Oct 8 17:02:19 2002 +Return-Path: +Delivered-To: zzzz@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by example.com (Postfix) with ESMTP id DC7B516F17 + for ; Tue, 8 Oct 2002 17:01:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for zzzz@localhost (single-drop); Tue, 08 Oct 2002 17:01:48 +0100 (IST) +Received: from n13.grp.scd.yahoo.com (n13.grp.scd.yahoo.com + [66.218.66.68]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g98EuBK20554 for ; Tue, 8 Oct 2002 15:56:14 +0100 +X-Egroups-Return: sentto-2242572-56028-1034088521-zzzz=example.com@returns.groups.yahoo.com +Received: from [66.218.67.193] by n13.grp.scd.yahoo.com with NNFMP; + 08 Oct 2002 14:48:41 -0000 +X-Sender: skitster@hotmail.com +X-Apparently-To: zzzzteana@yahoogroups.com +Received: (EGP: mail-8_2_2_0); 8 Oct 2002 14:48:41 -0000 +Received: (qmail 60589 invoked from network); 8 Oct 2002 14:48:40 -0000 +Received: from unknown (66.218.66.217) by m11.grp.scd.yahoo.com with QMQP; + 8 Oct 2002 14:48:40 -0000 +Received: from unknown (HELO hotmail.com) (64.4.17.7) by + mta2.grp.scd.yahoo.com with SMTP; 8 Oct 2002 14:48:40 -0000 +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 8 Oct 2002 07:48:40 -0700 +Received: from 217.34.194.18 by lw11fd.law11.hotmail.msn.com with HTTP; + Tue, 08 Oct 2002 14:48:40 GMT +To: zzzzteana@yahoogroups.com +Message-Id: +X-Originalarrivaltime: 08 Oct 2002 14:48:40.0859 (UTC) FILETIME=[CAC3E6B0:01C26ED9] +From: "Scott Wood" +X-Originating-Ip: [217.34.194.18] +X-Yahoo-Profile: fromage_frenzy +MIME-Version: 1.0 +Mailing-List: list zzzzteana@yahoogroups.com; contact + forteana-owner@yahoogroups.com +Delivered-To: mailing list zzzzteana@yahoogroups.com +Precedence: bulk +List-Unsubscribe: +Date: Tue, 08 Oct 2002 15:48:40 +0100 +Subject: [zzzzteana] Punch bags filled with incontinence pads +Reply-To: zzzzteana@yahoogroups.com +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,FROM_EGROUPS,GROUPS_YAHOO_1,HOTMAIL_FOOTER5, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + + + +http://www.thisislocallondon.co.uk/news/weird/display.var.633932.Bizarre+London.0.html + +An investigation has been launched after punch bags on sale in Greenwich +were found to be stuffed with incontinence pads and bandages. + +Trading standards officers, working for Greenwich Council, were alerted to +the situation after a Bryan punch bag, purchased in Argos, in Charlton Road, +Charlton, was found to be full of bandages. + +Also stuffed inside the piece of sporting equipment was a letter from a +woman in Fife stating how she felt quite disgusted' about the bag and asking +for the filling to be tested. + +The unfortunate shopper had bought his first bag, at Argos, in Lewisham High +Street, but had returned it because on investigation of a leak he was +horrified to discover it was filled with incontinence pads. + +So far, officers have purchased two of the punch bags, only to find they +contain incontinence pads and strips of shredded duvet. + +Cabinet member for public services Councillor Angela Cornforth said: "This +is one of the strangest stories I have every heard. + +"Our officers are in the process of investigating and will no doubt discover +why the bags contain such unusual contents." + +12:18 Tuesday 8th October 2002 + + + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + + +------------------------ Yahoo! Groups Sponsor ---------------------~--> +Plan to Sell a Home? +http://us.click.yahoo.com/J2SnNA/y.lEAA/MVfIAA/7gSolB/TM +---------------------------------------------------------------------~-> + +To unsubscribe from this group, send an email to: +forteana-unsubscribe@egroups.com + + + +Your use of Yahoo! Groups is subject to http://docs.yahoo.com/info/terms/ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0351.a7381397d31e8511581dc5cd59f39959 b/machine-learning-ex6/ex6/easy_ham/0351.a7381397d31e8511581dc5cd59f39959 new file mode 100644 index 0000000..0f93ccf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0351.a7381397d31e8511581dc5cd59f39959 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Mon Aug 26 15:31:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8D4B94415E + for ; Mon, 26 Aug 2002 10:26:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OEuYZ06483 for ; + Sat, 24 Aug 2002 15:56:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 258B52940EF; Sat, 24 Aug 2002 07:54:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 935DE2940BF for ; Sat, + 24 Aug 2002 07:53:16 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D04403ECF4; + Sat, 24 Aug 2002 10:57:13 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id CEC393EC7A; Sat, 24 Aug 2002 10:57:13 -0400 (EDT) +From: Tom +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 10:57:13 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sat, 24 Aug 2002, Adam L. Beberg wrote: + +--]And yet STILL noone is out there creating _public domain_ content. Is there +--]even one person out there can can even begin to talk without being a +--]complete hypocrite? And no the "open source" people cant talk either, the +--]GPL aint even close. I know I cant talk. + + +All my music is in the Public Domain. + + +There are others. + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0352.632edfcf333b87a4994c49313b4d515a b/machine-learning-ex6/ex6/easy_ham/0352.632edfcf333b87a4994c49313b4d515a new file mode 100644 index 0000000..e96ca6d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0352.632edfcf333b87a4994c49313b4d515a @@ -0,0 +1,61 @@ +From fork-admin@xent.com Mon Aug 26 15:31:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 69B344416D + for ; Mon, 26 Aug 2002 10:26:05 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OExmZ06568 for ; + Sat, 24 Aug 2002 15:59:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 230472940FB; Sat, 24 Aug 2002 07:57:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail2.panix.com (mail2.panix.com [166.84.1.73]) by xent.com + (Postfix) with ESMTP id 9FFFF2940F8 for ; Sat, + 24 Aug 2002 07:56:53 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail2.panix.com (Postfix) with ESMTP id 496AA9279 for + ; Sat, 24 Aug 2002 10:58:43 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 10:51:05 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +> If the creator didnt say you could have it without paying, it's theft, so +> simple, hell that's even in all the major holy books. + +Wow, I've got a great idea! I'll hire a skywriter to write "you can't +look at this without paying," then lock up everybody who looked at it and +didn't pay! It can't fail -- Jesus is on my side! + + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0353.f4c84bdca20621cd5aa9bf8d6210e0b4 b/machine-learning-ex6/ex6/easy_ham/0353.f4c84bdca20621cd5aa9bf8d6210e0b4 new file mode 100644 index 0000000..ae05be7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0353.f4c84bdca20621cd5aa9bf8d6210e0b4 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Aug 26 15:32:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AF7494416E + for ; Mon, 26 Aug 2002 10:26:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OF4eZ06772 for ; + Sat, 24 Aug 2002 16:04:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D60FB2940FF; Sat, 24 Aug 2002 07:59:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f199.law15.hotmail.com [64.4.23.199]) by + xent.com (Postfix) with ESMTP id 447D92940FF for ; + Sat, 24 Aug 2002 07:58:25 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 24 Aug 2002 08:00:15 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Sat, 24 Aug 2002 15:00:15 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: The case for spam +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 24 Aug 2002 15:00:15.0691 (UTC) FILETIME=[F45419B0:01C24B7E] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 15:00:15 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=KNOWN_MAILING_LIST,MSN_FOOTER1,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Lucas Gonze: +>Senders should vary the recipient list to include non-targets, like party +>officials, and to exclude targets enough to give them plausible +>deniability. + +Which means the sender has a list of who the true +targets are, and who the fake targets are, and +scripts for mixing these. On the receiving side, +my email client distinguishes between messages +that are read, and messages that are not. I like +to mark or save messages that are particularly +interresting or important to me. And even if I +make a point to delete "suspicious material" +immediately upon reading it, even THAT might +leave an interesting kind of trace on my machine. + +Sorry, but I don't buy the argument that spam +protects people who want to distribute or see +material the government disapproves. + + +_________________________________________________________________ +MSN Photos is the easiest way to share and print your photos: +http://photos.msn.com/support/worldwide.aspx + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0354.297d496266df9171aace690c7483f35c b/machine-learning-ex6/ex6/easy_ham/0354.297d496266df9171aace690c7483f35c new file mode 100644 index 0000000..8c12939 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0354.297d496266df9171aace690c7483f35c @@ -0,0 +1,78 @@ +From fork-admin@xent.com Mon Aug 26 15:32:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 291E04415F + for ; Mon, 26 Aug 2002 10:26:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OFZXZ07798 for ; + Sat, 24 Aug 2002 16:35:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2BA432940DA; Sat, 24 Aug 2002 08:33:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail2.panix.com (mail2.panix.com [166.84.1.73]) by xent.com + (Postfix) with ESMTP id D8F952940BF for ; Sat, + 24 Aug 2002 08:32:22 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail2.panix.com (Postfix) with ESMTP id 972AC91F0 for + ; Sat, 24 Aug 2002 11:34:12 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re: The case for spam +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 11:26:34 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + SPAM_PHRASE_13_21,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Russell Turpin wrote: +> On the receiving side, +> my email client distinguishes between messages +> that are read, and messages that are not. I like +> to mark or save messages that are particularly +> interresting or important to me. And even if I +> make a point to delete "suspicious material" +> immediately upon reading it, even THAT might +> leave an interesting kind of trace on my machine. + +You choose to have your email client do that. You don't have to. Short +of Palladium, you can do whatever you want with bytes you hold, including +reading messages and erasing the traces. I'll buy a chocolate sundae for +anyone who can show otherwise. + +An attacker might be able to verify that you *have* read a message (e.g. +by seeing that you saved and edited a copy) but not that you *haven't*. +If your email client was compromised you could put a packet sniffer on the +line before downloading mail. If an attacker installed a packet sniffer +sniffer, you could run it in a spoofing VM. + +The only exception to the rule that your machine belongs to you is -- +maybe -- Palladium. + +- Lucas + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0355.2d1f5d2164caea679047233e08a10a58 b/machine-learning-ex6/ex6/easy_ham/0355.2d1f5d2164caea679047233e08a10a58 new file mode 100644 index 0000000..405ffae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0355.2d1f5d2164caea679047233e08a10a58 @@ -0,0 +1,117 @@ +From fork-admin@xent.com Mon Aug 26 15:32:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE56244160 + for ; Mon, 26 Aug 2002 10:26:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:22 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OHwZZ11990 for ; + Sat, 24 Aug 2002 18:58:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 238042940C9; Sat, 24 Aug 2002 10:56:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 5FDF62940BF for + ; Sat, 24 Aug 2002 10:55:43 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17if8s-0008IP-00; + Sat, 24 Aug 2002 13:56:10 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: "Ouch. Ouch. Ouch. Ouch. Ouch...."(was Re: My brain hurts) +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 11:45:18 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.2 required=7.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Date: Sat, 24 Aug 2002 11:39:34 -0400 +To: "R. A. Hettinga" +From: Somebody +Subject: Re: "Ouch. Ouch. Ouch. Ouch. Ouch...."(was Re: My brain hurts) + +And then there was the one from Prairie Home Companion: + +Q. Why is a viola larger than a violin? +A. It just looks that way because a violin player's head is bigger. + + +>--- begin forwarded text +> +> +>Status: RO +>Delivered-To: fork@example.com +>From: "Joseph S. Barrera III" +>Organization: Rose Garden Funeral of Sores +>User-Agent: Mutt/1.5.0 [-1214711651] +>To: Flatware or Road Kill? +>Subject: Re: "Ouch. Ouch. Ouch. Ouch. Ouch...."(was Re: My brain hurts) +>Sender: fork-admin@xent.com +>Date: Wed, 24 Jul 2002 15:17:40 -0700 +> +>There are so many good musician jokes. +> +>A couple of my favorites: +> +>Q. What's the difference between a viola and a violin? +>A. A viola burns longer. +> +>Q. What's the definition of a minor second? +>A. Two oboes playing in unison. +> +>- Joe +> +> +>http://xent.com/mailman/listinfo/fork +> +>--- end forwarded text +> +> +>-- +>----------------- +>R. A. Hettinga +>The Internet Bearer Underwriting Corporation +>44 Farquhar Street, Boston, MA 02131 USA +>"... however it may deserve respect for its usefulness and antiquity, +>[predicting the end of the world] has not been found agreeable to +>experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + +-- + +--- end forwarded text + + +-- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"Never underestimate the power of stupid people in large groups." +--George Carlin +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0356.b70fca5029fcd82a09ec6b960f4920af b/machine-learning-ex6/ex6/easy_ham/0356.b70fca5029fcd82a09ec6b960f4920af new file mode 100644 index 0000000..8cfc13d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0356.b70fca5029fcd82a09ec6b960f4920af @@ -0,0 +1,80 @@ +From fork-admin@xent.com Mon Aug 26 15:32:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 836D244161 + for ; Mon, 26 Aug 2002 10:26:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7OI8aZ12419 for ; + Sat, 24 Aug 2002 19:08:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A42A9294106; Sat, 24 Aug 2002 11:06:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 786AE2940BF for ; Sat, + 24 Aug 2002 11:05:35 -0700 (PDT) +Received: (qmail 4519 invoked from network); 24 Aug 2002 18:07:25 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 24 Aug 2002 18:07:25 -0000 +Reply-To: +From: "John Hall" +To: +Subject: A biblical digression +Message-Id: <004501c24b99$1a6596a0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 11:07:00 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Adam +> L. Beberg + +> +> If the creator didnt say you could have it without paying, it's theft, +so +> simple, hell that's even in all the major holy books. + +Ran across a site which claimed to explain the original meaning of the +Ten Commandments. It seems some of those meanings have evolved a bit, +too. + +In particular, there was a claim that the commandment on stealing was +actually specifically about 'man stealing -- selling a free man into +slavery. Certainly the US southerners were particularly sensitive to +the term 'man stealer' in a way I didn't understand. + +Yep, I know he said all holy books. No, I don't know if this site was +blowing hot air. It just read like someone had done their homework. + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0357.1dbdc4d7a9e7e290455af62c1df78649 b/machine-learning-ex6/ex6/easy_ham/0357.1dbdc4d7a9e7e290455af62c1df78649 new file mode 100644 index 0000000..46a0706 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0357.1dbdc4d7a9e7e290455af62c1df78649 @@ -0,0 +1,433 @@ +From fork-admin@xent.com Mon Aug 26 15:32:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B7AB64416F + for ; Mon, 26 Aug 2002 10:26:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7PCdeZ13033 for ; + Sun, 25 Aug 2002 13:39:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4023E2940A8; Sun, 25 Aug 2002 05:37:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from ms4.lga2.nytimes.com (ms4.lga2.nytimes.com [64.15.247.148]) + by xent.com (Postfix) with ESMTP id 1BA0F2940A1 for ; + Sun, 25 Aug 2002 05:36:23 -0700 (PDT) +Received: from email5.lga2.nytimes.com (email5 [10.0.0.170]) by + ms4.lga2.nytimes.com (Postfix) with SMTP id 4029C5A607 for ; + Sun, 25 Aug 2002 08:42:23 -0400 (EDT) +Received: by email5.lga2.nytimes.com (Postfix, from userid 202) id + 9168758A4D; Sun, 25 Aug 2002 08:34:47 -0400 (EDT) +Reply-To: khare@alumni.caltech.edu +From: khare@alumni.caltech.edu +To: fork@example.com +Subject: NYTimes.com Article: Texas Pacific Goes Where Others Fear to Spend +Message-Id: <20020825123447.9168758A4D@email5.lga2.nytimes.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 08:34:47 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.6 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,SPAM_PHRASE_00_01, + SUPERLONG_LINE,US_DOLLARS_2,US_DOLLARS_4 + version=2.40-cvs +X-Spam-Level: + +This article from NYTimes.com +has been sent to you by khare@alumni.caltech.edu. + + +Texas Pacific, in addition to its multibillion dollar portfolio detailed below, actually does invest in promising new companies, not just turnarounds. It's just that KnowNow is waaay to small of a part of their $7.2B portfolio... so far! + +Rohit + +khare@alumni.caltech.edu + + +Texas Pacific Goes Where Others Fear to Spend + +August 25, 2002 +By RIVA D. ATLAS and EDWARD WONG + + + + + + +It was one of the first calls David N. Siegel placed when +he became chief executive of the beleaguered US Airways +last March. Seeking advice on how to hammer out a leaner +and meaner business plan, keep his planes flying and +renegotiate costly contracts with the unions, he flipped +through his files and found the number for the Texas +Pacific Group, an investment firm headed by David +Bonderman, a former civil rights lawyer with a reputation +for fixing problem companies. + +Mr. Siegel, once a top executive at Continental Airlines, +had watched Texas Pacific's partners turn an investment of +$66 million in the airline, made three years after it filed +for bankruptcy in 1990, into a profit of more than $600 +million. And they had made nearly as much on their stake in +America West, which filed for bankruptcy in 1992. + +That search for advice turned into an offer. Why not let +Texas Pacific have a role in US Airways' revival? asked +Richard Schifter, the Texas Pacific executive whom Mr. +Siegel reached. + +In June, Mr. Siegel called Mr. Schifter again. And days +before US Airways announced its plans to file for +bankruptcy two weeks ago - but after it had negotiated +about $550 million in concessions with its unions - Texas +Pacific, based in Fort Worth and San Francisco, agreed to +kick in $100 million as part of a $500 million loan to keep +the company operating during bankruptcy. It also agreed to +buy $200 million of stock, or 38 percent of the company, +and take 5 of 13 seats on the board if US Airways emerges +from bankruptcy - unless another investor surfaces with a +better offer. + +"One of the reasons we were interested is few other folks +were," said James Coulter, a partner at Texas Pacific, in +an interview after the bankruptcy filing. "There aren't +many people around with the stomach or the knowledge to +delve into the airline industry." + +Texas Pacific, which manages $8 billion, thrives by buying +businesses no one else wants. Mr. Coulter and Mr. Bonderman +made their names during the recession of the early 1990's +with investments in Continental and America West. The +firm's hallmark is to take an active hand in shaping +companies, sometimes ousting poor managers and tapping its +extensive network of contacts for talented replacements. + +Now the partners are again looking for trouble. In the last +year alone, Texas Pacific has announced or completed six +acquisitions, most in unloved industries like +semiconductors, reinsurance and airlines. Just last month, +it announced plans to buy Burger King, which has been +losing market share, for $2.26 billion. It is also bidding +for Bankgesellschaft Berlin, a large and troubled bank. + +The most creative, and potentially lucrative, of these +deals could be Texas Pacific's acquisition last November of +MEMC Electronic Materials, a semiconductor company, for $6 +- yes, just $6 - in cash. It will also guarantee a $150 +million bank loan. + +In the last few years, most firms that specialize in +leveraged buyouts - the use of junk bonds, bank loans and +other borrowings to buy or take big stakes in companies - +have been largely inactive. Falling stock prices have made +managements reluctant to sell cheaply. Companies that are +for sale have tangled finances or face a cash squeeze. + +Texas Pacific is different. "This is a terrific environment +for them," said Stephen Schwarzman, chief executive of the +Blackstone Group, which also specializes in buyouts. + +Mark Attanasio, a managing director at Trust Company of the +West, which has invested with Texas Pacific, said: "Most +other buyout firms want to buy companies that are growing. +You don't see many guys wanting to take on operational +fixes." + +Like most other buyout firms, Texas Pacific tries to keep +its inner workings private: its partners rarely grant +interviews and its Web site is perpetually under +construction. Mr. Bonderman, Mr. Coulter and William Price, +the third founding partner, declined to be interviewed for +this article. + +Mr. Bonderman, 59, is known for his rumpled shirts and +bright, patterned socks. "He likes argyle socks, and they +tend to fall down around his ankles," said Henry Miller, an +investment banker who advises troubled companies. Early in +his career, when he was a Washington lawyer, Mr. Bonderman +argued a case in court wearing a brown velvet suit. + +When a Texas Pacific deal is being negotiated, he is known +for obsessively staying in touch, even when he is trekking +in places like Pakistan, Nepal and, most recently, Bhutan. +"Whenever I see a long, unfamiliar phone number pop up on +my caller I.D., I know it's David calling," said one +investment banker who often works with Mr. Bonderman. + +Mr. Bonderman made his reputation in the 1980's as the +chief investment officer for Robert Bass, the Texas oilman. +Mr. Bonderman enriched Mr. Bass a second time by making +early bets in industries like cable television and taking +stakes in troubled companies like American Savings & Loan, +which had been seized by the government. Over nearly a +decade, Mr. Bonderman's picks earned an average annual +return of 63 percent for Mr. Bass. + +In 1993, Mr. Bonderman struck out on his own with Mr. +Coulter, a former Lehman Brothers banker who had also +worked for Mr. Bass. They teamed up later that year with +Mr. Price, a veteran of GE Capital Capital and Bain & +Company, a consulting firm, to form Texas Pacific. + +The three men have complementary skills, investment bankers +and other deal makers said. Mr. Bonderman is the master +strategist and Mr. Coulter is good at structuring deals and +the detailed management of the firm's purchases. Mr. Price +often recruits managers and advises on operational issues. + +"David is very much the optimist, very much the deal +maker," said Greg Brenneman, a former president of +Continental. "Jim is very much a counterbalance to David. +He will sit back and ask the tough questions. He will +approach investments a little bit more skeptically than +David does." + +By the end of the 1990's, Texas Pacific was well +established in deal making. It easily raised $4.5 billion +from pension funds and other investors in early 2000. To +celebrate their war chest, the firm's partners rented San +Francisco's City Hall and hired the B-52's to play at a +party. + +But as the stock market began to tumble, Texas Pacific +hesitated. For a 17-month stretch, the partners made no +deals. They checked out some of the biggest corporate +blowups, including Adelphia, Xerox and Global Crossing, but +stayed away, finding the prices and the quality of the +businesses untenable. + +Instead, Texas Pacific began to hastily exit some existing +investments, taking more than $2 billion in profits during +that stretch. + +"They started to cash out early in the cycle," said Mario +Giannini, chief executive of Hamilton Lane, a money +management firm, some of whose clients are Texas Pacific +investors. + +The good times of the late 1990's were not ideal for Texas +Pacific - it struggled to find downtrodden companies that +needed its help. + +But Texas Pacific did manage to spot a few diamonds in the +rough. It revived Oxford Health Plans, the health +maintenance organization that nearly collapsed in the +mid-1990's, almost doubling its money after bringing in new +managers and upgrading computer systems. In 1996, it made a +$280 million investment in Ducati Motor, the Italian +motorcycle maker, whose profits have since more than +quadrupled. + +But Texas Pacific also stumbled, usually when it bought at +the top of the market. Texas Pacific's $560 million +investment in the J. Crew Group, the clothing retailer, for +which it paid a steep price of 10 times cash flow in 1997, +has been a disappointment. So has its 1999 purchase of +Bally, the shoe maker, which has suffered from lower demand +for luxury goods. + +Texas Pacific also lost more than $100 million on Zilog, a +semiconductor company, and Favorite Brands, a candy maker, +both of which filed for bankruptcy. + +Some of these investments have taken a toll on the firm's +performance. Texas Pacific is still selling off holdings in +two investment funds it raised over the last decade. The +first fund, a $720 million portfolio raised in 1993 and +including investments made through March 1997, should +return more than 40 percent, according to one Texas Pacific +investor. But its second fund - $2.5 billion raised in 1997 +- could return less than half that, this investor +estimated, since the firm had less time to take profits on +these investments before the stock market sank. + +But because Texas Pacific has not sold many of its holdings +in the second fund, profits on these investments could +rebound. It is hoping, for example, that with new +management in place, J. Crew will turn around as the +economy rebounds. In any case, one competitor said, "their +returns look pretty good when you consider that some other +funds won't return any capital" to investors. + +But with the weak economy throwing many companies into +trouble, Texas Pacific seems poised to repeat its earlier +success, the investor said. "They should do exceptionally +well," he said. + +Texas Pacific has a distinct style - if not formula. It +relies on talented, self-sufficient managers to restructure +troubled companies, preferring to remain hands-off, except +for surveillance from the boardroom. When necessary, it +replaces managers. + +Less than a year after Continental emerged from bankruptcy, +for example, Mr. Bonderman watched with frustration as his +old friend Robert R. Ferguson, the chief executive, led it +to the edge of another trip to bankruptcy court. + +Continental's board, where Mr. Bonderman was chairman, then +brought in Gordon M. Bethune, an executive at Boeing, and +in October 1994 he replaced Mr. Ferguson as chief +executive. Mr. Bethune quickly did a top-to-bottom overhaul +of the company and is now considered a great turnaround +artist of the industry. + +"The biggest conflict I've ever seen was with Bob +Ferguson," said Clark Onstad, a former general counsel for +the Federal Aviation Administration, in describing the +thinking of Mr. Bonderman, whom he has known since the 1982 +Braniff bankruptcy. "He chose Bethune over his longtime +friend Ferguson because he thought Bethune would do a +better job." + +At America West, Texas Pacific initiated an even more +extensive management overhaul. This time, the charge was +led by Mr. Coulter and Mr. Schifter, both directors. + +W. Douglas Parker, the current chief executive, flew to Mr. +Coulter's home in San Francisco to interview for the job of +chief financial officer. They talked for hours, and Mr. +Parker said the two men quickly realized they had "somewhat +kindred spirits." + +The board replaced most senior managers at America West, +except William Franke, the chief executive, who stepped +down last September. His restructuring plan had made the +airline profitable a year and a half before it emerged from +bankruptcy in August 1994. + +Texas Pacific owns just 3 percent of America West, worth +about $33.7 million. But those are controlling shares, and +the group holds more than 50 percent of the votes. + +"These are not passive investors, nor am I," said Donald L. +Sturm, a Denver businessman who serves on Continental's +board with Mr. Bonderman and Mr. Price. "You're active. +Your money is at stake. Your reputation is at stake." + +After overseeing managers who worked successfully with +unions at Continental and America West, Texas Pacific has a +good reputation with labor. That was one reason US Airways +was interested in a Texas Pacific investment, said Chris +Chiames, a spokesman for the airline. + +Mr. Siegel wanted an investor who would "be as labor +friendly as possible," Mr. Chiames said. But US Airways can +still entertain other bids this fall, and Marvin Davis, the +billionaire investor from Los Angeles, has expressed +interest. + +Texas Pacific's investment in Burger King, made with +Goldman, Sachs and Bain Capital, was announced after two +years of discussions among Texas Pacific's partners and the +chain's franchisees - even before the company, which had +been owned by Diageo, the liquor company, was put up for +sale, said Julian Josephson, chairman of the National +Franchisee Association, which represents most Burger King +franchisees. + +"We liked what they had to say about the human component of +the businesses they buy," Mr. Josephson said. Many other +owners, he added, "are dismissive of labor." + +At Burger King, Texas Pacific will also be working with an +executive it knows. Burger King's chief executive is John +Dasburg, the former chief executive of Northwest Airlines, +who met Mr. Bonderman and his partners when Northwest +bought out their stake in Continental in 1998. + +Unlike most buyout firms, Texas Pacific remains enamored +with the technology industry, despite the failure of so +many start-ups the last two years. It has focused on the +semiconductor industry, which like the airline industry is +highly cyclical. So far, though, results have been mixed. + +The firm's 1996 acquisition of the Paradyne Corporation, +which makes equipment for high-speed Internet connections, +has been a huge success. Texas Pacific split it in two and +took both parts public in the late 1990's, selling most of +its stakes for 23 times its investment. But a much larger +investment, its $400 million acquisition of Zilog, the chip +maker, in 1998, was made just before the economic crisis in +Asia caused chip prices to plummet. Zilog filed for +bankruptcy last year. + +Texas Pacific is still hoping for a turnaround at a third +company, ON Semiconductor, which it acquired for $1.6 +billion three years ago. It invested $100 million more last +year. + +Its latest gamble on the industry, the $6 deal for MEMC, +may prove the most lucrative. The cost of mailing the +payment to E.On, based in Düsseldorf, Germany, was actually +more than the acquisition, one executive close to the deal +said. + +Texas Pacific, and its partners in the deal, Trust Company +of the West and Leonard Green & Partners, agreed to +guarantee a $150 million revolving line of credit. Texas +Pacific also assumed $900 million worth of debt, most of +which it swapped for more stock in the company. + +"They did a good job of timing the acquisition," said +Nabeel Gareeb, the company's chief executive, who noted +that in the last quarter MEMC reported its first profit +since the fourth quarter of 2000. + +But Texas Pacific's interest in airlines is clearly +sizable. Besides its involvement in Continental, America +West and US Airways, the company plans to buy Gate Gourmet, +the catering business of the bankrupt Swissair Group. + +Two years ago, Texas Pacific started a Web-based discount +ticket service called Hotwire. It put up most of the $75 +million in seed money, then persuaded six airlines to +invest with it, said Karl Peterson, the chief executive. +Hotwire, instead of asking consumers to bid on tickets, as +Priceline does, shows the cheapest ticket on its Web site +but does not reveal the exact flight and travel time until +after the sale. + +The contraction of the new economy has undoubtedly hurt +Hotwire, which is privately owned. Mr. Peterson said that +the company was still unprofitable but that Texas Pacific +remains committed to it. + +Last spring, Mr. Peterson met Mr. Bonderman in Aspen to +talk about Hotwire and to go snowboarding. Mr. Bonderman +seemed perfectly willing to accompany Hotwire down the +steep Internet chute. But he does have his limits on risk, +Mr. Peterson discovered. Before going down the mountain, +Mr. Bonderman strapped on a helmet.   + +http://www.nytimes.com/2002/08/25/business/yourmoney/25TEXA.html?ex=1031278887&ei=1&en=05fca479b8bcee6b + + + +HOW TO ADVERTISE +--------------------------------- +For information on advertising in e-mail newsletters +or other creative advertising opportunities with The +New York Times on the Web, please contact +onlinesales@nytimes.com or visit our online media +kit at http://www.nytimes.com/adinfo + +For general information about NYTimes.com, write to +help@nytimes.com. + +Copyright 2002 The New York Times Company +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0358.b93b0089eb452cabfbaa0a77cb3461fd b/machine-learning-ex6/ex6/easy_ham/0358.b93b0089eb452cabfbaa0a77cb3461fd new file mode 100644 index 0000000..f9ec518 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0358.b93b0089eb452cabfbaa0a77cb3461fd @@ -0,0 +1,128 @@ +From fork-admin@xent.com Mon Aug 26 15:32:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8C4B844170 + for ; Mon, 26 Aug 2002 10:26:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7PHJaZ20140 for ; + Sun, 25 Aug 2002 18:19:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6E1B329410F; Sun, 25 Aug 2002 10:17:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id A08F329410C for ; Sun, + 25 Aug 2002 10:16:19 -0700 (PDT) +Received: (qmail 25936 invoked from network); 25 Aug 2002 17:18:12 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 25 Aug 2002 17:18:12 -0000 +Reply-To: +From: "John Hall" +To: "'James Tauber'" , +Subject: My source: RE: A biblical digression +Message-Id: <000e01c24c5b$64b78980$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <20020825165054.C0EE52FD33@server3.fastmail.fm> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 10:17:46 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Remember I didn't say it was necessarily a good source, just that it +looked good. + +The site was http://www.religioustolerance.org/chr_10c7.htm + +My memory of what they said was accurate. I do not have the competence +to defend what they said. James Tauber's response indicates a breadth +of knowledge I can't match. + + +> -----Original Message----- +> From: James Tauber [mailto:jtauber@jtauber.com] +> Sent: Sunday, August 25, 2002 9:51 AM +> To: johnhall@evergo.net; fork@example.com +> Subject: Re: A biblical digression +> +> On Sat, 24 Aug 2002 11:07:00 -0700, "John Hall" +> said: +> > Ran across a site which claimed to explain the original meaning of +the +> > Ten Commandments. It seems some of those meanings have evolved a +bit, +> > too. +> +> By "meanings have evolved" do you [or they] mean that the Hebrew words +> have changed meaning or that our understanding of the Hebrew words +have +> changed? Or do they posit a pre-Mosaic form of the laws that had +> evolved by time of the Pentateuch? +> +> > In particular, there was a claim that the commandment on stealing +was +> > actually specifically about 'man stealing -- selling a free man into +> > slavery. +> +> This seems bogus to me. A quick check of the text indicates the the +> Hebrew word in question is GANAV which elsewhere in the Pentateuch (eg +> Gen 44.8) is used to mean steal silver and gold amongst other things. +> +> In July 1999, I made the following comment in response to a similar +> claim about the "real" meaning of one of the ten commandments: +> +> """ +> > The translations since cause problems at each successive remove +> +> We have the original language versions, though, so this is not an +> issue. +> +> > I'm sure most everyone is familiar with the argument that the +meaning of +> the commandment +> > is 'thou shalt not murder' rather than 'kill,' +> +> This has nothing to do with successive translations. It is based on +our +> knowledge of the meaning of the Hebrew word "ratsach". Most modern +> translations I've seen translate it "murder" but elsewhere the word is +> used +> of an animal killing a human (something for which most English +speakers +> wouldn't use the word "murder"). +> """ +> - http://www.xent.com/FoRK-archive/july99/0163.html +> +> +> +> James +> -- +> James Tauber +> jtauber@jtauber.com + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0359.7f80dc1df7de3b5121e43f29f0a9e911 b/machine-learning-ex6/ex6/easy_ham/0359.7f80dc1df7de3b5121e43f29f0a9e911 new file mode 100644 index 0000000..aba7568 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0359.7f80dc1df7de3b5121e43f29f0a9e911 @@ -0,0 +1,105 @@ +From fork-admin@xent.com Mon Aug 26 15:32:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 25B3444162 + for ; Mon, 26 Aug 2002 10:26:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7PGqXZ19440 for ; + Sun, 25 Aug 2002 17:52:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D98332940AA; Sun, 25 Aug 2002 09:50:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from www.fastmail.fm (fastmail.fm [209.61.183.86]) by xent.com + (Postfix) with ESMTP id EC96C2940A2 for ; Sun, + 25 Aug 2002 09:49:07 -0700 (PDT) +Received: from www.fastmail.fm (localhost [127.0.0.1]) by + localhost.localdomain (Postfix) with ESMTP id 6EF3D6DB19; Sun, + 25 Aug 2002 11:50:57 -0500 (CDT) +Received: from server3.fastmail.fm (server3.internal [10.202.2.134]) by + www.fastmail.fm (Postfix) with ESMTP id 9B61F6DAFF; Sun, 25 Aug 2002 + 11:50:56 -0500 (CDT) +Received: by server3.fastmail.fm (Postfix, from userid 99) id C0EE52FD33; + Sun, 25 Aug 2002 11:50:54 -0500 (CDT) +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +Content-Type: text/plain; charset="ISO-8859-1" +MIME-Version: 1.0 +X-Mailer: MIME::Lite 1.2 (F2.6; T1.001; A1.48; B2.12; Q2.03) +From: "James Tauber" +To: johnhall@evergo.net, fork@example.com +X-Epoch: 1030294257 +X-Sasl-Enc: P8OwrRaDs2VlLKfQnqm1Zg +Subject: Re: A biblical digression +Message-Id: <20020825165054.C0EE52FD33@server3.fastmail.fm> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 16:50:54 UT +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Sat, 24 Aug 2002 11:07:00 -0700, "John Hall" +said: +> Ran across a site which claimed to explain the original meaning of the +> Ten Commandments. It seems some of those meanings have evolved a bit, +> too. + +By "meanings have evolved" do you [or they] mean that the Hebrew words +have changed meaning or that our understanding of the Hebrew words have +changed? Or do they posit a pre-Mosaic form of the laws that had +evolved by time of the Pentateuch? + +> In particular, there was a claim that the commandment on stealing was +> actually specifically about 'man stealing -- selling a free man into +> slavery. + +This seems bogus to me. A quick check of the text indicates the the +Hebrew word in question is GANAV which elsewhere in the Pentateuch (eg +Gen 44.8) is used to mean steal silver and gold amongst other things. + +In July 1999, I made the following comment in response to a similar +claim about the "real" meaning of one of the ten commandments: + +""" +> The translations since cause problems at each successive remove + +We have the original language versions, though, so this is not an +issue. + +> I'm sure most everyone is familiar with the argument that the meaning of the commandment +> is 'thou shalt not murder' rather than 'kill,' + +This has nothing to do with successive translations. It is based on our +knowledge of the meaning of the Hebrew word "ratsach". Most modern +translations I've seen translate it "murder" but elsewhere the word is +used +of an animal killing a human (something for which most English speakers +wouldn't use the word "murder"). +""" +- http://www.xent.com/FoRK-archive/july99/0163.html + + + +James +-- + James Tauber + jtauber@jtauber.com +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0360.f47b9aa1071c95031d17821c25d3de78 b/machine-learning-ex6/ex6/easy_ham/0360.f47b9aa1071c95031d17821c25d3de78 new file mode 100644 index 0000000..66d953a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0360.f47b9aa1071c95031d17821c25d3de78 @@ -0,0 +1,352 @@ +From fork-admin@xent.com Mon Aug 26 15:32:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0AE2744171 + for ; Mon, 26 Aug 2002 10:26:41 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:26:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7Q1SxZ04063 for ; + Mon, 26 Aug 2002 02:29:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D77BA2940A0; Sun, 25 Aug 2002 18:26:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from granger.mail.mindspring.net (granger.mail.mindspring.net + [207.69.200.148]) by xent.com (Postfix) with ESMTP id DB8FA29409E for + ; Sun, 25 Aug 2002 18:25:57 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + granger.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17j8fN-0006PA-00; + Sun, 25 Aug 2002 21:27:42 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com, + cypherpunks@lne.com, dcsb@ai.mit.edu +From: "R. A. Hettinga" +Subject: TGE: Thugs of South Boston and The Revenge of the Bandit Princess +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 21:18:34 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=KNOWN_MAILING_LIST,PGP_MESSAGE,SIGNATURE_LONG_DENSE, + SPAM_PHRASE_00_01,US_DOLLARS_2 + version=2.40-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Thugs of South Boston and The Revenge of the Bandit Princess + + +The Geodesic Economy +Robert A. Hettinga +Sunday, August 25, 2002 + +(BOSTON) When you think about it one way, the FBI/Winter Hill vs. +Patriarcha/Angiulo Cosa Nostra fight was just another race war +between thugs. + +Put crudely, and at its most racist, the FBI and the Winter Hill Gang +were the (mostly) Irish thugs, and Patriarcha's "family" were, of +course, the (mostly) Italian thugs. + + +Think Scorsese's upcoming "Gangs of New York", only with +counter-reformatory overtones. Hoover's South Boston "social-club" +putsch, starting in the mid 1960's, was particularly audacious in +hindsight. The U.S. Federal Government actually decided to underwrite +a reversal of the prohibition-era capture of the nation's rackets by +the Italians from the Irish. The fact that the plot was hatched not +for New York, but for South Boston, the most Irish place in the US, +only makes even more gigantic the Big Lie that was told by the FBI to +its ostensible political masters about bringing down organized crime +there once and for all. + +The result, as we all found out, wasn't swapping the heroin of +Italian Boston mob violence for Irish methadone. Hoover was, +posthumously, swapping it for Oxycontin, or crystal methamphetamine +- -- or, more properly, PCP. The absolute psychopathology of violence +in Whitey Bulger's crack-cocaine-era reign of Boston's drug markets, +like the identical FBI-sponsored reigns or violent horror by other +also-rans in cities across the US as a whole, went up whole orders of +magnitude, not mere percentage points. + +As Stalin said once, quantity has a quality all it's own. And, make +no mistake, J. Edgar Hoover was directly responsible that "quality" +of carnage, nation-wide. + + +So, yes, on paper at least, it really *was* just the swapping of one +gang of racist thugs for another, and the result was, on paper, at +least, business as usual. Same stuff, different century, with +apparently decent people like Mr. Salvati et.al accidently ground on +the gears of "justice" like so much hamburger. + +However, to be much more macabre about it, that hamburger was +"greasing", if you will, an auto de fe only a homicidal lunatic could +love: a perfectly functioning market, legislated out of existence -- +on paper, if nowhere else -- by government fiat and the, back-door, +but still elitist, will to power of H.L. Mencken's famous "bluenoses +and busybodies". + + +It all starts, like all true evil does, from the most innocent of +beginnings. What she couldn't do to alcohol, teatotaling Mrs. Grundy +then tried to do to anything else she could think of that had a +smaller, "manageable" demand. The bloody result was, like nine more +heads of the hydra, an increasingly ubiquitous universal prohibition, +in more markets, and for more things, as the 20th century wore on. + +Every time some recreational drug was found to be addictive, or +harmful, or physically distasteful, or carcinogenic -- or, now, +apparently, fattening -- and then prohibited, exactly the same thing +happened to its markets that happened to alcohol during the Volstead +years. A *larger* market than before the prohibition. Hugely +lucrative profits for anyone with the moral stomach to violently +scale newly-legislated "barriers to competition" imposed on them by +the state. Increasingly violent attacks by the government on users of +those substances. And, finally, the ultimate in evil -- the kind of +evil this country actually fought wars to end -- increasingly +coercive axe-handle beatings, by our own government, of the sacred +liberty of the average, but now unavoidably-law-breaking, citizenry. + +As Ayn Rand cynically observed a long time ago, you don't need +government if nobody's breaking the law. In some twisted corollary to +Parkinson's Law, governments, to survive, *need* more people, +breaking more laws, or they can never justify the money they +confiscate at tax time. + +And, to bring us back to the point, David Friedman would probably +echo here his father Milton's famous observation that government +regulations only benefit the regulated sellers in a given market, and +never the consumer, much less the economy as a whole. Even, +*especially*, if those sellers are *breaking* the law, as they are in +the increasingly ubiquitous prohibition of risky behavior that our +government now imposes on us. + + +And there, absent the apparent grace of Mr. Hoover, went Mr. Salvati. + +In fact, Hayek himself, in "The Road to Serfdom", couldn't have +predicted any better the gory consequences of Hoover's blatant +imposition, "for our own good", of Vietnam-era statist power at the +neighborhood level. And, furthermore, *Stalin* couldn't have had +better "useful idiots" than Hoover did -- and neither, by an +absolutely literal extension, did Whitey Bulger after Hoover. + +Useful idiots on both sides of the congressional aisle. Idiots who +were eating out of Hoover's power-craven hand for the entire middle +of the 20th century -- and Whitey Bulger's hand, whether they knew it +or not, until the end of the millennium. A time, you'll notice, which +saw the increasingly steady imposition of "mob" violence, and market +control, from both state and illegal interests, way beyond the +imaginings of even the most power-mad, rum-running, stock-kiting, +movie-flopping, bureau-pumping, Nazi-appeasing Irish-Bostonian Little +Caesar. Or, as for that matter, his safely trust-funded, and now +strictly political, descendents. + +In terms of actual financial economics, think of what happened to Mr. +Salvati and the others, dead or alive, as a "transfer-price", in +human lives, of the inevitable consequence of MacNamara-style +Vietnam-era Keynesian "social-cost" input-output accounting at its +most despicable, and you can almost begin to fathom the atrocity that +was committed by Hoover, and his co-religionists in state economic +control, in the name of what really was, as you'll now agree, just a +race war between thugs up in Boston. + + +This shouldn't be a surprise, really. All race wars are at least +fought by thugs, though they're usually conceived elsewhere, and +endorsed, at the time, by all the "right" people, for all the "right" +reasons. + +As far as the FBI itself goes, remember Mancur Olson's observation +that a "prince" is just a stationary bandit. + +Though, given his penchant for women's clothing, for other men, and, +what's actually obscene, for violently hypocritical treatment of +people of his own affectional preference, I suppose we can call J. +Edgar Hoover a bandit "princess", instead. + +"Bandit Queen", of course, would be a grievous insult to queens -- +and real bandits -- everywhere. + +Cheers, +RAH +- --------- + + +http://www.nytimes.com/2002/08/25/national/25FBI.html?todaysheadlines= +&pagewanted=print&position=top + + +The New York Times +August 25, 2002 +Hoover's F.B.I. and the Mafia: Case of Bad Bedfellows Grows By FOX +BUTTERFIELD + +BOSTON, Aug. 24 - It was March 1965, in the early days of J. Edgar +Hoover's war against the Mafia. F.B.I. agents, say Congressional +investigators, eavesdropped on a conversation in the headquarters of +New England's organized-crime boss, Raymond Patriarca. + +Two gangsters, Joseph Barboza and Vincent Flemmi, wanted Mr. +Patriarca's permission to kill a small-time hoodlum, Edward Deegan, +"as they were having a problem with him," according to an F.B.I. log +of the conversation. "Patriarca ultimately furnished this O.K.," the +F.B.I. reported, and three days later Mr. Deegan turned up dead in an +alley, shot six times. + +It was an extraordinary situation: The Federal Bureau of +Investigation had evidence ahead of time that two well-known +gangsters were planning a murder and that the head of the New England +Mafia was involved. + +But when indictments in the case were handed down in 1967, the real +killers - who also happened to be informers for the F.B.I. - were +left alone. Four other men were tried, convicted and sentenced to +death or life in prison for the murder, though they had had nothing +to do with it. + +One, Joseph Salvati, who spent 30 years in prison, filed notice with +the Justice Department last week that he planned to sue the F.B.I. +for $300 million for false imprisonment. + +His is the latest in a series of lawsuits against the F.B.I., the +Justice Department and some F.B.I. agents growing out of the tangled, +corrupt collaboration between gangsters and the F.B.I.'s Boston +office in its effort to bring down the mob. + +The lawsuits are based on evidence uncovered in the last five years +in a judicial hearing and a Justice Department inquiry. But some of +the most explosive evidence has only recently come to light, +including documents detailing conversation in which Mr. Patriarca +approved the murder. They were released as part of an investigation +by the House Committee on Government Reform, which has pressured the +department into turning over records about the F.B.I in Boston. + +The documents show that officials at F.B.I. headquarters, apparently +including Mr. Hoover, knew as long ago as 1965 that Boston agents +were employing killers and gang leaders as informers and were +protecting them from prosecution. + +"J. Edgar Hoover crossed over the line and became a criminal +himself," said Vincent Garo, Mr. Salvati's lawyer. "He allowed a +witness to lie to put an innocent man in prison so he could protect +one of his informants." + +Mr. Barboza was a crucial witness at trial against Mr. Salvati and +may have implicated him because Mr. Salvati owed $400 to a loan shark +who worked for Mr. Barboza. + +Asked about the documents showing that Mr. Hoover knew of Mr. +Salvati's innocence when he was put on trial, Gail Marcinkiewicz, a +spokeswoman for the F.B.I. in Boston, declined to comment, citing the +pending litigation. + +A Justice Department task force is continuing to investigate +misconduct in the Boston office. In one of the first results of the +investigation, one retired agent, John J. Connolly, is awaiting +sentencing next month after being convicted of racketeering and +obstruction of justice for helping two other mob leaders who were +F.B.I. informers, James Bulger and Stephen Flemmi. Vincent and +Stephen Flemmi are brothers. + +The Government Reform Committee, led by Representative Dan Burton, +Republican of Indiana, has uncovered memorandums from the Boston +office to headquarters in Washington revealing the bureau's knowledge +that Vincent Flemmi and Mr. Barboza were involved in killing Mr. +Deegan. A memorandum a week after the killing described the crime, +including who fired the first shot. + +Then, on June 4, 1965, Mr. Hoover's office demanded to know what +progress was being made in developing Vincent Flemmi as an informer. + +In a reply five days later, the special agent in charge of the Boston +office said that Mr. Flemmi was in a hospital recovering from gunshot +wounds but because of his connections to Mr. Patriarca "potentially +could be an excellent informant." + +The agent also informed Mr. Hoover that Mr. Flemmi was known to have +killed seven men, "and, from all indications, he is going to continue +to commit murder." Nevertheless, the agent said, "the informant's +potential outweighs the risk involved." + +A Congressional investigator called the exchange chilling. "The most +frightening part is that after being warned about Flemmi's murders, +the director does not even respond," the investigator said. "There is +no message not to use a murderer as a government informant." + +The origin of the corruption scandal was public and political +pressure on Mr. Hoover to move more forcefully against the growing +power of the Mafia, which he had largely ignored. In Boston, F.B.I. +agents recruited Mr. Barboza and Mr. Flemmi and developed close ties +to a rival criminal organization, the Winter Hill Gang, led by Mr. +Bulger. + +Both sides got what they wanted, according to the investigations and +the trial of Mr. Connolly. The F.B.I. got information that eventually +helped destroy the Patriarca and Angiulo families, which controlled +organized crime in New England. Mr. Bulger's gang was able to take +over the rackets in Boston, sell drugs and even commit murder while +the F.B.I. looked the other way. + +One reason the F.B.I. may not have used its information about Mr. +Patriarca's involvement in the Deegan murder, Congressional +investigators say, is that it came from an illegal listening device +in his Providence, R.I., headquarters. The F.B.I. agent who +transcribed the conversation made it appear that the information was +coming from unnamed informants, to disguise the use of the device, +the investigators say. + +Mr. Salvati, a former truck driver, now 69, had his sentence commuted +in 1997 by Gov. William F. Weld. Last year, while he was still on +parole, his murder conviction was dismissed by a Massachusetts state +judge after the Justice Department task force made public documents +suggesting his innocence. + +Two of the other wrongly convicted men died in prison. Their +survivors have joined the fourth man, Peter Limone, in a $375 million +lawsuit against the Justice Department. Mr. Limone was sentenced to +die in the electric chair. His life was spared only when +Massachusetts outlawed the death penalty in 1974. + +Mr. Salvati lives in a modest apartment in Boston's North End with +his wife, Marie, who visited him in prison every week during those 30 +years. Each week Mr. Salvati sent her a romantic card, which she put +on the television set. It was, Mr. Garo said, all they had of each +other. + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPWmB2sPxH8jf3ohaEQL9qgCgxHq0ee06UEsNv8u8wgvmjf9K7S4An3Rb +3srsGomWjNDwIaKoEHOfNHpI +=OELD +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0361.36332081025aaf122520737c26461a88 b/machine-learning-ex6/ex6/easy_ham/0361.36332081025aaf122520737c26461a88 new file mode 100644 index 0000000..f0155b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0361.36332081025aaf122520737c26461a88 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Aug 26 16:02:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D03F84415D + for ; Mon, 26 Aug 2002 11:00:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:00:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QEbFZ25119 for ; + Mon, 26 Aug 2002 15:37:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 37F612940CF; Mon, 26 Aug 2002 07:12:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from www.fastmail.fm (fastmail.fm [209.61.183.86]) by xent.com + (Postfix) with ESMTP id DD0C42940C6 for ; Mon, + 26 Aug 2002 07:11:25 -0700 (PDT) +Received: from www.fastmail.fm (localhost [127.0.0.1]) by + localhost.localdomain (Postfix) with ESMTP id 5D82E6DC0B; Mon, + 26 Aug 2002 09:13:19 -0500 (CDT) +Received: from server3.fastmail.fm (server3.internal [10.202.2.134]) by + www.fastmail.fm (Postfix) with ESMTP id 0A70F6DC05; Mon, 26 Aug 2002 + 09:13:18 -0500 (CDT) +Received: by server3.fastmail.fm (Postfix, from userid 99) id 668E12FD84; + Mon, 26 Aug 2002 09:13:15 -0500 (CDT) +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +Content-Type: text/plain; charset="ISO-8859-1" +MIME-Version: 1.0 +X-Mailer: MIME::Lite 1.2 (F2.6; T1.001; A1.48; B2.12; Q2.03) +From: "James Tauber" +To: johnhall@evergo.net, fork@example.com +X-Epoch: 1030371199 +X-Sasl-Enc: iWV+p6yrD5pZuD2zbyVJhA +Subject: Re: My source: RE: A biblical digression +Message-Id: <20020826141315.668E12FD84@server3.fastmail.fm> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 14:13:15 UT +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +>>From what I read, the rest of it looked quite good so it does seem odd +they would make the seemingly incorrect blanket statement about the +Hebrew for "steal". One possibility is that the page is a summary of +information gathered from a variety of sources of varying qualities. + +James + +On Sun, 25 Aug 2002 10:17:46 -0700, "John Hall" +said: +> Remember I didn't say it was necessarily a good source, just that it +> looked good. +> +> The site was http://www.religioustolerance.org/chr_10c7.htm +> +> My memory of what they said was accurate. I do not have the competence +> to defend what they said. James Tauber's response indicates a breadth +> of knowledge I can't match. + + +-- + James Tauber + jtauber@jtauber.com +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0362.1ce94200cfcb544dc62bbc1134c8676e b/machine-learning-ex6/ex6/easy_ham/0362.1ce94200cfcb544dc62bbc1134c8676e new file mode 100644 index 0000000..e1b3cd5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0362.1ce94200cfcb544dc62bbc1134c8676e @@ -0,0 +1,57 @@ +From fork-admin@xent.com Mon Aug 26 16:46:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8D16644156 + for ; Mon, 26 Aug 2002 11:46:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QFjcZ31117 for ; + Mon, 26 Aug 2002 16:45:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CAE872940CD; Mon, 26 Aug 2002 08:43:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mx.spiritone.com (mx.spiritone.com [216.99.221.5]) by + xent.com (Postfix) with SMTP id 326B92940B7 for ; + Mon, 26 Aug 2002 08:42:57 -0700 (PDT) +Received: (qmail 7711 invoked from network); 26 Aug 2002 15:38:11 -0000 +Received: (ofmipd 216.99.213.165); 26 Aug 2002 15:37:49 -0000 +Message-Id: +From: "RossO" +To: fork@example.com +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Computational Recreations +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 26 Aug 2002 08:38:09 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +Does anyone here know if the Computational Recreations columns from +Scientific American in the 70's/80's were compiled into a book or two? I +think I remember Martin Gardner publishing the earlier Mathematical +Recreations in a couple of hard covers, but I'm unsure about the later +column. Help? + +...Ross... + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0363.52461bc133cd3bf0b95a4e40ddb28a7e b/machine-learning-ex6/ex6/easy_ham/0363.52461bc133cd3bf0b95a4e40ddb28a7e new file mode 100644 index 0000000..7841f77 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0363.52461bc133cd3bf0b95a4e40ddb28a7e @@ -0,0 +1,66 @@ +From fork-admin@xent.com Mon Aug 26 16:57:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9B45F44156 + for ; Mon, 26 Aug 2002 11:57:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:57:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QFqfZ31604 for ; + Mon, 26 Aug 2002 16:52:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E2431294171; Mon, 26 Aug 2002 08:50:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mlug.missouri.edu (mlug.missouri.edu [128.206.61.230]) by + xent.com (Postfix) with ESMTP id 7371B29416F for ; + Mon, 26 Aug 2002 08:49:33 -0700 (PDT) +Received: from mlug.missouri.edu (mogmios@localhost [127.0.0.1]) by + mlug.missouri.edu (8.12.3/8.12.3/Debian -4) with ESMTP id g7QFpTKL021128 + (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=FAIL); + Mon, 26 Aug 2002 10:51:30 -0500 +Received: from localhost (mogmios@localhost) by mlug.missouri.edu + (8.12.3/8.12.3/Debian -4) with ESMTP id g7QFpTIt021124; Mon, + 26 Aug 2002 10:51:29 -0500 +From: Michael +To: Lucas Gonze +Cc: FoRK +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 10:51:29 -0500 (CDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Hire a really talented skywriter to doodle nudie pics in the sky and see +if they figure out what to charge you with. Exactly how far into the sky +does the border of your local district reach? + +> > If the creator didnt say you could have it without paying, it's theft, +> > so simple, hell that's even in all the major holy books. +> +> Wow, I've got a great idea! I'll hire a skywriter to write "you can't +> look at this without paying," then lock up everybody who looked at it +> and didn't pay! It can't fail -- Jesus is on my side! + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0364.558e46276655a18fd2be3beb81c945c1 b/machine-learning-ex6/ex6/easy_ham/0364.558e46276655a18fd2be3beb81c945c1 new file mode 100644 index 0000000..38dc242 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0364.558e46276655a18fd2be3beb81c945c1 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Mon Aug 26 18:01:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A263843F99 + for ; Mon, 26 Aug 2002 13:01:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 18:01:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QGvfZ01544 for ; + Mon, 26 Aug 2002 17:57:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9FA452940B7; Mon, 26 Aug 2002 09:55:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 42DCE2940A2 for ; Mon, + 26 Aug 2002 09:54:52 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 347AA3EE33; + Mon, 26 Aug 2002 12:59:07 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 3305F3EE32; Mon, 26 Aug 2002 12:59:07 -0400 (EDT) +From: Tom +To: RossO +Cc: fork@example.com +Subject: Re: Computational Recreations +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 12:59:07 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On 26 Aug 2002, RossO wrote: + +--]Does anyone here know if the Computational Recreations columns from +--]Scientific American in the 70's/80's were compiled into a book or two? I +--]think I remember Martin Gardner publishing the earlier Mathematical +--]Recreations in a couple of hard covers, but I'm unsure about the later +--]column. Help? +--] + +Not sure about MG, though I know pretty much everything he penned got into +print at one time or another. SA needs to do what National Geo did and +put out thier back issues on CD. + +Post MG in the 80's there were the colums by A K Dewdney that I dug a +bunch put into a book called Turing Omnibus and then there is , of +course, all the goodens put out by Dougy Hoffstadler. + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0365.5351f6327efeedb441147904b04bd96a b/machine-learning-ex6/ex6/easy_ham/0365.5351f6327efeedb441147904b04bd96a new file mode 100644 index 0000000..2186e7e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0365.5351f6327efeedb441147904b04bd96a @@ -0,0 +1,69 @@ +From fork-admin@xent.com Mon Aug 26 18:01:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D912643F9B + for ; Mon, 26 Aug 2002 13:01:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 18:01:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QH2GZ01630 for ; + Mon, 26 Aug 2002 18:02:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 98CA7294176; Mon, 26 Aug 2002 09:56:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 4C77F29416F for + ; Mon, 26 Aug 2002 09:55:54 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 26 Aug 2002 16:56:55 -08:00 +Message-Id: <3D6A5DD7.1030008@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: "R. A. Hettinga" +Cc: fork@example.com, Juliet Barrera +Subject: Re: "Ouch. Ouch. Ouch. Ouch. Ouch...."(was Re: My brain hurts) +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 09:56:55 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +R. A. Hettinga wrote: +> And then there was the one from Prairie Home Companion: +> +> Q. Why is a viola larger than a violin? +> A. It just looks that way because a violin player's head is bigger. + +Suggested variation: + +Q. Why does the concertmaster play a smaller violin + than the rest of the violinists? +A. It just looks that way because his head is bigger. + +&c&c&c + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0366.a26fbe93fe54eeac188cb8ce2d96460a b/machine-learning-ex6/ex6/easy_ham/0366.a26fbe93fe54eeac188cb8ce2d96460a new file mode 100644 index 0000000..eecd665 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0366.a26fbe93fe54eeac188cb8ce2d96460a @@ -0,0 +1,72 @@ +From fork-admin@xent.com Mon Aug 26 19:34:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 83D2443F9B + for ; Mon, 26 Aug 2002 14:34:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:34:22 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QISdZ04518 for ; + Mon, 26 Aug 2002 19:28:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6ECAE2940A2; Mon, 26 Aug 2002 11:26:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id C89C129409E for + ; Mon, 26 Aug 2002 11:25:06 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 26 Aug 2002 15:26:04 -08:00 +Message-Id: <3D6A488C.7000609@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: "Adam L. Beberg" +Cc: Tom , fork@example.com +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 08:26:04 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Adam L. Beberg wrote: +> Fair use needs to be clarified a bit + +That's an understatement!!! + +> How else do i ever have hope of finding a job working for someone +> that makes things people are supposed to ... *drumroll* pay for. + +Well, you could damn well get a fucking better attitude. +I practically handed you a job the other week and you +pissed all over me. I'm done helping you. You have joined +a very exclusive club that up to now has only had my sister +as a member. + +- Joe + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0367.b5b7e46c0cd3cee620aa699eca0359c6 b/machine-learning-ex6/ex6/easy_ham/0367.b5b7e46c0cd3cee620aa699eca0359c6 new file mode 100644 index 0000000..e028923 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0367.b5b7e46c0cd3cee620aa699eca0359c6 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Aug 26 19:34:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 371FA44155 + for ; Mon, 26 Aug 2002 14:34:23 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:34:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QIY4Z04572 for ; + Mon, 26 Aug 2002 19:34:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DAEAB29417D; Mon, 26 Aug 2002 11:29:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 3657C29417B for ; + Mon, 26 Aug 2002 11:29:00 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g7QIULg21491 for + ; Mon, 26 Aug 2002 11:30:21 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: How unlucky can you get? +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 11:28:11 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +So, last night around 5:30AM I'm woken up by a loud *craaack*, followed by +one of the most dreaded sounds a homeowner ever hears: vast quantities of +water spilling onto the floor. The water is coming from the bathroom, the +toilet specifically. Turns out the water cistern on the top of the toilet +had cracked down the side, and was spilling out all the water. + +So, after shutting off the water and mopping up, I was left to ponder what +are the odds of having mechanical failure of a large rectangular porcelain +bowl, in the absence of any visible stressors (like someone striking it with +a sledgehammer)? We hadn't done anything unusual to the toilet in the recent +past -- just normal use. I've *never* heard of this happening to anyone I +know. The guts, yeah, they fail all the time. But the storage bowl -- never. + +Geesh. + +- Jim + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0368.85ad0c76c076fbb624c7adfebc928d84 b/machine-learning-ex6/ex6/easy_ham/0368.85ad0c76c076fbb624c7adfebc928d84 new file mode 100644 index 0000000..7858cdb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0368.85ad0c76c076fbb624c7adfebc928d84 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Aug 26 19:44:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7E64E43F99 + for ; Mon, 26 Aug 2002 14:44:42 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:44:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QIgfZ04806 for ; + Mon, 26 Aug 2002 19:42:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B7B46294164; Mon, 26 Aug 2002 11:40:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 2495E294162 for ; Mon, + 26 Aug 2002 11:39:11 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 55E983EE34; + Mon, 26 Aug 2002 14:43:23 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 4E6013EDEC; Mon, 26 Aug 2002 14:43:23 -0400 (EDT) +From: Tom +To: Jim Whitehead +Cc: FoRK +Subject: Re: How unlucky can you get? +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 14:43:23 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002, Jim Whitehead wrote: +--]a sledgehammer)? We hadn't done anything unusual to the toilet in the recent +--]past -- just normal use. I've *never* heard of this happening to anyone I +--]know. The guts, yeah, they fail all the time. But the storage bowl -- never. +--] + +Do you have any Tesla nuts inthe hood? Them hooligans and thier beams.. + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0369.7027b551cd8af46e011e2f2c53da03e9 b/machine-learning-ex6/ex6/easy_ham/0369.7027b551cd8af46e011e2f2c53da03e9 new file mode 100644 index 0000000..79326b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0369.7027b551cd8af46e011e2f2c53da03e9 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Aug 26 19:54:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A126543F99 + for ; Mon, 26 Aug 2002 14:54:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:54:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QIlbZ05026 for ; + Mon, 26 Aug 2002 19:47:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 168A62941BE; Mon, 26 Aug 2002 11:42:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from t2.serverbox.net (t2.serverbox.net [64.71.187.100]) by + xent.com (Postfix) with SMTP id D8BBA294182 for ; + Mon, 26 Aug 2002 11:41:58 -0700 (PDT) +Received: (qmail 28885 invoked from network); 26 Aug 2002 18:43:34 -0000 +Received: from unknown (HELO techdirt.techdirt.com) (12.236.16.241) by + t2.serverbox.net with SMTP; 26 Aug 2002 18:43:34 -0000 +Message-Id: <5.1.1.6.0.20020826113243.034de5d0@techdirt.com> +X-Sender: mikenospam@techdirt.com +X-Mailer: QUALCOMM Windows Eudora Version 5.1.1 +To: "Adam L. Beberg" , Tom +From: Mike Masnick +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +Cc: +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 11:41:12 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +At 01:12 AM 8/24/02 -0700, Adam L. Beberg wrote: + +>If the creator didnt say you could have it without paying, it's theft, so +>simple, hell that's even in all the major holy books. + +In which world are we talking about? That may be true for the first sale, +but once something is out in the world, the "creator" loses control... If I +buy a chair you built, and then decide to give it away to my neighbor, by +you're definition, he just stole from you. + +>Fair use needs to be clarified a bit and then I hope they start locking +>people up. How else do i ever have hope of finding a job working for someone +>that makes things people are supposed to ... *drumroll* pay for. + +Why is it that people don't understand that giving stuff away is a +perfectly acceptable tactic in capitalist businesses? In many places, it's +called "advertising": "buy one, get one free", "free shipping on any order +over $25", "buy this couch, and get a coffee table for free", "free popcorn +with any movie rental", "free doorprize to the first 100 people who enter", +"the author will be signing books (for free) at such and such bookstore". + +Access to free stuff often helps to sell other stuff. Just because you +(and the entertainment industry, it seems) can't be creative enough to come +up with a business model to leverage free stuff into paid stuff... don't +take it out on the rest of us. + +Mike + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0370.de5338e5d218cbd21c5eab37794b3d47 b/machine-learning-ex6/ex6/easy_ham/0370.de5338e5d218cbd21c5eab37794b3d47 new file mode 100644 index 0000000..1322c6f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0370.de5338e5d218cbd21c5eab37794b3d47 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Mon Aug 26 20:25:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BD71C43F9B + for ; Mon, 26 Aug 2002 15:25:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 20:25:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QJPhZ06227 for ; + Mon, 26 Aug 2002 20:25:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B6855294162; Mon, 26 Aug 2002 12:23:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 245A8294139 for ; + Mon, 26 Aug 2002 12:22:56 -0700 (PDT) +Received: (qmail 11661 invoked by uid 19621); 26 Aug 2002 19:24:22 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 19:24:22 -0000 +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +From: James Rogers +To: fork@example.com +In-Reply-To: <5.1.1.6.0.20020826113243.034de5d0@techdirt.com> +References: + <5.1.1.6.0.20020826113243.034de5d0@techdirt.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1030390769.2768.141.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 26 Aug 2002 12:39:29 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Mon, 2002-08-26 at 11:41, Mike Masnick wrote: +> +> In which world are we talking about? That may be true for the first sale, +> but once something is out in the world, the "creator" loses control... If I +> buy a chair you built, and then decide to give it away to my neighbor, by +> you're definition, he just stole from you. + + +There are specific statutory exemptions to the "first sale" principle of +fair use in the US. For example, audio recordings have such an +exemption (dating from the early '80s IIRC), which is why you can't +(legally) be in the business of renting audio CDs; the creators can +control what you do with it after they've sold it to you. Certain +industries would like to extend similar exemptions to other products -- +there is no theoretical limit to what Congress could revoke such +privileges on. + + +> Access to free stuff often helps to sell other stuff. Just because you +> (and the entertainment industry, it seems) can't be creative enough to come +> up with a business model to leverage free stuff into paid stuff... don't +> take it out on the rest of us. + + +The problem with the entertainment industry is that they engage in +business and pricing tactics that make anything Microsoft was ever +accused of pale in comparison. If they can't figure out how to make +money doing something, they'll actually burn money to make sure no +"industry outsider" can either for all intents and purposes; control is +more important than maximizing profit as long as they can make a +profit. They don't need your carrot, so they only engage in reasonable +business behavior when you are carrying a very large stick, and few +people swing a stick large enough. They are being chronically +"investigated" by the DoJ for anti-trust, collusion, and similar +activities, but that is mostly just for show. + +Which isn't to say that the entertainment industry won't fall victim to +its own stupidity, but their ability to do arbitrary and capricious +price manipulation with impunity is going to make it a slow decline. + +-James Rogers + jamesr@best.com + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0371.9d01da72c49d57814fa8a37c7b981bf1 b/machine-learning-ex6/ex6/easy_ham/0371.9d01da72c49d57814fa8a37c7b981bf1 new file mode 100644 index 0000000..b730031 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0371.9d01da72c49d57814fa8a37c7b981bf1 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Mon Aug 26 21:16:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7324D43F99 + for ; Mon, 26 Aug 2002 16:16:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:16:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKGjZ07875 for ; + Mon, 26 Aug 2002 21:16:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E4975294172; Mon, 26 Aug 2002 13:14:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f125.law15.hotmail.com [64.4.23.125]) by + xent.com (Postfix) with ESMTP id 4DCE42940AE for ; + Mon, 26 Aug 2002 13:13:31 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 26 Aug 2002 13:15:28 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Mon, 26 Aug 2002 20:15:28 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: How unlucky can you get? +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 26 Aug 2002 20:15:28.0792 (UTC) FILETIME=[523DC980:01C24D3D] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 20:15:28 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=HOTMAIL_FOOTER5,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Actually, this is common. I've known a couple of +people who have suffered this. Believe it or not, +you were lucky. You were home, rather than on +vacation, and so you didn't have the intake line +flowing onto the floor for two weeks. + +Now, don't you feel better? + + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0372.4350700fc8877e7f9b9f262d88c66a7c b/machine-learning-ex6/ex6/easy_ham/0372.4350700fc8877e7f9b9f262d88c66a7c new file mode 100644 index 0000000..6aacd5a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0372.4350700fc8877e7f9b9f262d88c66a7c @@ -0,0 +1,147 @@ +From fork-admin@xent.com Mon Aug 26 21:47:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5F4A043F99 + for ; Mon, 26 Aug 2002 16:47:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:47:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKefZ08734 for ; + Mon, 26 Aug 2002 21:40:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0A7612940D0; Mon, 26 Aug 2002 13:38:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from axiom.braindust.com (axiom.braindust.com [64.69.71.79]) by + xent.com (Postfix) with ESMTP id 0BD8D294099 for ; + Tue, 20 Aug 2002 15:00:25 -0700 (PDT) +X-Envelope-To: fork@example.com +Received: from localhost (muses.westel.com [204.244.110.7]) (authenticated + (0 bits)) by axiom.braindust.com (8.12.5/8.11.6) with ESMTP id + g7KM1reH011924 (using TLSv1/SSLv3 with cipher EDH-RSA-DES-CBC3-SHA (168 + bits) verified NO); Tue, 20 Aug 2002 15:01:54 -0700 +Subject: Re: The Curse of India's Socialism +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: "FoRK" +To: +From: Ian Andrew Bell +In-Reply-To: <003f01c2487d$1a326f60$0200a8c0@JMHALL> +Message-Id: <65C23A43-B488-11D6-B8E9-0030657C53EA@ianbell.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 20 Aug 2002 15:01:36 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +I think that this and other articles confuse Socialism with +Bureaucracy. Libertarianism as implemented in North America is not +exactly the shining pinnacle of economic efficiency. + +Just try starting a telephone company in the US or (even worse) +Canada. It can take a year or more to get the blessing of our own +"Permit Rajs" at the FCC, PUC, and PTTs (or, in the decidedly more +socialist leaning Canada, Industry Canada and the CRTC). + +Yet, despite all of this intense regulation and paper pushing, as +well as regulatory scrutiny by the FTC, SEC, and IRS, the +executives of Telecom Companies have managed to bilk the investment +community for what looks to be tens of billions of dollars. They +finished their routine with the a quadruple lutz -- laying off +hundreds of thousands of workers when it all came crashing down. + +So.. tell me again.. how are we better off? + +-Ian. + + +On Tuesday, August 20, 2002, at 12:09 PM, John Hall wrote: + +> The Mystery of Capital: Why Capitalism Triumphs in the West and Fails +> Everywhere Else -- by Hernando De Soto +> +> Is something I'm reading now. +> +> My impression is that France is not anywhere near the "Permit Raj" +> nightmare that India is (and became). Nor has its market been closed +> like India's has. +> +> But De Soto's work is perhaps just as important or more so. He hasn't +> dealt specifically with India, but I recall examples from Peru, +> Philippines, and Egypt. In Lima, his team took over a year (I think it +> was 2) working 8 hr days to legally register a 1 person company. +> In the +> Philippines, getting legal title can take 20 years. In Egypt, +> about 80% +> of the population in Cairo lives in places where they are officially +> illegal. +> +> India hasn't been helped by its socialism. Socialism has certainly +> helped strangle the country in permits. But perhaps De Soto is right +> that the real crippling thing is keeping most of the people out of the +> legal, official property system. +> +> Putting most of the people in the property system was something +> the west +> only finished about 100 years ago, or Japan did 50 years ago. It +> wasn't +> easy, but we live in a society that doesn't even remember we did it. +> +> +>> -----Original Message----- +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Robert +>> Harley +>> Sent: Tuesday, August 20, 2002 11:24 AM +>> To: fork@example.com +>> Subject: Re: The Curse of India's Socialism +>> +>> RAH quoted: +>>> Indians are not poor because there are too many of them; they are +> poor +>>> because there are too many regulations and too much government +>> intervention +>>> -- even today, a decade after reforms were begun. India's greatest +>> problems +>>> arise from a political culture guided by socialist instincts on the +> one +>>> hand and an imbedded legal obligation on the other hand. +>> +>> Nice theory and all, but s/India/France/g and the statements hold just +>> as true, yet France is #12 in the UN's HDI ranking, not #124. +>> +>> +>>> Since all parties must stand for socialism, no party espouses +>>> classical liberalism +>> +>> I'm not convinced that that classical liberalism is a good solution +>> for countries in real difficulty. See Joseph Stiglitz (Nobel for +>> Economics) on the FMI's failed remedies. Of course googling on +>> "Stiglitz FMI" only brings up links in Spanish and French. I guess +>> that variety of spin is non grata in many anglo circles. +>> +>> +>> R +>> http://xent.com/mailman/listinfo/fork +> +> http://xent.com/mailman/listinfo/fork + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0373.24b5313473b0c23decb6632ca5e22237 b/machine-learning-ex6/ex6/easy_ham/0373.24b5313473b0c23decb6632ca5e22237 new file mode 100644 index 0000000..b535b0f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0373.24b5313473b0c23decb6632ca5e22237 @@ -0,0 +1,150 @@ +From fork-admin@xent.com Mon Aug 26 21:47:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D0AF43F9B + for ; Mon, 26 Aug 2002 16:47:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:47:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKi8Z08784 for ; + Mon, 26 Aug 2002 21:44:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CB8E2294189; Mon, 26 Aug 2002 13:38:17 -0700 (PDT) +Delivered-To: fork@example.com +Received: from axiom.braindust.com (axiom.braindust.com [64.69.71.79]) by + xent.com (Postfix) with ESMTP id DA705294099 for ; + Tue, 20 Aug 2002 15:03:21 -0700 (PDT) +X-Envelope-To: fork@example.com +Received: from localhost (muses.westel.com [204.244.110.7]) (authenticated + (0 bits)) by axiom.braindust.com (8.12.5/8.11.6) with ESMTP id + g7KM4qeH011945 (using TLSv1/SSLv3 with cipher EDH-RSA-DES-CBC3-SHA (168 + bits) verified NO); Tue, 20 Aug 2002 15:04:53 -0700 +Resent-Date: Tue, 20 Aug 2002 15:04:35 -0700 +MIME-Version: 1.0 (Apple Message framework v482) +Cc: "FoRK" +Resent-Message-Id: <65C23A43-B488-11D6-B8E9-0030657C53EA@ianbell.com> +Resent-To: fork@example.com +To: +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Re: The Curse of India's Socialism +From: Ian Andrew Bell +Content-Transfer-Encoding: 7bit +Message-Id: +Resent-From: Ian Andrew Bell +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 20 Aug 2002 15:01:36 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RESENT_TO,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +I think that this and other articles confuse Socialism with +Bureaucracy. Libertarianism as implemented in North America is not +exactly the shining pinnacle of economic efficiency. + +Just try starting a telephone company in the US or (even worse) +Canada. It can take a year or more to get the blessing of our own +"Permit Rajs" at the FCC, PUC, and PTTs (or, in the decidedly more +socialist leaning Canada, Industry Canada and the CRTC). + +Yet, despite all of this intense regulation and paper pushing, as +well as regulatory scrutiny by the FTC, SEC, and IRS, the +executives of Telecom Companies have managed to bilk the investment +community for what looks to be tens of billions of dollars. They +finished their routine with the a quadruple lutz -- laying off +hundreds of thousands of workers when it all came crashing down. + +So.. tell me again.. how are we better off? + +-Ian. + + +On Tuesday, August 20, 2002, at 12:09 PM, John Hall wrote: + +> The Mystery of Capital: Why Capitalism Triumphs in the West and Fails +> Everywhere Else -- by Hernando De Soto +> +> Is something I'm reading now. +> +> My impression is that France is not anywhere near the "Permit Raj" +> nightmare that India is (and became). Nor has its market been closed +> like India's has. +> +> But De Soto's work is perhaps just as important or more so. He hasn't +> dealt specifically with India, but I recall examples from Peru, +> Philippines, and Egypt. In Lima, his team took over a year (I think it +> was 2) working 8 hr days to legally register a 1 person company. +> In the +> Philippines, getting legal title can take 20 years. In Egypt, +> about 80% +> of the population in Cairo lives in places where they are officially +> illegal. +> +> India hasn't been helped by its socialism. Socialism has certainly +> helped strangle the country in permits. But perhaps De Soto is right +> that the real crippling thing is keeping most of the people out of the +> legal, official property system. +> +> Putting most of the people in the property system was something +> the west +> only finished about 100 years ago, or Japan did 50 years ago. It +> wasn't +> easy, but we live in a society that doesn't even remember we did it. +> +> +>> -----Original Message----- +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Robert +>> Harley +>> Sent: Tuesday, August 20, 2002 11:24 AM +>> To: fork@example.com +>> Subject: Re: The Curse of India's Socialism +>> +>> RAH quoted: +>>> Indians are not poor because there are too many of them; they are +> poor +>>> because there are too many regulations and too much government +>> intervention +>>> -- even today, a decade after reforms were begun. India's greatest +>> problems +>>> arise from a political culture guided by socialist instincts on the +> one +>>> hand and an imbedded legal obligation on the other hand. +>> +>> Nice theory and all, but s/India/France/g and the statements hold just +>> as true, yet France is #12 in the UN's HDI ranking, not #124. +>> +>> +>>> Since all parties must stand for socialism, no party espouses +>>> classical liberalism +>> +>> I'm not convinced that that classical liberalism is a good solution +>> for countries in real difficulty. See Joseph Stiglitz (Nobel for +>> Economics) on the FMI's failed remedies. Of course googling on +>> "Stiglitz FMI" only brings up links in Spanish and French. I guess +>> that variety of spin is non grata in many anglo circles. +>> +>> +>> R +>> http://xent.com/mailman/listinfo/fork +> +> http://xent.com/mailman/listinfo/fork + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0374.ee8aa01327991442d06f41641b7b2fac b/machine-learning-ex6/ex6/easy_ham/0374.ee8aa01327991442d06f41641b7b2fac new file mode 100644 index 0000000..393d19b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0374.ee8aa01327991442d06f41641b7b2fac @@ -0,0 +1,150 @@ +From fork-admin@xent.com Mon Aug 26 21:47:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8FA4B44155 + for ; Mon, 26 Aug 2002 16:47:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:47:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKmwZ09009 for ; + Mon, 26 Aug 2002 21:48:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D79E22941C2; Mon, 26 Aug 2002 13:38:25 -0700 (PDT) +Delivered-To: fork@example.com +Received: from axiom.braindust.com (axiom.braindust.com [64.69.71.79]) by + xent.com (Postfix) with ESMTP id 5C145294099 for ; + Tue, 20 Aug 2002 15:31:42 -0700 (PDT) +X-Envelope-To: fork@example.com +Received: from localhost (muses.westel.com [204.244.110.7]) (authenticated + (0 bits)) by axiom.braindust.com (8.12.5/8.11.6) with ESMTP id + g7KMXDeH012160 (using TLSv1/SSLv3 with cipher EDH-RSA-DES-CBC3-SHA (168 + bits) verified NO); Tue, 20 Aug 2002 15:33:13 -0700 +Resent-Date: Tue, 20 Aug 2002 15:32:55 -0700 +MIME-Version: 1.0 (Apple Message framework v482) +Cc: "FoRK" +Resent-Message-Id: +Resent-To: fork@example.com +To: +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Re: The Curse of India's Socialism +From: Ian Andrew Bell +Content-Transfer-Encoding: 7bit +Message-Id: +Resent-From: Ian Andrew Bell +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 20 Aug 2002 15:01:36 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RESENT_TO,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +I think that this and other articles confuse Socialism with +Bureaucracy. Libertarianism as implemented in North America is not +exactly the shining pinnacle of economic efficiency. + +Just try starting a telephone company in the US or (even worse) +Canada. It can take a year or more to get the blessing of our own +"Permit Rajs" at the FCC, PUC, and PTTs (or, in the decidedly more +socialist leaning Canada, Industry Canada and the CRTC). + +Yet, despite all of this intense regulation and paper pushing, as +well as regulatory scrutiny by the FTC, SEC, and IRS, the +executives of Telecom Companies have managed to bilk the investment +community for what looks to be tens of billions of dollars. They +finished their routine with the a quadruple lutz -- laying off +hundreds of thousands of workers when it all came crashing down. + +So.. tell me again.. how are we better off? + +-Ian. + + +On Tuesday, August 20, 2002, at 12:09 PM, John Hall wrote: + +> The Mystery of Capital: Why Capitalism Triumphs in the West and Fails +> Everywhere Else -- by Hernando De Soto +> +> Is something I'm reading now. +> +> My impression is that France is not anywhere near the "Permit Raj" +> nightmare that India is (and became). Nor has its market been closed +> like India's has. +> +> But De Soto's work is perhaps just as important or more so. He hasn't +> dealt specifically with India, but I recall examples from Peru, +> Philippines, and Egypt. In Lima, his team took over a year (I think it +> was 2) working 8 hr days to legally register a 1 person company. +> In the +> Philippines, getting legal title can take 20 years. In Egypt, +> about 80% +> of the population in Cairo lives in places where they are officially +> illegal. +> +> India hasn't been helped by its socialism. Socialism has certainly +> helped strangle the country in permits. But perhaps De Soto is right +> that the real crippling thing is keeping most of the people out of the +> legal, official property system. +> +> Putting most of the people in the property system was something +> the west +> only finished about 100 years ago, or Japan did 50 years ago. It +> wasn't +> easy, but we live in a society that doesn't even remember we did it. +> +> +>> -----Original Message----- +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Robert +>> Harley +>> Sent: Tuesday, August 20, 2002 11:24 AM +>> To: fork@example.com +>> Subject: Re: The Curse of India's Socialism +>> +>> RAH quoted: +>>> Indians are not poor because there are too many of them; they are +> poor +>>> because there are too many regulations and too much government +>> intervention +>>> -- even today, a decade after reforms were begun. India's greatest +>> problems +>>> arise from a political culture guided by socialist instincts on the +> one +>>> hand and an imbedded legal obligation on the other hand. +>> +>> Nice theory and all, but s/India/France/g and the statements hold just +>> as true, yet France is #12 in the UN's HDI ranking, not #124. +>> +>> +>>> Since all parties must stand for socialism, no party espouses +>>> classical liberalism +>> +>> I'm not convinced that that classical liberalism is a good solution +>> for countries in real difficulty. See Joseph Stiglitz (Nobel for +>> Economics) on the FMI's failed remedies. Of course googling on +>> "Stiglitz FMI" only brings up links in Spanish and French. I guess +>> that variety of spin is non grata in many anglo circles. +>> +>> +>> R +>> http://xent.com/mailman/listinfo/fork +> +> http://xent.com/mailman/listinfo/fork + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0375.54d0a570b81851127b73cebb8741a2df b/machine-learning-ex6/ex6/easy_ham/0375.54d0a570b81851127b73cebb8741a2df new file mode 100644 index 0000000..7dc466e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0375.54d0a570b81851127b73cebb8741a2df @@ -0,0 +1,132 @@ +From fork-admin@xent.com Mon Aug 26 21:57:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CBCAE43F99 + for ; Mon, 26 Aug 2002 16:57:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:57:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKsKZ09118 for ; + Mon, 26 Aug 2002 21:54:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3DEFE2941C6; Mon, 26 Aug 2002 13:38:33 -0700 (PDT) +Delivered-To: fork@example.com +Received: from plato.einstein (unknown [65.170.226.173]) by xent.com + (Postfix) with ESMTP id A6CBF294099 for ; Tue, + 20 Aug 2002 23:34:52 -0700 (PDT) +Received: from RSHAVELL ([63.101.39.6]) by plato.einstein with Microsoft + SMTPSVC(5.0.2195.3779); Tue, 20 Aug 2002 23:36:30 -0700 +From: "Rob Shavell" +To: "'Eugen Leitl'" , + "'Mike Masnick'" , + "'Joseph S. Barrera III'" , + "'Ian Andrew Bell'" +Cc: +Subject: RE: sprint delivers the next big thing?? +Message-Id: <00dc01c248dd$0c740ea0$6765010a@einstein> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook CWS, Build 9.0.2416 (9.0.2910.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Importance: Normal +In-Reply-To: +X-Originalarrivaltime: 21 Aug 2002 06:36:30.0964 (UTC) FILETIME=[15BF8340:01C248DD] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 20 Aug 2002 23:36:13 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +thx for the thoughts gentlemen (yes as someone said i use terms loosely) - + +more than cool ---> + +quality: snobs only care about mpixels. this is about communications. the +general public cares about speed not quality. how is akamai doing these +days? not to mention any other QOS businesses that come to mind. + +implementation: point about hooking to usb, wires, etc. AGREE 100%. these +implementations are super clunky, attachable camera needs to be integrated a +la nokia model. basically useless until better handsets are released i +think. + +adoption: ian brought up the 'fax' problem. brilliant thing is, this is far +more personal than faxes so can be justified more easily and marketed in +family packs etc. but yes, the usual rules apply as MMS phones have network +efx. + +content: who cares about content? that no one can think of 'useful' content +is always the business persons mistake. the content is the users +communications. its anything and everything. avg person could easily send +half dozen pics to a dozen people a day. mainly humorous i'd guess. who +cares if content is trivial in nature. picture speaks a thousand words. + +display: why are dig camera displays better than cell phones? does anyone +know who makes these small displays and what the trends are around them? + +misc ramblings: i suppose you skeptical forkers would have said the same +thing about '1 hour photo' processing. trivial, who needs it, i get better +resultion elswhere. and yet, it had great decentralizing impact - the plant +had to be downsized and pushed to the retail operation - the digital camera, +and finally the integrated digital camera phone brings this cycle of +decentralization in photography to a logical conclusion (which will put the +photo giants to bed) and change the world in a meaningful way. also, SMS +didn't take off because its easy, it took off because it costs less. its +greatly ironic the carriers often trumpet the 'profitabilty' of their SMS +traffic over others because of its ratio of cost to bandwidth. in reality, +SMS cannibilizes the voice rev's they bought their networks to handle. + +ps: it is relatively amusing that one 'low resolution' complaint dropped +just after Joe watched a CARTOON on his television.. + +You're right. Or at least, I don't. I saw an advert for it on TV last +night (can't miss Futurama :-) and I thought, "boy, that's dumb." +If I wanted to share pictures with someone, I'd email them to them, +where they could see them on a 1024x or 1600x display, instead of + +rob + + +-----Original Message----- +From: Eugen Leitl [mailto:eugen@leitl.org] +Sent: Monday, August 19, 2002 1:34 AM +To: Rob Shavell +Cc: fork@example.com +Subject: Re: sprint delivers the next big thing?? + + +On Sun, 18 Aug 2002, Rob Shavell wrote: + +> down in the tech world than mobile visual communications.. and yet no one +> seems to give much of a damn that right now that 2 persons can take photos +> and share them instantly across space. this is one of the biggest - and + +The word "trivial" comes to mind. + +> last - fundamental changes in human communications. will be as big as the +> browser. + +Remote realtime streaming video is neat, but sharing pictures? You invoke +big words rather readily. + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0376.c0225fd19682f7ac58d090b6528af380 b/machine-learning-ex6/ex6/easy_ham/0376.c0225fd19682f7ac58d090b6528af380 new file mode 100644 index 0000000..4486f05 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0376.c0225fd19682f7ac58d090b6528af380 @@ -0,0 +1,175 @@ +From fork-admin@xent.com Mon Aug 26 21:57:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E472D43F9B + for ; Mon, 26 Aug 2002 16:57:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:57:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QKwdZ09291 for ; + Mon, 26 Aug 2002 21:58:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4863F2941CA; Mon, 26 Aug 2002 13:38:41 -0700 (PDT) +Delivered-To: fork@example.com +Received: from plato.einstein (unknown [65.170.226.173]) by xent.com + (Postfix) with ESMTP id E80D0294099 for ; Wed, + 21 Aug 2002 01:08:33 -0700 (PDT) +Received: from RSHAVELL ([209.151.242.53]) by plato.einstein with + Microsoft SMTPSVC(5.0.2195.3779); Wed, 21 Aug 2002 01:10:12 -0700 +From: "Rob Shavell" +To: "'Mike Masnick'" +Cc: +Subject: RE: sprint delivers the next big thing?? +Message-Id: <000301c248ea$43c44ac0$0601a8c0@einstein> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook CWS, Build 9.0.2416 (9.0.2910.0) +In-Reply-To: <5.1.1.6.0.20020820234041.03213bd0@techdirt.com> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Importance: Normal +X-Originalarrivaltime: 21 Aug 2002 08:10:12.0401 (UTC) FILETIME=[2C62BA10:01C248EA] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 21 Aug 2002 01:10:50 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_01_02,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +right Mike, + +i will agree to disagree but i take your comments to heart. my opinion is +only that this is one of the last frontiers of communications ('instant +show') that we cross easily (though you are right as rain on pricing). i am +mildly amused at the level of skepticism and innatention it is getting. + +my premise is that the world will change in dramatic and unexpected ways +once there are a billion 'eye's' which can instantly share what they see +amongst each other. that doesn't mean that people will stop talking on +their phones, or that people will spend more time w/images than voice. just +that it is fundamental. from news to crime to privacy to dating to family +life to bloopers and practical jokes, i believe there will be an explosion +of images unleashed specifically by cell phone integrated lenses because of +their utter ubiquity that dwarfs all pictures taken in the history of +photography by orders of magnitude and in short order. and yes, changes +things 'big time'. + +rgds, +rob + + +-----Original Message----- +From: Mike Masnick [mailto:mike@techdirt.com] +Sent: Tuesday, August 20, 2002 11:58 PM +To: Rob Shavell +Cc: fork@example.com +Subject: RE: sprint delivers the next big thing?? + + +Not to keep harping on this, but... + +At 11:36 PM 8/20/02 -0700, Rob Shavell wrote: + +>content: who cares about content? that no one can think of 'useful' +content +>is always the business persons mistake. the content is the users +>communications. its anything and everything. avg person could easily send +>half dozen pics to a dozen people a day. mainly humorous i'd guess. who +>cares if content is trivial in nature. picture speaks a thousand words. + +This does nothing to answer my question. I *do* care about content. Hell, +if I could be convinced that people would send stupid pics back and forth +all day, I'd have a different opinion of this. I just am not convinced +that they will (stupid or not). + +While a picture may be worth a thousand words (and this is the same +argument the guy who works for me made), how many people do you know who +communicate by pictures? Sure, it sounds nice to say that a picture is +such an efficient messaging mechanism, but how often do you actually find +yourself drawing someone a picture to explain something? + +I don't buy it. + +For most messages, text works fine and is the most efficient +mechanism. For some messages, pictures do the job, but I would say not +nearly as often as words. Why do you think Pictionary and Charades and +such are games? Because images are usually not the most efficient way to +get a message across. + +>misc ramblings: i suppose you skeptical forkers would have said the same +>thing about '1 hour photo' processing. trivial, who needs it, i get better +>resultion elswhere. and yet, it had great decentralizing impact - the +plant +>had to be downsized and pushed to the retail operation - the digital +camera, +>and finally the integrated digital camera phone brings this cycle of +>decentralization in photography to a logical conclusion (which will put the +>photo giants to bed) and change the world in a meaningful way. also, SMS +>didn't take off because its easy, it took off because it costs less. its +>greatly ironic the carriers often trumpet the 'profitabilty' of their SMS +>traffic over others because of its ratio of cost to bandwidth. in reality, +>SMS cannibilizes the voice rev's they bought their networks to handle. + +Again, this is the same argument my colleague made (along with "you just +don't understand kids today, and they'll run with this"). I wasn't saying +that MMS wouldn't take off because it wasn't high quality or that it wasn't +easy. I was saying that I couldn't see why people would use it in a way +that "changed the face of communications". + +I'm looking for the compelling reason (even if it's a stupid one) why +people would want to do this. Sure, if they integrate cameras into the +phone, and the quality improves (even only marginally) I can certainly see +people taking pictures with their cameras and occasionally sending them to +other people. But, mostly, I don't see what the benefit is to this over +sending them to someone's email address, or putting together an online (or +offline) photoalbum. + +I don't think 1 hour photos are trivial. People want to see their own pics +right away, and the quality is plenty good enough for snapshots. That's +one of the main reasons why digital cameras are catching on. The instant +view part. I'm guessing your argument is that people not only want +"instant view", but also "instant show". Which is what this service +offers. I'm not convinced that most people want "instant show". I think +people like to package their pictures and show them. That's why people put +together fancy albums, and sit there and force you to go through them while +they explain every picture. Sure, occasionally "instant show" is nice, but +it's just "nice" on occasion. I still can't see how it becomes a integral +messaging method. + +What's the specific benefit of taking a picture and immediately sending it +from one phone to another? There has to be *some* benefit, even if it's +silly if people are going to flock to it. + +I'm searching... no one has given me a straight answer yet. + +The *only* really intriguing idea I've heard about things like MMS lately +are Dan Gillmor's assertion that one day in the near future some news event +will happen, and a bunch of people will snap pictures with their mobile +phones, from all different angles, and those photos tell the real story of +what happened - before the press even gets there. + +Willing to be proven wrong, +Mike + +PS If the wireless carriers continue to price these services as stupidly as +they currently are, then MMS is *never* going to catch on. + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0377.59c36dc5f85eeda650abcec0bf3ced32 b/machine-learning-ex6/ex6/easy_ham/0377.59c36dc5f85eeda650abcec0bf3ced32 new file mode 100644 index 0000000..162a0f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0377.59c36dc5f85eeda650abcec0bf3ced32 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Mon Aug 26 22:08:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3EBF543F99 + for ; Mon, 26 Aug 2002 17:08:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:08:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QL37Z09355 for ; + Mon, 26 Aug 2002 22:03:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 653B92941CE; Mon, 26 Aug 2002 13:38:48 -0700 (PDT) +Delivered-To: fork@example.com +Received: from leng.uraeus.com (leng.uraeus.com [198.6.196.18]) by + xent.com (Postfix) with ESMTP id 240022940AE for ; + Wed, 21 Aug 2002 10:15:15 -0700 (PDT) +Received: by leng.uraeus.com (Postfix, from userid 1013) id 9A54528B21; + Wed, 21 Aug 2002 17:16:54 +0000 (UTC) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15715.51974.572757.759436@leng.uraeus.com> +From: yyyyalcolm@uraeus.com +To: yyyy@example.com (Justin Mason) +Cc: "R. A. Hettinga" , fork@example.com +Subject: Re: The Curse of India's Socialism +In-Reply-To: <20020821120335.9B96E43C32@phobos.labs.netnoteinc.com> +References: + <20020821120335.9B96E43C32@phobos.labs.netnoteinc.com> +X-Mailer: VM 6.89 under 21.1 (patch 14) "Cuyahoga Valley" XEmacs Lucid +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 21 Aug 2002 17:16:54 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,REFERENCES, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Justin Mason writes: +>So IMO it's the corruption that's the problem; and corruption != +>regulation, and corruption != socialism. Also, over-population is really +>a symptom of that. + +Without addressing the overpopulation argument, the more bureaucracy, +the more opportunity for corruption. If a corporation is corrupt, +there are generally, absent more government intervention, +alternatives. With bureacracy that is more difficult; one generally +most uproot oneself and move. +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0378.933eac5ec9a3ef912c40c6a30a11e07d b/machine-learning-ex6/ex6/easy_ham/0378.933eac5ec9a3ef912c40c6a30a11e07d new file mode 100644 index 0000000..9d77163 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0378.933eac5ec9a3ef912c40c6a30a11e07d @@ -0,0 +1,112 @@ +From fork-admin@xent.com Mon Aug 26 22:08:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DF1ED43F9B + for ; Mon, 26 Aug 2002 17:08:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:08:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QL8DZ09668 for ; + Mon, 26 Aug 2002 22:08:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4C7C22941D2; Mon, 26 Aug 2002 13:38:57 -0700 (PDT) +Delivered-To: fork@example.com +Received: from docserver.cac.washington.edu (docserver.cac.washington.edu + [140.142.32.13]) by xent.com (Postfix) with ESMTP id 825EF294099 for + ; Wed, 21 Aug 2002 16:33:32 -0700 (PDT) +Received: (from daemon@localhost) by docserver.cac.washington.edu + (8.12.1+UW01.12/8.12.1+UW02.06) id g7LNKH73018839 for fork ; + Wed, 21 Aug 2002 16:20:17 -0700 +Message-Id: <200208212320.g7LNKH73018839@docserver.cac.washington.edu> +To: fork +From: UW Email Robot +Subject: The MIME information you requested (last changed 3154 Feb 14) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 21 Aug 2002 16:20:17 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.1 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_01_02,SUBJECT_MONTH, + SUBJECT_MONTH_2,TO_LOCALPART_EQ_REAL + version=2.40-cvs +X-Spam-Level: + +-------------------------------------------------------------------------- + +What is MIME? + +MIME stands for "Multipurpose Internet Mail Extensions". It is the +standard for how to send multipart, multimedia, and binary data using the +world-wide Internet email system. Typical uses of MIME include sending +images, audio, wordprocessing documents, programs, or even plain text +files when it is important that the mail system does not modify any part +of the file. MIME also allows for labelling message parts so that a +recipient (or mail program) may determine what to do with them. + +How can I read a MIME message? + +Since MIME is only a few years old, there are still some mailers in use +which do not understand MIME messages. However, there are a growing +number of mail programs that have MIME support built-in. (One popular +MIME-capable mailer for Unix, VMS and PCs is Pine, developed at the +University of Washington and available via anonymous FTP from the host +ftp.cac.washington.edu in the file /pine/pine.tar.Z) + +In addition, several proprietary email systems provide MIME translation +capability in their Internet gateway products. However, even if you do +not have access to a MIME-capable mailer or suitable gateway, there is +still hope! + +There are a number of stand-alone programs that can interpret a MIME +message. One of the more versatile is called "munpack". It was developed +at Carnegie Mellon University and is available via anonymous FTP from the +host ftp.andrew.cmu.edu in the directory pub/mpack/. There are versions +available for Unix, PC, Mac and Amiga systems. For compabibility with +older forms of transferring binary files, the munpack program can also +decode messages in split-uuencoded format. + +Does MIME replace UUENCODE? + +Yes. UUENCODE has been used for some time for encoding binary files so +that they can be sent via Internet mail, but it has several technical +limitations and interoperability problems. MIME uses a more robust +encoding called "Base64" which has been carefully designed to survive the +message transformations made by certain email gateways. + +How can I learn more about MIME? + +The MIME Internet standard is described in RFC-1521, available via +anonymous FTP from many different Internet hosts, including: + + o US East Coast + Address: ds.internic.net (198.49.45.10) + + o US West Coast + Address: ftp.isi.edu (128.9.0.32) + + o Pacific Rim + Address: munnari.oz.au (128.250.1.21) + + o Europe + Address: nic.nordu.net (192.36.148.17) + +Look for the file /rfc/rfc1521.txt + +Another source of information is the Internet news group "comp.mail.mime", +which includes a periodic posting of a "Frequently Asked Questions" list. + +-------------------------------------------------------------------------- +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0379.c363b44b5543959823a61e9d7c1a7252 b/machine-learning-ex6/ex6/easy_ham/0379.c363b44b5543959823a61e9d7c1a7252 new file mode 100644 index 0000000..8421540 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0379.c363b44b5543959823a61e9d7c1a7252 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Aug 26 22:18:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6106E43F9B + for ; Mon, 26 Aug 2002 17:18:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:18:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLIPZ10013 for ; + Mon, 26 Aug 2002 22:18:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F9792941DA; Mon, 26 Aug 2002 13:39:14 -0700 (PDT) +Delivered-To: fork@example.com +Received: from tux.w3.org (tux.w3.org [18.29.0.27]) by xent.com (Postfix) + with ESMTP id 16C54294099 for ; Thu, 22 Aug 2002 16:38:02 + -0700 (PDT) +Received: from localhost (danbri@localhost) by tux.w3.org (8.9.3/8.9.3) + with ESMTP id TAA12658; Thu, 22 Aug 2002 19:39:45 -0400 +From: Dan Brickley +To: Lucas Gonze +Cc: "Fork@Xent.Com" +Subject: Re: The case for spam +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 19:39:45 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=DATE_IN_PAST_48_96,EMAIL_ATTRIBUTION,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Thu, 22 Aug 2002, Lucas Gonze wrote: + +> +> Political mail (the snail kind) doesn't bother me. I like it a lot of the +> time, because as crap as it is at least it's not the kind of info you get +> on TV. Particularly for small time local politics, it's the best way to +> get information. + +Except that thanks to the magic of spam, it's usually some else's locale + +> but what matters is that mail is speech, and political email has to be as +> well protected as any other political speech. Spam is *the* tool for +> dissident news, since the face that it's unsolicited means that recipients +> can't be blamed for being on a mailing list. + +A terrible argument. There are better technical solutions to privacy +protection than sending a copy of the same message to everyone on the +Internet, so the recipients can't be blamed for reading it. + +Wait till phone spam is as cheap to send as email spam... + +Dan + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0380.7479693323d404f78e18d20d3b677e14 b/machine-learning-ex6/ex6/easy_ham/0380.7479693323d404f78e18d20d3b677e14 new file mode 100644 index 0000000..fb234a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0380.7479693323d404f78e18d20d3b677e14 @@ -0,0 +1,290 @@ +From fork-admin@xent.com Mon Aug 26 22:18:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0D76343F99 + for ; Mon, 26 Aug 2002 17:18:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:18:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLDMZ09780 for ; + Mon, 26 Aug 2002 22:13:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E08232941D6; Mon, 26 Aug 2002 13:39:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from seawall.homeport.org (Seawall.Homeport.org [66.152.246.82]) + by xent.com (Postfix) with ESMTP id 503A5294099 for ; + Thu, 22 Aug 2002 07:06:28 -0700 (PDT) +Received: from lightship.internal.homeport.org + (lightship.internal.homeport.org [10.0.0.11]) by seawall.homeport.org + (Postfix) with ESMTP id 2FCE9568; Thu, 22 Aug 2002 11:07:55 -0400 (EDT) +Received: by lightship.internal.homeport.org (Postfix, from userid 125) id + 372302C92B; Thu, 22 Aug 2002 10:08:09 -0400 (EDT) +From: Adam Shostack +To: Kragen Sitaker +Cc: fork@example.com +Subject: Re: the underground software vulnerability marketplace and its + hazards (fwd) +Message-Id: <20020822100808.A72593@lightship.internal.homeport.org> +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: ; + from eugen@leitl.org on Thu, Aug 22, 2002 at 08:42:12AM +0200 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 10:08:09 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +Hi Kragen, + + This is an interesting analysis. I think that there are a couple +of nits I might pick (for example, I don't expect that the market will +be well developed with highest bidders for while), I think that the +most important issue, which is that end users won't be able to fix +their systems, is almost passed over. I know that you know this, and +you allude to it, but your essay is getting passed around, so you +might want to add to it bits about the sysadmin and others. + + There's one other point which you don't make, which I think is very +important, which is that research into defining and addressing classes +of vulnerabilities can't happen without libraries of available +vulnerability code. I can think of three researchers into automated +methods for addressing vulnerabilities who griped, uninvited, about +the quality of the existing vulnerability sites. Doing research into +a set requires that you have enough examples, in the open, that you +can define a set, and that the set is added to from time to time so +you can make and test predictions. + + I feel fairly confident in saying that without full disclosure, we +wouldn't have Stackguard, ITS4, Nissus, or snort. And the security +admin's job would be a lot harder. + +Adam + + +On Thu, Aug 22, 2002 at 08:42:12AM +0200, Eugen Leitl wrote: +| -- +| -- Eugen* Leitl leitl +| ______________________________________________________________ +| ICBMTO: N48 04'14.8'' E11 36'41.2'' http://eugen.leitl.org +| 83E5CA02: EDE4 7193 0833 A96B 07A7 1A88 AA58 0E89 83E5 CA02 +| +| +| ---------- Forwarded message ---------- +| Date: Thu, 22 Aug 2002 00:24:54 -0400 (EDT) +| From: Kragen Sitaker +| To: fork@example.com +| Subject: the underground software vulnerability marketplace and its hazards +| +| On August 7th, an entity known as "iDEFENSE" sent out an announcement, +| which is appended to this email. Briefly, "iDEFENSE", which bills +| itself as "a global security intelligence company", is offering cash +| for information about security vulnerabilities in computer software +| that are not publicly known, especially if you promise not to tell +| anyone else. +| +| If this kind of secret traffic is allowed to continue, it will pose a +| very serious threat to our computer communications infrastructure. +| +| At the moment, the dominant paradigm for computer security research +| known as "full disclosure"; people who discover security +| vulnerabilities in software tell the vendor about them, and a short +| while later --- after the vendor has had a chance to fix the problem +| --- they publish the information, including code to exploit the +| vulnerability, if possible. +| +| This method has proven far superior to the old paradigm established by +| CERT in the late 1980s, which its proponents might call "responsible +| disclosure" --- never release working exploit code, and never release +| any information on the vulnerability before all vendors have released +| a patch. This procedure often left hundreds of thousands of computers +| vulnerable to known bugs for months or years while the vendors worked +| on features, and often, even after the patches were released, people +| wouldn't apply them because they didn't know how serious the problem +| was. +| +| The underground computer criminal community would often discover and +| exploit these same holes for months or years while the "responsible +| disclosure" process kept their victims, who had no connections in the +| underground, vulnerable. +| +| The problem with this is that vulnerabilities that are widely known +| are much less dangerous, because their victims can take steps to +| reduce their potential impact --- including disabling software, +| turning off vulnerable features, filtering traffic in transit, and +| detecting and responding to intrusions. They are therefore much less +| useful to would-be intruders. Also, software companies usually see +| security vulnerabilities in their software as PR problems, and so +| prefer to delay publication (and the expense of fixing the bugs) as +| long as possible. +| +| iDEFENSE is offering a new alternative that appears far more dangerous +| than either of the two previous paradigms. They want to be a buyer in +| a marketplace for secret software vulnerability information, rewarding +| discoverers of vulnerabilities with cash. +| +| Not long before, Snosoft, a group of security researchers evidently +| including some criminal elements, apparently made an offer to sell the +| secrecy of some software vulnerability information to the software +| vendor; specifically, they apparently made a private offer to +| Hewlett-Packard to keep a vulnerability in HP's Tru64 Unix secret if +| HP retained Snosoft's "consulting services". HP considered this +| extortion and responded with legal threats, and Snosoft published the +| information. +| +| If this is allowed to happen, it will cause two problems which, +| together, add up to a catastrophe. +| +| First, secret software vulnerability information will be available to +| the highest bidder, and to nobody else. For reasons explained later, +| I think the highest bidders will generally be organized crime +| syndicates, although that will not be obvious to the sellers. +| +| Second, finding software vulnerabilities and keeping them secret will +| become lucrative for many more talented people. The result will be +| --- just as in the "responsible disclosure" days --- that the good +| guys will remain vulnerable for months and years, while the majority +| of current vulnerabilities are kept secret. +| +| I've heard it argued that the highest bidders will generally be the +| vendors of the vulnerable software, but I don't think that's +| plausible. If someone can steal $20 000 because a software bug lets +| them, the software vendor is never held liable; often, in fact, the +| people who administer the software aren't liable, either --- when +| credit card data are stolen from an e-commerce site, for example. +| Knowing about a vulnerability before anyone else might save a web-site +| administrator some time, and it might save the software vendor some +| negative PR, but it can net the thief thousands of dollars. +| +| I think the highest bidders will be those for whom early vulnerability +| information is most lucrative --- the thieves who can use it to +| execute the largest heists without getting caught. Inevitably, that +| means organized crime syndicates, although the particular gangs who +| are good at networked theft may not yet exist. +| +| There might be the occasional case where a market leader, such as +| Microsoft, could make more money by giving their competitors bad PR +| than a gang could make by theft. Think of a remote-root hole in +| Samba, for example. +| +| Right now, people who know how to find security exploits are either +| motivated by personal interest in the subject, motivated by the public +| interest, motivated by a desire for individual recognition, or +| personally know criminals that benefit from their exploits. Creating +| a marketplace in secret vulnerability information would vastly +| increase the availability of that information to the people who can +| afford to pay the most for it: spies, terrorists, and organized crime. +| +| Let's not let that happen. +| +| +| +| +| This is the original iDEFENSE announcement: +| +| From: Sunil James [mailto:SJames@iDefense.com] +| Sent: Wednesday, August 07, 2002 12:32 PM +| Subject: Introducing iDEFENSE's Vulnerability Contributor Program +| +| +| Greetings, +| +| iDEFENSE is pleased to announce the official launch of its Vulnerability +| Contributor Program (VCP). The VCP pays contributors for the advance +| notification of vulnerabilities, exploit code and malicious code. +| +| iDEFENSE hopes you might consider contributing to the VCP. The following +| provides answers to some basic questions about the program: +| +| Q. How will it work? +| A. iDEFENSE understands the majority of security researchers do not publish +| security research for compensation; rather, it could be for any of a number +| of motivations, including the following: +| +| * Pure love of security research +| * The desire to protect against harm to targeted networks +| * The desire to urge vendors to fix their products +| * The publicity that often accompanies disclosure +| +| The VCP is for those who want to have their research made public to the +| Internet community, but who would also like to be paid for doing the +| work.The compensation will depend, among other things, on the following +| items: +| +| * The kind of information being shared (i.e. vulnerability or exploit) +| * The amount of detail and analysis provided +| * The potential severity level for the information shared +| * The types of applications, operating systems, and other +| software and hardware potentially affected +| * Verification by iDEFENSE Labs +| * The level of exclusivity, if any, for data granted to iDEFENSE +| +| Q. Who should contribute to the VCP? +| A. The VCP is open to any individual, security research group or other +| entity. +| +| Q. Why are you launching this program? +| A. Timeliness remains a key aspect in security intelligence. Contributions +| to some lists take time before publication to the public at large. More +| often, many of these services charge clients for access without paying the +| original contributor. Under the iDEFENSE program, the contributor is +| compensated, iDEFENSE Labs verifies the issue, and iDEFENSE clients and the +| public at large are warned in a timely manner. +| +| Q. Who gets the credit? +| A. The contributor is always credited for discovering the vulnerability or +| exploit information. +| +| Q. When can I contribute? +| The VCP is active. You are welcome to begin contributing today. +| +| To learn more, go to http://www.idefense.com/contributor.html. If you have +| questions or would like to sign up as a contributor to the VCP, please +| contact us at contributor@idefense.com. +| +| Regards, +| +| Sunil James +| Technical Analyst +| iDEFENSE +| +| "iDEFENSE is a global security intelligence company that proactively +| monitors sources throughout the world -- from technical vulnerabilities and +| hacker profiling to the global spread of viruses and other malicious code. +| The iALERT security intelligence service provides decision-makers, frontline +| security professionals and network administrators with timely access to +| actionable intelligence and decision support on cyber-related threats. +| iDEFENSE Labs is the research wing that verifies vulnerabilities, examines +| the behavior of exploits and other malicious code and discovers new +| software/hardware weaknesses in a controlled lab environment." +| +| http://xent.com/mailman/listinfo/fork +| + +-- +"It is seldom that liberty of any kind is lost all at once." + -Hume + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0381.040644bb43a533c43f40361bd1d35355 b/machine-learning-ex6/ex6/easy_ham/0381.040644bb43a533c43f40361bd1d35355 new file mode 100644 index 0000000..d9b86d9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0381.040644bb43a533c43f40361bd1d35355 @@ -0,0 +1,124 @@ +From fork-admin@xent.com Mon Aug 26 22:28:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B33CC43F9B + for ; Mon, 26 Aug 2002 17:28:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:28:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLRRZ10197 for ; + Mon, 26 Aug 2002 22:27:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6C2EC2941E2; Mon, 26 Aug 2002 13:39:30 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id B1C902940BF for ; + Sat, 24 Aug 2002 11:38:24 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H1D0047H2J3JI@mta7.pltn13.pbi.net> for fork@xent.com; Sat, + 24 Aug 2002 11:40:15 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: buffer overflows +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D67D0D0.E6AF7683@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8BIT +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 11:30:40 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Didn't we just have a discussion on FoRK how hard +it is nowadays to write something that's not +buffer overflow protected? + +http://news.zdnet.co.uk/story/0,,t269-s2121250,00.html + + + +Location: http://news.zdnet.co.uk/story/0,,t269-s2121250,00.html + +IM client vulnerable to attack +IM client vulnerable to attack + +James Pearce, ZDNet Australia + +Users of messenger client Trillian are vulnerable to attack, according to +information security analyst John Hennessy. + +Hennessy has published a proof-of-concept showing the latest version of +Trillian, v0.73, is vulnerable to a buffer-overflow attack that will +allow individuals with malicious intent to run any program on the +computer. + +Trillion is a piece of software that allows you to connect to ICQ, AOL +Instant Messenger, MSN Messenger, Yahoo! Messenger and IRC with a single +interface, despite some companies actively avoiding messenger +interoperability. + +According to Jason Ross, senior analyst at amr interactive, in June 2002 +there were 28,000 home users of Trillian in Australia, about 0.4 percent +of the Internet population, and 55,000 people using it at work, about 1.8 +percent of the Internet population. + +David Banes, regional manager of Symantec security response, told ZDNet +Australia the code appeared to be valid. + +"With these sort of things you have to find some process that would +accept a connection, then throw loads of random data at it and get it to +crash," he said. "Once it's crashed, you can try to find a way to exploit +it." + +He said the proof-of-concept that was published is designed to run on +Notepad, but could be easily modified to run any program on the system. +He said the problem was easy to fix by "writing protective code around +that particular piece to more closely validate the data around that +piece." + +"Because people are pushed for productivity you tend to leave out the +checks and balances you should put in, which is why we have all these +buffer overflows and exploits out there now," said Banes. + +Cerulean Studios, creator of Trillian, was contacted for comment but had +not responded by the time of publication. + +------------------------------------------------------------------------ + +For all security-related news, including updates on the latest viruses, +hacking exploits and patches, check out ZDNet UK's Security News Section. + +Have your say instantly, and see what others have said. Go to the +Security forum. + +Let the editors know what you think in the Mailroom. + +Copyright © 2002 CNET Networks, Inc. All Rights Reserved. +ZDNET is a registered service mark of CNET Networks, Inc. ZDNET Logo is a service mark of CNET NETWORKS, +Inc. +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0382.2572938f55199fad41fe22683d469d00 b/machine-learning-ex6/ex6/easy_ham/0382.2572938f55199fad41fe22683d469d00 new file mode 100644 index 0000000..2071e35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0382.2572938f55199fad41fe22683d469d00 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Mon Aug 26 22:28:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DEFB243F99 + for ; Mon, 26 Aug 2002 17:28:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:28:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLMwZ10120 for ; + Mon, 26 Aug 2002 22:22:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 878672941DE; Mon, 26 Aug 2002 13:39:22 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id A9E7F2940F8 for ; + Sat, 24 Aug 2002 08:02:21 -0700 (PDT) +Received: from endeavors.com ([66.126.120.171]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H1C007C2SIRJB@mta6.snfc21.pbi.net> for fork@xent.com; Sat, + 24 Aug 2002 08:04:11 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: Entrepreneurs +To: fork@example.com +Message-Id: <3D67A063.7080502@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en-us +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:0.9.4.1) + Gecko/20020508 Netscape6/6.2.3 +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 08:04:03 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=EMAIL_ATTRIBUTION,FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +There's been well documented articles, studies of the +French tax laws, corporate governance, and financial +oversight that 1) dont' easily allow for ISOs, the root +of almost all entrepreneurialship, and 2) the easy flow +of capital to new ventures. It was an extremely large +issue, even debated widely in France. + +Greg + +Chuck Murcko wrote: + +> According to my son, it was actually Homer Simpson, who claimed the +> French had no word for victory. +> +> Chuck +> +> On Thursday, August 22, 2002, at 01:58 PM, Robert Harley wrote: +> +>> An apparent quote from Dubya, from the Times (sent to me by my Dad): +>> +>> http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html +>> +>> ------------------------------------------------------------------------------ +>> +>> TONY BLAIR's special relationship with George W. Bush is under +>> considerable strain. Not only do the two disagree on Yassir Arafat's +>> tenure as leader of the Palestinian Authority, but Blair has started +>> telling disparaging anecdotes about the President. +>> +>> Baroness Williams of Crosby recalled a story told to her by 'my good +>> friend Tony Blair' recently in Brighton. Blair, Bush and Jacques +>> Chirac were discussing economics and, in particular, the decline of +>> the French economy. 'The problem with the French,' Bush confided in +>> Blair, 'is that they don't have a word for entrepreneur.' +>> ------------------------------------------------------------------------------ +>> +>> +>> R +>> http://xent.com/mailman/listinfo/fork +>> +> +> http://xent.com/mailman/listinfo/fork +> + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0383.62511f9f1c1817dc6df14eb4912163c2 b/machine-learning-ex6/ex6/easy_ham/0383.62511f9f1c1817dc6df14eb4912163c2 new file mode 100644 index 0000000..319bc30 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0383.62511f9f1c1817dc6df14eb4912163c2 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Aug 26 22:38:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3876243F99 + for ; Mon, 26 Aug 2002 17:38:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:38:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLVSZ10400 for ; + Mon, 26 Aug 2002 22:31:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 48C552941E6; Mon, 26 Aug 2002 13:39:38 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id 3AA8529409E for ; + Sun, 25 Aug 2002 17:33:11 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H1F00AIADMHQK@mta6.snfc21.pbi.net> for fork@xent.com; Sun, + 25 Aug 2002 17:35:06 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Doom 3 +To: FoRK +Message-Id: <3D69757C.B5046390@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 17:25:32 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Doom 3 will be based on a peer to peer architecture says +CmdrTaco quoting Ant quoting Carmack. + +Greg + +http://slashdot.org/article.pl?sid=02/08/25/1310220 + +DOOM 3 will use P2P System? + + Posted by CmdrTaco on Sunday August + 25, @09:19AM + from the + i'll-believe-it-when-I'm-fragged-on-it + dept. + Ant writes "From Page 6 of FiringSquad's + QuakeCon 2002 Postmortem article: John Carmack said + something at the end of the Q&A about how the + multiplayer will be only four players? Tim: After 2 hours of + talking up at the podium, sometimes you leave a few details + out. Doom 3 multiplayer will be fully scalable. It will be a + peer to peer system. We haven't started working on it yet. + Tell everyone not to panic - it will be fine. John just forgot + to mention it'll be scalable past four players. It's hard to + give a hard number because we haven't started working on + it yet. Right now we're focused on making Doom 3 a + kickass, over the top single player game." +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0384.7de3630b963522fb78746aaf543529c0 b/machine-learning-ex6/ex6/easy_ham/0384.7de3630b963522fb78746aaf543529c0 new file mode 100644 index 0000000..84aa792 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0384.7de3630b963522fb78746aaf543529c0 @@ -0,0 +1,87 @@ +From fork-admin@xent.com Mon Aug 26 22:38:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0B06943F9B + for ; Mon, 26 Aug 2002 17:38:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:38:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLZHZ10464 for ; + Mon, 26 Aug 2002 22:35:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 44C6D2941EA; Mon, 26 Aug 2002 13:39:45 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id DC24729416D for ; + Mon, 26 Aug 2002 07:33:07 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H1G00CUQGIGZW@mta7.pltn13.pbi.net> for fork@xent.com; Mon, + 26 Aug 2002 07:35:05 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Enlightenment +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D6A3A5A.CDCD89BB@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 07:25:30 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +I finally let go of my Irix Magic desktop and window manager +and evaluated several other window managers. Having lost my 10 years +of customization with my X10 and then X11 desktop at one point +at UCI, I promised myself that I'd never get attached to +another WM. I limped along in the default Gnome desktop, I +had a few unsuccessful stabs at the Solaris open view +desktop, but nothing really stuck. Because of this along +with SGI's love of pre-configured, pre-compiled freeware[1], +I never really made the jump from Irix to Linux either. + +After installing the enlightenment WM, I have to say, I am +really enlightened. It's definitely a far cry from the no frills +first look from previous versions. It's only on version 0.17,[2] +but it's a careful balance between simplicity, performance, +(fun) features, applications, and ease of customization. The +number of themes they have on freshmeat is amazing. [3] After +less than an hour or two of "nesting" I already have almost +all my menus and controls setup just the way I want. + +I definitely recommend this to any Irix desktop holdouts. It's +a great way to refresh your machine SGI without having to bite the +bullet and rebuild it as a Linux machine. + +Greg + + + +[1] http://freeware.sgi.com/ +[2] http://www.enlightenment.org/ +[3] http://themes.freshmeat.net/browse/60/?topic_id=60 +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0385.86c7c23ec4e9892f6bbfa377760fd303 b/machine-learning-ex6/ex6/easy_ham/0385.86c7c23ec4e9892f6bbfa377760fd303 new file mode 100644 index 0000000..cb571f6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0385.86c7c23ec4e9892f6bbfa377760fd303 @@ -0,0 +1,98 @@ +From fork-admin@xent.com Mon Aug 26 22:38:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CC9D144155 + for ; Mon, 26 Aug 2002 17:38:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:38:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLd3Z10719 for ; + Mon, 26 Aug 2002 22:39:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 039252941EE; Mon, 26 Aug 2002 13:39:53 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id A082F29416D for ; + Mon, 26 Aug 2002 07:50:40 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H1G00CNMHBPZO@mta7.pltn13.pbi.net> for fork@xent.com; Mon, + 26 Aug 2002 07:52:38 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: UCI Creative Writing +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D6A3E77.E1DE2E71@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 07:43:03 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +More articles that support my fantasy that Irvine is the +center of the universe. We've got the corner on electric +cars, fuel cells, two types of Nobel winning physics, +outside the box computer science, and lot of creative writers. + +UCI's creative writing department has been in the +news a lot over the course of the last decade. Some +quotes from the article[1]: + + "In 1992, Newsweek called UCI's fiction writing workshop + 'the hottest writing program in the country.' Now it's + exponentially hotter, thanks only in part to Sebold's daring + and uncannily timely novel. + +The novel they are talking about is Alice Sebold's "The +Lovely Bones" which is on the way to the top of the +NY Times best-sellers list. My uncle used to tease me +about UCI (being a USC graduate from '54) that nobody +knew who UC Irvine was just two states over. In fact, +I used to refer to UCI as one of the lesser known UC +schools, and when I went off to college in 1985, my +relatives told everyone I was off to Cal State Irvine. +I took a class as an undergrad by one of the department's +faculty called "the art of writing fiction". If there +was ever any two classes that helped contributed to writing +my dissertation, it was that one which taught me how to +get the writing flowing and my high school typing class +which taught me how to type really fast. + +One of the advantages they cite in the article is that they +seem to take a chance on the "not-so-sure" bet, but according +to the article, the number of UCI graduates that have gone on +to write best sellers and the handful that feed the film industry +is creating a viscious cycle that lures more talent which +creates the right writing ecosystem, which churns out more +success stories which lures more talent. + +Greg + + +[1] http://www.ocregister.com/sitearchives/2002/8/25/news/uci00825cci1.shtml +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0386.8c0d37a52e39414045665d969233d6eb b/machine-learning-ex6/ex6/easy_ham/0386.8c0d37a52e39414045665d969233d6eb new file mode 100644 index 0000000..49d10de --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0386.8c0d37a52e39414045665d969233d6eb @@ -0,0 +1,68 @@ +From fork-admin@xent.com Mon Aug 26 22:49:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ADC4843F9B + for ; Mon, 26 Aug 2002 17:49:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:49:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLgvZ10819 for ; + Mon, 26 Aug 2002 22:42:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A6362941FD; Mon, 26 Aug 2002 13:45:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from stories2.idg.net (stories2.idg.net [65.220.224.133]) by + xent.com (Postfix) with ESMTP id 289912941F2 for ; + Mon, 26 Aug 2002 13:44:47 -0700 (PDT) +Received: by stories2.idg.net (8.9.1/8.9.1) id NAA20810; Mon, + 26 Aug 2002 13:39:46 -0700 (PDT) +Message-Id: <200208262039.NAA20810@stories2.idg.net> +To: fork@example.com +From: Geege +Subject: Rambus, Man +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 13:39:46 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.0 required=7.0 + tests=FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +This message was sent to you from http://www.idg.net + +Geege would like you to read the story below: + +http://www.idg.net/gomail.cgi?id=940026 + +Title: +A first look at the 2.8-GHz Pentium 4 + +Summary: +Latest Rambus memory plus fast bus appear to give Intel's newest P4 the jolt it needs. + +Geege attached the following message: +------------------------------------------------------------ +ha ha ha harley. rambus earns it. +------------------------------------------------------------ + +Stay on top of the world of Information Technology with your own +FREE subscription to our specialized newsletters. Subscribe now +at http://www.idg.net/subscribe + + +7132 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0387.38b98a83546245da45d8aeb3ff4b1098 b/machine-learning-ex6/ex6/easy_ham/0387.38b98a83546245da45d8aeb3ff4b1098 new file mode 100644 index 0000000..47cdcda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0387.38b98a83546245da45d8aeb3ff4b1098 @@ -0,0 +1,91 @@ +From fork-admin@xent.com Mon Aug 26 22:49:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 579F344155 + for ; Mon, 26 Aug 2002 17:49:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:49:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLkmZ10892 for ; + Mon, 26 Aug 2002 22:46:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 268482941C1; Mon, 26 Aug 2002 14:03:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id E36E72940AE for ; + Mon, 26 Aug 2002 14:02:24 -0700 (PDT) +Received: (qmail 15908 invoked by uid 19621); 26 Aug 2002 21:03:51 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 21:03:51 -0000 +Subject: Re: The Curse of India's Socialism +From: James Rogers +To: fork@example.com +In-Reply-To: <65C23A43-B488-11D6-B8E9-0030657C53EA@ianbell.com> +References: <65C23A43-B488-11D6-B8E9-0030657C53EA@ianbell.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1030396738.2767.162.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 26 Aug 2002 14:18:57 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Tue, 2002-08-20 at 15:01, Ian Andrew Bell wrote: +> +> Yet, despite all of this intense regulation and paper pushing, as +> well as regulatory scrutiny by the FTC, SEC, and IRS, the +> executives of Telecom Companies have managed to bilk the investment +> community for what looks to be tens of billions of dollars. + + +This is a good thing. Getting hammered for stupid investments is likely +to result in smarter investments in the future. Nobody is supposed to +win all the time, particularly not people who don't do due diligence. +"A fool and his money are soon parted" and all that. It isn't the job +of the FTC/SEC/IRS/etc to make sure you invest your money wisely (and I +have grave doubts that they could even if it was their job). + + +> They +> finished their routine with the a quadruple lutz -- laying off +> hundreds of thousands of workers when it all came crashing down. + + +So what? Nobody is guaranteed employment. Laying people off is not a +crime nor is it immoral. Companies don't exist to provide employment, +nor should they. The closest we have to such a thing in the US is a +Government Job, and look at the quality THAT breeds. + + +> So.. tell me again.. how are we better off? + + +Perhaps it is just a matter of personal preference, but I'd rather not +live in a "feed lot" society, thank-you-very-much. + + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0388.c91d0f2ec4ba6d7647a48ebe7cf2f736 b/machine-learning-ex6/ex6/easy_ham/0388.c91d0f2ec4ba6d7647a48ebe7cf2f736 new file mode 100644 index 0000000..887edc8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0388.c91d0f2ec4ba6d7647a48ebe7cf2f736 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Mon Aug 26 22:59:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 01AFA43F9B + for ; Mon, 26 Aug 2002 17:59:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 22:59:22 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QLqYZ11111 for ; + Mon, 26 Aug 2002 22:52:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A6BF42941CD; Mon, 26 Aug 2002 14:47:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id CCDAC294175 for ; + Mon, 26 Aug 2002 14:46:20 -0700 (PDT) +Received: (qmail 17818 invoked by uid 19621); 26 Aug 2002 21:47:47 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 21:47:47 -0000 +Subject: Re: Entrepreneurs +From: James Rogers +To: fork@example.com +In-Reply-To: <3D67A063.7080502@endeavors.com> +References: + <3D67A063.7080502@endeavors.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1030399374.2768.183.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 26 Aug 2002 15:02:54 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Sat, 2002-08-24 at 08:04, Gregory Alan Bolcer wrote: +> There's been well documented articles, studies of the +> French tax laws, corporate governance, and financial +> oversight that 1) dont' easily allow for ISOs, the root +> of almost all entrepreneurialship, and 2) the easy flow +> of capital to new ventures. It was an extremely large +> issue, even debated widely in France. + + +It is actually a lot worse than this. What it boils down to is that +only the privileged class is really allowed to start a serious company. +What I found fascinating is that the old French aristocracy effectively +still exists (literally the same families), but they now hold top +executive and management positions in the major French firms and the +government, positions which are only passed on to other blue bloods. Not +officially of course, but as a strict matter of practice. And the laws +and legal structures make sure that this system stays firmly in place. +Even for a young French blue blood, strict age hierarchies keep them +from branching out into a new venture in their own country (though many +can leverage this to start companies in OTHER countries). I know about +the French system first-hand and the executives are quite candid about +it (at least to Yanks like me who are working with them), but I suspect +this may hold true for other European countries as well. + +After all those "revolutions", France is still nothing more than a +thinly veiled old-school aristocracy, with all the trappings. + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0389.1fe03acd5f135ac67ed7a7f35c4b3347 b/machine-learning-ex6/ex6/easy_ham/0389.1fe03acd5f135ac67ed7a7f35c4b3347 new file mode 100644 index 0000000..243e5df --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0389.1fe03acd5f135ac67ed7a7f35c4b3347 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Tue Aug 27 00:33:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8118E44155 + for ; Mon, 26 Aug 2002 19:32:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 00:32:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QNUfZ14577 for ; + Tue, 27 Aug 2002 00:30:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A2EF62940B0; Mon, 26 Aug 2002 16:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 77FD32940AE for + ; Mon, 26 Aug 2002 16:27:24 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 26 Aug 2002 23:28:55 -08:00 +Message-Id: <3D6AB9B7.8020407@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: Jim Whitehead +Cc: FoRK , juliet@barrera.org +Subject: Re: How unlucky can you get? +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 16:28:55 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Jim Whitehead wrote: +> So, after shutting off the water and mopping up, I was left to ponder what +> are the odds of having mechanical failure of a large rectangular porcelain +> bowl, in the absence of any visible stressors (like someone striking it with +> a sledgehammer)? We hadn't done anything unusual to the toilet in the recent + +All it takes is an overtorqued nut (e.g. at the water intake entrance) +to stress the porcelain, and you've got a time bomb waiting to go off. +Of course, if you're lucky, you'll overtorque it enough that the tank +will break right away, while you still have the water intake shut off. + +- Joe + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0390.d1ecb44eef90f33245ee0835d94e80ad b/machine-learning-ex6/ex6/easy_ham/0390.d1ecb44eef90f33245ee0835d94e80ad new file mode 100644 index 0000000..596364f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0390.d1ecb44eef90f33245ee0835d94e80ad @@ -0,0 +1,52 @@ +From fork-admin@xent.com Tue Aug 27 00:53:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0480643F99 + for ; Mon, 26 Aug 2002 19:53:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 00:53:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7QNnfZ15088 for ; + Tue, 27 Aug 2002 00:49:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4CF8F2941C9; Mon, 26 Aug 2002 16:47:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 4F1B129417F for ; Mon, 26 Aug 2002 16:46:53 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 4DAC7C44D; + Tue, 27 Aug 2002 01:40:02 +0200 (CEST) +To: fork@example.com +Subject: Re: A biblical digression +Message-Id: <20020826234002.4DAC7C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 01:40:02 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +John Hall: +>Ran across a site which claimed to explain the original meaning of the +>Ten Commandments. It seems some of those meanings have evolved a bit, too. + +You mean that "Thou shalt not covet thy neighbour's ass" used to be +about donkeys??? Inconceivable!!! + +R + diff --git a/machine-learning-ex6/ex6/easy_ham/0391.e1f15b5f5a6dbbb8cde6571055be3127 b/machine-learning-ex6/ex6/easy_ham/0391.e1f15b5f5a6dbbb8cde6571055be3127 new file mode 100644 index 0000000..4e3e3b8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0391.e1f15b5f5a6dbbb8cde6571055be3127 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Tue Aug 27 02:14:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3141D43F9B + for ; Mon, 26 Aug 2002 21:14:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 02:14:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R1AiZ20372 for ; + Tue, 27 Aug 2002 02:10:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4DFFC2941E1; Mon, 26 Aug 2002 18:08:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 5C55729417F for ; + Mon, 26 Aug 2002 18:07:34 -0700 (PDT) +Received: (qmail 5844 invoked by uid 1111); 27 Aug 2002 01:09:28 -0000 +From: "Adam L. Beberg" +To: "Joseph S. Barrera III" +Cc: +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: <3D6A488C.7000609@barrera.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 18:09:28 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002, Joseph S. Barrera III wrote: + +> Adam L. Beberg wrote: +> > Fair use needs to be clarified a bit +> +> That's an understatement!!! + +Yes, it is :( + +> > How else do i ever have hope of finding a job working for someone +> > that makes things people are supposed to ... *drumroll* pay for. +> +> Well, you could damn well get a fucking better attitude. I practically +> handed you a job the other week and you pissed all over me. I'm done +> helping you. You have joined a very exclusive club that up to now has +> only had my sister as a member. + +Forwarding me stuff from a list is hardly handing me a job. I tracked them +down, they dont exist anymore, like 99% of the things I track down the req's +are pulled or there is a freeze. + +The real problem is you cant even train for jobs now, since they _demand_ +7-10 years at a job paid to do the wierd collection of skills they want. + +But I'll get lucky eventually and someone I know will be a hiring manager. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0392.2763fc795021223f9cfc870a5ce0bc25 b/machine-learning-ex6/ex6/easy_ham/0392.2763fc795021223f9cfc870a5ce0bc25 new file mode 100644 index 0000000..622351f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0392.2763fc795021223f9cfc870a5ce0bc25 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Tue Aug 27 02:35:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F038C43F9B + for ; Mon, 26 Aug 2002 21:35:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 02:35:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R1WfZ20918 for ; + Tue, 27 Aug 2002 02:32:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3FF0B2941F1; Mon, 26 Aug 2002 18:30:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id DE4E52941ED for + ; Mon, 26 Aug 2002 18:29:26 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Tue, 27 Aug 2002 01:30:45 -08:00 +Message-Id: <3D6AD645.7000709@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 18:30:45 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Adam L. Beberg wrote: + > Forwarding me stuff from a list is hardly handing me a job. + +I was talking about the open reqs at Kana (the company I work for). +Oh, but programming in Java is beneath you. + +- Joe + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0393.0b4def24fd1835de40d83f2a8e43bd7d b/machine-learning-ex6/ex6/easy_ham/0393.0b4def24fd1835de40d83f2a8e43bd7d new file mode 100644 index 0000000..eda964e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0393.0b4def24fd1835de40d83f2a8e43bd7d @@ -0,0 +1,61 @@ +From fork-admin@xent.com Tue Aug 27 03:46:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AC53643F99 + for ; Mon, 26 Aug 2002 22:46:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 03:46:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R2juZ23016 for ; + Tue, 27 Aug 2002 03:45:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 529562940A1; Mon, 26 Aug 2002 19:43:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id EE12829409E for + ; Mon, 26 Aug 2002 19:42:13 -0700 (PDT) +Received: (qmail 18632 invoked by uid 508); 27 Aug 2002 02:44:03 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.9) by + venus.phpwebhosting.com with SMTP; 27 Aug 2002 02:44:03 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g7R2i2a27964; Tue, 27 Aug 2002 04:44:03 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Geege +Cc: +Subject: Re: Rambus, Man +In-Reply-To: <200208262039.NAA20810@stories2.idg.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 04:44:02 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE,X_AUTH_WARNING + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002, Geege wrote: + +> Latest Rambus memory plus fast bus appear to give Intel's newest P4 the jolt it needs. + +Well, Athlon FSB 333 is almost there. And I'm really looking forward to +the Hammer series. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0394.1c86a541cac55ed69e47b32b325352cb b/machine-learning-ex6/ex6/easy_ham/0394.1c86a541cac55ed69e47b32b325352cb new file mode 100644 index 0000000..e719aef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0394.1c86a541cac55ed69e47b32b325352cb @@ -0,0 +1,78 @@ +From fork-admin@xent.com Tue Aug 27 04:17:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EC09943F9B + for ; Mon, 26 Aug 2002 23:17:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 04:17:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R3FvZ23841 for ; + Tue, 27 Aug 2002 04:16:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4C3AE2940AE; Mon, 26 Aug 2002 20:13:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id E4ED229409E for ; + Mon, 26 Aug 2002 20:12:14 -0700 (PDT) +Received: (qmail 6353 invoked by uid 1111); 27 Aug 2002 03:13:53 -0000 +From: "Adam L. Beberg" +To: Geege +Cc: +Subject: Re: Rambus, Man +In-Reply-To: <200208262039.NAA20810@stories2.idg.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 20:13:53 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002, Geege wrote: + +> Summary: +> Latest Rambus memory plus fast bus appear to give Intel's newest P4 the +> jolt it needs. +> +> Geege attached the following message: +> ------------------------------------------------------------ +> ha ha ha harley. rambus earns it. +> ------------------------------------------------------------ + +"Expect a 3 percent to 5 percent boost with PC1066" + +5% faster for only 4 times [pricewatch at 7:55PM - 93 vs 379] the cost. + +Gimme gimme gimme! And I better get the full 5% speedup. + +And gime me that 20% faster GeForce 4600 at twice the cost of the 4200 too. + +Seriously, who falls for this scam? + +P.S. finished the PS2 port, it benchmarks at fp:1 int:40. a celeron 525 +benches at fp:460 int:400... If it's not a polygon fill the thing is +useless. There will be no beowolf cluster of these. It is 3x faster then +the iPaq tho at 1/13 :) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0395.9974c2f067b24a73a2cd3f9d1af21e57 b/machine-learning-ex6/ex6/easy_ham/0395.9974c2f067b24a73a2cd3f9d1af21e57 new file mode 100644 index 0000000..e5f54f1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0395.9974c2f067b24a73a2cd3f9d1af21e57 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Tue Aug 27 05:18:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7C04E43F99 + for ; Tue, 27 Aug 2002 00:18:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 05:18:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R4J5Z25625 for ; + Tue, 27 Aug 2002 05:19:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 439232941F6; Mon, 26 Aug 2002 21:16:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id D558829409E for ; Mon, + 26 Aug 2002 21:15:25 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id CB2493ED7E; + Tue, 27 Aug 2002 00:19:37 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id C9A6B3ED3B for ; Tue, + 27 Aug 2002 00:19:37 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +In-Reply-To: <5.1.1.6.0.20020826113243.034de5d0@techdirt.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 00:19:37 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + +What are you trying to sell???? What is the Value??? + +Example...Does Pratchett sell paper bound by glue or does he sell stories? + + + +Question...When I buy a book have I purchased the story? When I sell the +book does any of that revenue go to mr Pratchett? + +What if I read the book and give it to someone, who then reads it +and gives it to someone who then reads it and gives it to +someones....(bookcrossing.com though with more succesfull passings). Does +each reader send Mr Pratchett money? + +Have Used Bookstores, Recorstores etc destroyed the system of book/record +economy? + +AS to the resident sourpuss, in germany bitter may be better but here its +just plain stinkin thinkin. + + +-tom + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0396.0922332b5ca3f934481ab4c275a79001 b/machine-learning-ex6/ex6/easy_ham/0396.0922332b5ca3f934481ab4c275a79001 new file mode 100644 index 0000000..44b7034 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0396.0922332b5ca3f934481ab4c275a79001 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Aug 27 06:29:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0C77F43F99 + for ; Tue, 27 Aug 2002 01:29:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 06:29:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R5RvZ27153 for ; + Tue, 27 Aug 2002 06:28:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 46DFA2941F9; Mon, 26 Aug 2002 22:25:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id AA1B529409E for ; + Mon, 26 Aug 2002 22:24:00 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020827052553.DSDH11061.sccrmhc01.attbi.com@Intellistation> for + ; Tue, 27 Aug 2002 05:25:53 +0000 +Content-Type: text/plain; charset="us-ascii" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK +Subject: Gecko adhesion finally sussed. +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208270124.00426.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 01:24:00 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT, + USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +(Via Robot Wisdom) Maybe you UC folk know these people? + +http://www.eurekalert.org/pub_releases/2002-08/lcc-sph082202.php + +Working at Lewis & Clark College, the University of California at Berkeley, +the University of California at Santa Barbara, and Stanford University, +the interdisciplinary team: + + * confirmed speculation that the gecko's amazing climbing ability +depends on weak molecular attractive forces called van der Waals forces, + + * rejected a competing model based on the adhesion chemistry of water +molecules, and + +* discovered that the gecko's adhesive depends on geometry, not surface +chemistry. In other words, the size and shape of the tips of gecko foot +hairs--not what they are made of--determine the gecko's stickiness. + +To verify its experimental and theoretical results, the gecko group then +used its new data to fabricate prototype synthetic foot-hair tips from two +different materials. + +"Both artificial setal tips stuck as predicted," notes Autumn, assistant +professor of biology at Lewis & Clark College in Portland, Ore. "Our +initial prototypes open the door to manufacturing the first biologically +inspired dry, adhesive microstructures, which can have widespread +applications." + diff --git a/machine-learning-ex6/ex6/easy_ham/0397.bdea17c7f90068a763d191914770f6d6 b/machine-learning-ex6/ex6/easy_ham/0397.bdea17c7f90068a763d191914770f6d6 new file mode 100644 index 0000000..e18698d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0397.bdea17c7f90068a763d191914770f6d6 @@ -0,0 +1,182 @@ +From fork-admin@xent.com Tue Aug 27 10:35:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B96A943F9B + for ; Tue, 27 Aug 2002 05:35:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 10:35:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7R9XgZ01633 for ; + Tue, 27 Aug 2002 10:33:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 81A3A29409E; Tue, 27 Aug 2002 02:31:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id 02B8429409C for ; + Tue, 27 Aug 2002 02:30:48 -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g7R98Zfw023197 for ; + Tue, 27 Aug 2002 02:08:36 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +Subject: "A billion here, a billion there..." +From: Rohit Khare +To: Fork@xent.com +Message-Id: <82D4B3A0-B961-11D6-80A5-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 19:05:50 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7R9XgZ01633 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.0 required=7.0 + tests=DATE_IN_PAST_06_12,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +> Bottom line: the late Senate Minority Leader certainly would have +> endorsed the meaning behind the phrase, but it is questionable that he +> ever coined it. + +An interesting link courtesy of the Harrow Report: there's no written +evidence so far that Senator Everett Dirksen is the source of the +infamous quote attributed to him. It's kind of astounding that there is +enough general social consensus (25% of all queries makes it a *very* +FAQ) and "eyewitness" reporting without a single written source. What +the essay below doesn't seem to answer, though, is what the earliest +attributed quote in print by any other writer is. I'd naturally be much +more skeptical if the "quote" emerged after his death... RK + +=============================================================== +http://www.dirksencenter.org/featuresBillionHere.htm + +"A billion here, a billion there . . ." + +Did Dirksen ever say, " A billion here, a billion there, and pretty soon +you're talking real money"? (or anything very close to that?) + +Perhaps not. Based on an exhaustive search of the paper and audio +records of The Dirksen Congressional Center, staffers there have found +no evidence that Dirksen ever uttered the phrase popularly attributed to +him. + +Archivists undertook the search after studying research statistics +showing that more than 25 percent of inquiries have to do with the quote +or its variations. + +Here is what they examined: all of the existing audio tapes of the famed +"Ev and Charlie" and "Ev and Jerry" shows, all newspapers clippings in +the Dirksen Papers, about 12,500 pages of Dirksen's own speech notes, +transcripts of his speeches and media appearances, transcripts of +Republican leadership press conferences, and Dirksen's statements on the +Senate floor as documented in the Congressional Record. + +Although Dirksen rarely prepared the text of a speech, preferring to +rely on notes, he did employ brief phrases to remind him of a particular +turn of phrase. For example, in referring to the public debt or +excessive government spending, Dirksen would jot the word "pothole" to +remind him to tell the following story, on this occasion in reference to +the debt ceiling: + + +"As I think of this bill, and the fact that the more progress we make +the deeper we go into the hole, I am reminded of a group of men who were +working on a street. They had dug quite a number of holes. When they got +through, they failed to puddle or tamp the earth when it was returned to +the hole, and they had a nice little mound, which was quite a traffic +hazard. + +"Not knowing what to do with it, they sat down on the curb and had a +conference. After a while, one of the fellows snapped his fingers and +said, ‘I have it. I know how we will get rid of that overriding earth +and remove the hazard. We will just dig the hole deeper.'" +[Congressional Record, June 16, 1965, p. 13884]. + + +On the same occasion, Dirksen relied on yet another "spending" story, +one he labeled "cat in the well": + + +"One time in the House of Representatives [a colleague] told me a story +about a proposition that a teacher put to a boy. He said, ‘Johnny, a cat +fell in a well 100 feet deep. Suppose that cat climbed up 1 foot and +then fell back 2 feet. How long would it take the cat to get out of the +well?' + +"Johnny worked assiduously with his slate and slate pencil for quite a +while, and then when the teacher came down and said, ‘How are you +getting along?' Johnny said, ‘Teacher, if you give me another slate and +a couple of slate pencils, I am pretty sure that in the next 30 minutes +I can land that cat in hell.' + +"If some people get any cheer our of a $328 billion debt ceiling, I do +not find much to cheer about concerning it." [Congressional Record, June +16, 1965, p. 13884]. + + +But there are no such reminders for the "A billion here, a billion +there . . . " tag line as there surely should have been given Dirksen's +note-making tendencies. He spoke often and passionately about the debt +ceiling, federal spending, and the growth of government. Yet there is no +authoritative reference to the "billion" phrase. + +The chief evidence in support of Dirksen making the statement comes from +people who claim to have heard him. The Library of Congress, for +example, cites someone's personal observation on the campaign trail as +evidence. The Dirksen Center has received calls from people who heard +Dirksen say those words, some even providing the date of the event. But +cross-checking that information with the records has, so far, turned up +nothing in the way of confirmation. + +The closest documented statement came at a joint Senate-House Republican +leadership press conference on March 8, 1962, when Dirksen said, "The +favorite sum of money is $1 billion – a billion a year for a fatter +federal payroll, a billion here, a billion there." [EMD Papers, +Republican Congressional Leadership File, f. 25] But the "and pretty +soon you're talking real money" is missing. + +In another close call, the New York Times, January 23, 1961, quoted +Dirksen: "Look at education – two-and-one-half billion – a billion for +this, a billion for that, a billion for something else. Three to five +billion for public works. You haven't got any budget balance left. +You'll be deeply in the red." [Cited in Byron Hulsey's "Everett Dirksen +and the Modern Presidents," Ph.D. dissertation (May 1998, University of +Texas, p. 226] + +Of course, the Dirksen Papers do not document completely the late +Senator's comments. For example, The Center that bears his name does not +have his testimony before committees. Their collection of Congressional +Records ends in 1965, omitting the last four years of Dirksen's life and +career – he might have employed the phrase only late, although witnesses +claim he said it throughout his career. Dirksen's campaign speeches +tended not to produce transcripts, only sketchy notes or abbreviated +newspaper accounts. Dirksen also held center stage before the video age, +meaning that many remarks, particularly those in campaigns, escaped +capture. + +Bottom line: the late Senate Minority Leader certainly would have +endorsed the meaning behind the phrase, but it is questionable that he +ever coined it. + +  + +  +--- +My permanent email address is khare@alumni.caltech.edu + + diff --git a/machine-learning-ex6/ex6/easy_ham/0398.d44804f613ef8d8ddd5ae7aa8329c1b0 b/machine-learning-ex6/ex6/easy_ham/0398.d44804f613ef8d8ddd5ae7aa8329c1b0 new file mode 100644 index 0000000..bc66775 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0398.d44804f613ef8d8ddd5ae7aa8329c1b0 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Aug 27 11:06:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D8EC43F99 + for ; Tue, 27 Aug 2002 06:06:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 11:06:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RA7gZ02703 for ; + Tue, 27 Aug 2002 11:07:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 19A6B2940BD; Tue, 27 Aug 2002 03:05:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mandark.labs.netnoteinc.com (unknown [212.2.188.179]) by + xent.com (Postfix) with ESMTP id C765D29409C for ; + Tue, 27 Aug 2002 03:04:33 -0700 (PDT) +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7RA6X501222 for ; Tue, 27 Aug 2002 11:06:33 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 9E4E343F99; Tue, 27 Aug 2002 06:04:25 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9857933D8B for + ; Tue, 27 Aug 2002 11:04:25 +0100 (IST) +To: fork +Subject: Re: The MIME information you requested (last changed 3154 Feb 14) +In-Reply-To: Message from UW Email Robot + of + "Wed, 21 Aug 2002 16:20:17 PDT." + <200208212320.g7LNKH73018839@docserver.cac.washington.edu> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020827100425.9E4E343F99@phobos.labs.netnoteinc.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 11:04:20 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-26.6 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + SUBJECT_MONTH,SUBJECT_MONTH_2,TO_LOCALPART_EQ_REAL + version=2.40-cvs +X-Spam-Level: + + +UW Email Robot said: + +> What is MIME? + +I know what MIME is godammit ;) + +> Since MIME is only a few years old, ... + +a *few*? Time to update pine-robot-blurb.txt on +docserver.cac.washington.edu, I think. + +Has anyone figured out what's up with this? Does someone out there think +that FoRK needs some MIME tutoring? + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/0399.20be4fa82cc4b6342cf49fc6606c492e b/machine-learning-ex6/ex6/easy_ham/0399.20be4fa82cc4b6342cf49fc6606c492e new file mode 100644 index 0000000..8aef1b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0399.20be4fa82cc4b6342cf49fc6606c492e @@ -0,0 +1,66 @@ +From fork-admin@xent.com Tue Aug 27 17:34:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D392343F99 + for ; Tue, 27 Aug 2002 12:34:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 17:34:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RGUhZ16819 for ; + Tue, 27 Aug 2002 17:30:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5B27D294204; Tue, 27 Aug 2002 09:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id 625DA2940CE for ; + Tue, 27 Aug 2002 09:27:33 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + 3C5C23F4F3; Tue, 27 Aug 2002 12:27:40 -0400 (EDT) +From: Kragen Sitaker +To: fork@example.com +Subject: Re: The MIME information you requested (last changed 3154 Feb 14) +Message-Id: <20020827162740.GA24107@canonical.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.28i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 12:27:40 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02, + SUBJECT_MONTH,SUBJECT_MONTH_2,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +Justin Mason writes: +> Has anyone figured out what's up with this? Does someone out there +> think that FoRK needs some MIME tutoring? + +I was puzzled at first, but I think I understand what happened. + +First, I approved the post because it didn't appear to be spam, even +though it wasn't from a member. I thought it was odd that someone +wanted to send the MIME blurb to the list, but it was not really that +different from causing the New York Times web site to send a story to +the list. (Except that the bits here are antediluvian, but old bits are +a problem to be solved by social opporobrium, not technical constraints.) + +But I think what actually happened is that some idiot got infected by +Klez and had both FoRK and the pine-robot autoresponder address in their +mailbox or addressbook, so Klez forged mail from fork@xent.com to the +autoresponder, which responded. To FoRK. + diff --git a/machine-learning-ex6/ex6/easy_ham/0400.bc26e5bca8b09db7b496d47715baacad b/machine-learning-ex6/ex6/easy_ham/0400.bc26e5bca8b09db7b496d47715baacad new file mode 100644 index 0000000..3597f94 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0400.bc26e5bca8b09db7b496d47715baacad @@ -0,0 +1,89 @@ +From fork-admin@xent.com Wed Aug 28 14:47:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1938343F99 + for ; Wed, 28 Aug 2002 09:47:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 14:47:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SDekZ26573 for ; + Wed, 28 Aug 2002 14:40:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 57A2C29418C; Wed, 28 Aug 2002 06:38:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (oe34.law12.hotmail.com [64.4.18.91]) by + xent.com (Postfix) with ESMTP id CB26E29409A for ; + Wed, 28 Aug 2002 06:37:51 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 28 Aug 2002 06:39:56 -0700 +X-Originating-Ip: [66.92.145.79] +Reply-To: "Bill Kearney" +From: "Bill Kearney" +To: +References: <20020828132525.19031.23950.Mailman@lair.xent.com> +Subject: Re: DataPower announces XML-in-silicon +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Message-Id: +X-Originalarrivaltime: 28 Aug 2002 13:39:56.0340 (UTC) FILETIME=[656C7F40:01C24E98] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 09:39:52 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.3 required=7.0 + tests=FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +> Now, to do this, we all know they have to be cracking the strong crypto used +> on all transaction in order to process them... So this has some preaty heavy +> implications, unless it's just BS. + +Anybody buying a box like this is undoubtledly going to integrate it into their +crypto infrastructure. What's the point of putting in a box like this if it's +not an active participant in your security framework? + +> Or.... you could just not bloat it 20x to begin with. Nah! (that was the +> whole point of XML afterall, to sell more CPUs - much like Oracle's use of +> Java allows them to sell 3x more CPU licenses due to the performance hit) + +Blah, blah, blah. The marketing FUD gets compounded by the Beberg FUD, talk +about 20x bloat. + +> Again, see above... they _are_ claiming to decode the crypto... + +What gives you the impression that's what they're doing? That's not what the +text says. It's largely fluff anyway. + +> > "Our XG3 execution core converts XML to machine code," said Kelly, +> Mmmmmmmmmmm, machine code, never a good idea ;) + +Uhhh, fundamentally it's all machine code. Kelly's comment seems more like +drivel from a clueless marketroid than anything of technical concern. + +Having what appears to be a silicon XML router would be a cool thing. Having +one integrated with your crypto environment would kick ass. Let it +deserialize/decrypt/repackage the XML before handing it off to the app servers. +The question, of course, is does it work with actual applications in the field +without tremendously reworking them. Somehow I doubt it... + +-Bill Kearney + diff --git a/machine-learning-ex6/ex6/easy_ham/0401.9ab0bcc81e70d6930acfefc2854a0172 b/machine-learning-ex6/ex6/easy_ham/0401.9ab0bcc81e70d6930acfefc2854a0172 new file mode 100644 index 0000000..0114d49 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0401.9ab0bcc81e70d6930acfefc2854a0172 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Wed Aug 28 17:15:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 26FCA4415C + for ; Wed, 28 Aug 2002 12:15:10 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:15:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SGApZ32324 for ; + Wed, 28 Aug 2002 17:10:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 650832940FA; Wed, 28 Aug 2002 09:08:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id E813129409A for ; + Wed, 28 Aug 2002 09:07:23 -0700 (PDT) +Received: from maya.dyndns.org (ts5-016.ptrb.interhop.net + [165.154.190.80]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7SFh0m23800; Wed, 28 Aug 2002 11:43:01 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id EB2AA1C388; + Wed, 28 Aug 2002 12:07:24 -0400 (EDT) +To: Owen Byrne +Cc: fork@example.com +Subject: Re: Canadians +References: <3D6CA455.4010907@permafrost.net> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 12:07:24 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +>>>>> "O" == Owen Byrne writes: + + O> From the local paper this morning. "Canadians eat about seven + O> times as many doughnuts per capita"... (as Americans) . D'oh! + +If we had more variety of franchise food than the +Wendys/KFC/PizzaHut/TacoBell/TimHorton's monopoly (they are all Pepsi +under the hood, aren't they?), things might be different. When a New +Yorker has biscotti, we have a timbit, when a Parisienne has a +croissant, we have a timbit ... because that's all we can buy. + +The USA is a nation founded on creative free enterprise entrepreneurs; +Canada is a nation built on monopolies. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0402.a511fb74deca95f59d4eff5daa45a9b8 b/machine-learning-ex6/ex6/easy_ham/0402.a511fb74deca95f59d4eff5daa45a9b8 new file mode 100644 index 0000000..311b8ad --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0402.a511fb74deca95f59d4eff5daa45a9b8 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Wed Aug 28 17:25:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BA87E44156 + for ; Wed, 28 Aug 2002 12:25:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:25:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SGRkZ00449 for ; + Wed, 28 Aug 2002 17:27:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4C3562940D3; Wed, 28 Aug 2002 09:25:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f29.law15.hotmail.com [64.4.23.29]) by + xent.com (Postfix) with ESMTP id 6F89829409A for ; + Wed, 28 Aug 2002 09:24:30 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 28 Aug 2002 09:26:35 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Wed, 28 Aug 2002 16:26:34 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Canadians +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 28 Aug 2002 16:26:35.0206 (UTC) FILETIME=[AD365E60:01C24EAF] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 16:26:34 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Gary Lawrence Murphy: +>If we had more variety of franchise food than +>the Wendys/KFC/PizzaHut/TacoBell/TimHorton's monopoly .. The USA is a +>nation founded on creative free enterprise entrepreneurs; Canada +>is a nation built on monopolies. + +Things aren't all that bad. I remember Vancouver +as having a broad variety of good, local eateries. +And Toronto as having a variety of good, local +strip joints. ;-) I never ate a doughnut in +Canada, so I cannot vouch for their quality. I +could live in either of these cities quite happily, +but Carolyn doesn't like cold weather. + +Personally, I almost never eat at a franchise +restaurant. Usually you can find better fare or +cheaper fare (and often both!) at a local +restaurant. + + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0403.1e5eeaca6a82f4eeccc65c179efe2c7c b/machine-learning-ex6/ex6/easy_ham/0403.1e5eeaca6a82f4eeccc65c179efe2c7c new file mode 100644 index 0000000..26a2ed9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0403.1e5eeaca6a82f4eeccc65c179efe2c7c @@ -0,0 +1,54 @@ +From fork-admin@xent.com Wed Aug 28 17:56:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BF57A44156 + for ; Wed, 28 Aug 2002 12:56:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:56:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SGskZ01542 for ; + Wed, 28 Aug 2002 17:54:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ED86E294199; Wed, 28 Aug 2002 09:52:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id A350829409A for ; Wed, 28 Aug 2002 09:51:22 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 8826AC44D; + Wed, 28 Aug 2002 18:44:09 +0200 (CEST) +To: fork@example.com +Subject: Re: Java is for kiddies +Message-Id: <20020828164409.8826AC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 18:44:09 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +JoeBar wrote: +>C is more reliable than Java?? + +Depends who writes it. One guy will write a bug every 5 lines, +another every 5000 lines. Put them both on a project and that will +average out to a bug every 4.995 lines. +(Irrespective of language. Pick the one +that best suits what you're trying to do.) + +R + diff --git a/machine-learning-ex6/ex6/easy_ham/0404.eceb4a64a9ef4c1d738782efde23c09b b/machine-learning-ex6/ex6/easy_ham/0404.eceb4a64a9ef4c1d738782efde23c09b new file mode 100644 index 0000000..f478b82 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0404.eceb4a64a9ef4c1d738782efde23c09b @@ -0,0 +1,81 @@ +From fork-admin@xent.com Wed Aug 28 18:07:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DF39144155 + for ; Wed, 28 Aug 2002 13:07:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:07:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SGxkZ01730 for ; + Wed, 28 Aug 2002 17:59:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6D0B929421A; Wed, 28 Aug 2002 09:57:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 950BB29421A for ; + Wed, 28 Aug 2002 09:56:53 -0700 (PDT) +Received: from maya.dyndns.org (ts5-044.ptrb.interhop.net + [165.154.190.108]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7SGWeV29536; Wed, 28 Aug 2002 12:32:41 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id E85451C388; + Wed, 28 Aug 2002 12:57:04 -0400 (EDT) +To: "Russell Turpin" +Cc: fork@example.com +Subject: Re: Canadians +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 12:57:04 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +>>>>> "R" == Russell Turpin writes: + + R> Things aren't all that bad. I remember Vancouver as having a + R> broad variety of good, local eateries. And Toronto as having a + R> variety of good, local strip joints. ;-) + +I haven't been to Van in years, but I do know that in Toronto, outside +of the small deeply ethnic neighbourhoods, if you stray more than 50 +feet from Wellesley and Jarvis or Queen and Spadina, you're in +doughnutland; there's far more like the eateries in the Eaton Centre +than there are quaint cafes like McCaul north of Dundas, and the rare +little eateries are not brimming with lunchtime traffic (you can still +find a seat at noon at Village by the Grange) + +When most of Toronto does not live in those neighbourhoods but instead +lives in Scarborough, Malton, Mississauga and Markham (franchisevilles), you +will quickly see that one or two trendy strips does not save an entire +nation. + + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0405.ef8e0986c113ddf12faa7c1a05ace625 b/machine-learning-ex6/ex6/easy_ham/0405.ef8e0986c113ddf12faa7c1a05ace625 new file mode 100644 index 0000000..6c6b2d7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0405.ef8e0986c113ddf12faa7c1a05ace625 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Wed Aug 28 18:07:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE58744156 + for ; Wed, 28 Aug 2002 13:07:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:07:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SH4cZ01940 for ; + Wed, 28 Aug 2002 18:04:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 53FDD29421E; Wed, 28 Aug 2002 09:59:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 5ACFA29421D for ; + Wed, 28 Aug 2002 09:58:23 -0700 (PDT) +Received: from maya.dyndns.org (ts5-044.ptrb.interhop.net + [165.154.190.108]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7SGY4V29693; Wed, 28 Aug 2002 12:34:04 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 3A3B21C38C; + Wed, 28 Aug 2002 12:58:27 -0400 (EDT) +To: harley@argote.ch (Robert Harley) +Cc: fork@example.com +Subject: Re: Java is for kiddies +References: <20020828164409.8826AC44D@argote.ch> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 12:58:26 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +>>>>> "R" == Robert Harley writes: + + R> Depends who writes it. One guy will write a bug every 5 lines, + R> another every 5000 lines. Put them both on a project and that + R> will average out to a bug every 4.995 lines. + +And a Java program, due to the extensive class libraries, will weigh +in at 10% the number of lines of the equivalent C program. QED. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0406.9f6672caace4903c3d6180f2e95a3153 b/machine-learning-ex6/ex6/easy_ham/0406.9f6672caace4903c3d6180f2e95a3153 new file mode 100644 index 0000000..41a755d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0406.9f6672caace4903c3d6180f2e95a3153 @@ -0,0 +1,59 @@ +From fork-admin@xent.com Wed Aug 28 18:07:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5108144157 + for ; Wed, 28 Aug 2002 13:07:13 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:07:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SH8TZ02179 for ; + Wed, 28 Aug 2002 18:08:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA10D294226; Wed, 28 Aug 2002 09:59:17 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 38F5B29421D for ; Wed, 28 Aug 2002 09:58:44 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 34E98C44D; + Wed, 28 Aug 2002 18:51:32 +0200 (CEST) +To: fork@example.com +Subject: Re: The GOv gets tough on Net Users.....er Pirates.. +Message-Id: <20020828165132.34E98C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 18:51:32 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Mike Masnick wrote: +>Why is it that people don't understand that giving stuff away is a +>perfectly acceptable tactic in capitalist businesses? In many places, it's +>called "advertising": "buy one, get one free" + +I'll just take the free one, OK? + +No? + +Oh, so actually it's not free at all; you're just bundling, with a unit +price half of what's advertised. + +How about some truth in that advertising? + +R + diff --git a/machine-learning-ex6/ex6/easy_ham/0407.3436b9e83d36200b38a97b7fa179b6aa b/machine-learning-ex6/ex6/easy_ham/0407.3436b9e83d36200b38a97b7fa179b6aa new file mode 100644 index 0000000..c5ee2ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0407.3436b9e83d36200b38a97b7fa179b6aa @@ -0,0 +1,62 @@ +From fork-admin@xent.com Wed Aug 28 18:17:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7157043F99 + for ; Wed, 28 Aug 2002 13:17:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:17:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SHBYZ02287 for ; + Wed, 28 Aug 2002 18:11:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 95A6A294224; Wed, 28 Aug 2002 10:07:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id DEE3229421D for ; Wed, 28 Aug 2002 10:06:49 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id B53E9C44D; + Wed, 28 Aug 2002 18:59:37 +0200 (CEST) +To: fork@example.com +Subject: Re: Java is for kiddies +Message-Id: <20020828165937.B53E9C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 18:59:37 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +GLM wrote: +>And a Java program, due to the extensive class libraries, will weigh +>in at 10% the number of lines of the equivalent C program. QED. + +Quod erat not demonstrandum at all. + +There are massive amounts of libraries for C, Fortran and so on. +To pick an obvious example., if you want to do linear algebra, then +Java isn't a serious candidate at all. + +Furthermore, plenty of bugs occur in the libraries too, at a lower +rate due to more users having been bitten by them, but they are much +harder for you to fix than in your own code. + +Why do so many people outside of Sun's marketing department consider +Java to be "Write Once, Debug Everywhere" ? + +R + diff --git a/machine-learning-ex6/ex6/easy_ham/0408.3e476c9b90944c3b5fccdb2055bce897 b/machine-learning-ex6/ex6/easy_ham/0408.3e476c9b90944c3b5fccdb2055bce897 new file mode 100644 index 0000000..72d3e7b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0408.3e476c9b90944c3b5fccdb2055bce897 @@ -0,0 +1,85 @@ +From fork-admin@xent.com Wed Aug 28 18:28:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A52A143F99 + for ; Wed, 28 Aug 2002 13:28:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:28:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SHLxZ02684 for ; + Wed, 28 Aug 2002 18:22:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 631EE29422C; Wed, 28 Aug 2002 10:19:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 81DA529409A for ; + Wed, 28 Aug 2002 10:18:35 -0700 (PDT) +Received: (qmail 53311 invoked by uid 19621); 28 Aug 2002 17:20:03 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 17:20:03 -0000 +Subject: Re: Java is for kiddies +From: James Rogers +To: fork@example.com +In-Reply-To: <3D6BA1A1.90306@barrera.org> +References: + <3D6BA1A1.90306@barrera.org> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1030556128.7585.29.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 10:35:27 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +On Tue, 2002-08-27 at 08:58, Joseph S. Barrera III wrote: +> +> C is more reliable than Java?? + + +Both are reliable. "Reliability" is more a function of the software +engineer. I've written complicated mission-critical server software in +Java that will run without a hiccup as long as the Unix box it is +sitting on is running. Same with C. For processes that are running +months at a time, and in my case constantly touching databases and doing +lots of low-level network stuff, reliability is obtained by making sure +every conceivable problem (and problems you didn't conceive of) recovers +to a clean/safe process state so that things keep running i.e. it is a +design/programming issue. + +That said, we usually prototype serious systems in Java and then +re-implement them in C if we have time. Java doesn't scale well as a +language for server apps, though not for the reasons usually offered. +The problem is that for high-end server apps, you really need fairly +detailed and low-level control of system resources to get around +bottlenecks that show up relatively quickly in languages that don't give +you access to it. You can squeeze several times the performance out of +a C server program than a Java one simply by being able to finely tune +(or more frequently, bypass) the system resource management. +Nonetheless, this is not a significant factor for most applications you +could conceivably develop in either language, as most aren't limited by +raw performance scalability. + + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0409.7fdf4f0f8aad0b0ad4654b10afae9225 b/machine-learning-ex6/ex6/easy_ham/0409.7fdf4f0f8aad0b0ad4654b10afae9225 new file mode 100644 index 0000000..93b24b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0409.7fdf4f0f8aad0b0ad4654b10afae9225 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Wed Aug 28 18:38:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0AAF744155 + for ; Wed, 28 Aug 2002 13:38:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:38:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SHbmZ03288 for ; + Wed, 28 Aug 2002 18:37:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6058729422F; Wed, 28 Aug 2002 10:35:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id AED9329409A for ; + Wed, 28 Aug 2002 10:34:28 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g7SHaGT09111 for + ; Wed, 28 Aug 2002 10:36:16 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: RE: Gecko adhesion finally sussed. +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <200208270124.00426.eh@mad.scientist.com> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 10:34:04 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +Great, this is half of what I'd need to become Spider Man! Now all I need to +figure out is how to do that spider web shooting thing. + +- Jim + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +> Eirikur Hallgrimsson +> Sent: Monday, August 26, 2002 10:24 PM +> To: FoRK +> Subject: Gecko adhesion finally sussed. +> +> +> (Via Robot Wisdom) Maybe you UC folk know these people? +> +> http://www.eurekalert.org/pub_releases/2002-08/lcc-sph082202.php +> +> Working at Lewis & Clark College, the University of California at +> Berkeley, +> the University of California at Santa Barbara, and Stanford University, +> the interdisciplinary team: +> +> * confirmed speculation that the gecko's amazing climbing ability +> depends on weak molecular attractive forces called van der Waals forces, +> +> * rejected a competing model based on the adhesion chemistry of water +> molecules, and +> +> * discovered that the gecko's adhesive depends on geometry, not surface +> chemistry. In other words, the size and shape of the tips of gecko foot +> hairs--not what they are made of--determine the gecko's stickiness. +> +> To verify its experimental and theoretical results, the gecko group then +> used its new data to fabricate prototype synthetic foot-hair tips +> from two +> different materials. +> +> "Both artificial setal tips stuck as predicted," notes Autumn, assistant +> professor of biology at Lewis & Clark College in Portland, Ore. "Our +> initial prototypes open the door to manufacturing the first biologically +> inspired dry, adhesive microstructures, which can have widespread +> applications." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0410.a5e658e20b48409116fd339f5a8473f7 b/machine-learning-ex6/ex6/easy_ham/0410.a5e658e20b48409116fd339f5a8473f7 new file mode 100644 index 0000000..4ce6beb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0410.a5e658e20b48409116fd339f5a8473f7 @@ -0,0 +1,85 @@ +From fork-admin@xent.com Wed Aug 28 18:49:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A716744156 + for ; Wed, 28 Aug 2002 13:49:13 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:49:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SHmKZ03633 for ; + Wed, 28 Aug 2002 18:48:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D7126294236; Wed, 28 Aug 2002 10:42:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 45E04294235 for ; + Wed, 28 Aug 2002 10:41:43 -0700 (PDT) +Received: (qmail 54312 invoked by uid 19621); 28 Aug 2002 17:43:11 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 17:43:11 -0000 +Subject: Re: Java is for kiddies +From: James Rogers +To: fork@example.com +In-Reply-To: +References: <20020828164409.8826AC44D@argote.ch> + +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1030557516.7585.53.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 10:58:35 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Wed, 2002-08-28 at 09:58, Gary Lawrence Murphy wrote: +> +> And a Java program, due to the extensive class libraries, will weigh +> in at 10% the number of lines of the equivalent C program. QED. + + +My typical Java-to-C conversion doesn't increase the lines of code by +more than 20%, and a fair portion of that is the implementation of +additional features that drove us to do the conversion in the first +place. Some things are substantially more succinct when written in C +than in Java. C and most other mature languages have an endless +collection of libraries. I personally don't use anything beyond the +core libraries of any language that much though. + +On a tangent, I find libraries nearly useless for a great many things +due primarily to the fact that most of them are so general that a given +non-trivial API almost always has a context in which it will function in +a pathological manner. Code reuse is wonderful and all that, but +libraries frequently make design trade-offs that won't work for me even +if they theoretically do exactly what I need. Unfortunately, it isn't +particularly easy nor does it make a nice simple API to design a library +that really is optimizable to a wide range of design cases. I've built +a small collection of flexible psuedo-polymorphic APIs over the years +that I tend to use, but it is a pretty ugly solution for code reuse when +you get right down to it. + + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0411.315b5c32101916ae2192760585b71763 b/machine-learning-ex6/ex6/easy_ham/0411.315b5c32101916ae2192760585b71763 new file mode 100644 index 0000000..16504a3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0411.315b5c32101916ae2192760585b71763 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Wed Aug 28 18:49:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D8EC444155 + for ; Wed, 28 Aug 2002 13:49:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:49:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SHhjZ03437 for ; + Wed, 28 Aug 2002 18:43:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E7B7F294232; Wed, 28 Aug 2002 10:41:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id 6152029409A for ; + Wed, 28 Aug 2002 10:40:51 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g7SHgeT10615 for + ; Wed, 28 Aug 2002 10:42:40 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Another low probability event +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 10:40:28 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +So, a new family moved in down the street, with two kids, making us very +excited that there might be a child around the same age (20 months) as our +daughter Tatum. While we're talking to the family, we discover that their +daughter Kiara was born the same day as Tatum, within two hours, in the same +exact maternity ward. Both mothers were undoubtedly in labor at the same +time. + +Wow. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0412.a141da0849f5295c2a6230fd3ed9647c b/machine-learning-ex6/ex6/easy_ham/0412.a141da0849f5295c2a6230fd3ed9647c new file mode 100644 index 0000000..ff5b506 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0412.a141da0849f5295c2a6230fd3ed9647c @@ -0,0 +1,77 @@ +From fork-admin@xent.com Thu Aug 29 11:03:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5E92E43F9B + for ; Thu, 29 Aug 2002 06:03:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SIfpZ05766 for ; + Wed, 28 Aug 2002 19:41:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7AB33294235; Wed, 28 Aug 2002 11:39:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp10.atl.mindspring.net (smtp10.atl.mindspring.net + [207.69.200.246]) by xent.com (Postfix) with ESMTP id C798F29409A for + ; Wed, 28 Aug 2002 11:38:18 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + smtp10.atl.mindspring.net with esmtp (Exim 3.33 #1) id 17k7jk-00025x-00; + Wed, 28 Aug 2002 14:40:16 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: "Jim Whitehead" , "FoRK" +From: "R. A. Hettinga" +Subject: RE: Gecko adhesion finally sussed. +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 13:43:03 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=EMAIL_ATTRIBUTION,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +At 10:34 AM -0700 on 8/28/02, Jim Whitehead wrote: + + +> Great, this is half of what I'd need to become Spider Man! Now all I need to +> figure out is how to do that spider web shooting thing. + +...That and be able to stick yourself upside down on a 20 foot ceiling from +a standing jump... + +I remember someone recently doing the calculations in kilocalories required +to be spiderman somewhere. Kind of like those flaming processor "analyses" +done a couple of years ago... + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + diff --git a/machine-learning-ex6/ex6/easy_ham/0413.c4ecec1b9ca5e6bd1fd9bc7fa6c29b2d b/machine-learning-ex6/ex6/easy_ham/0413.c4ecec1b9ca5e6bd1fd9bc7fa6c29b2d new file mode 100644 index 0000000..a256049 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0413.c4ecec1b9ca5e6bd1fd9bc7fa6c29b2d @@ -0,0 +1,129 @@ +Replied: Thu, 29 Aug 2002 11:24:44 +0100 +Replied: Gary Lawrence Murphy +Replied: harley@argote.ch (Robert Harley) +Replied: fork@example.com +From fork-admin@xent.com Thu Aug 29 11:03:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 55F2C44156 + for ; Thu, 29 Aug 2002 06:03:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SJIkZ07106 for ; + Wed, 28 Aug 2002 20:18:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4B6B129423C; Wed, 28 Aug 2002 12:16:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 7200129423B for ; + Wed, 28 Aug 2002 12:15:20 -0700 (PDT) +Received: from maya.dyndns.org (ts5-015.ptrb.interhop.net + [165.154.190.79]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7SIp0V22231; Wed, 28 Aug 2002 14:51:01 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 643D01C388; + Wed, 28 Aug 2002 15:06:40 -0400 (EDT) +To: harley@argote.ch (Robert Harley) +Cc: fork@example.com +Subject: Re: Java is for kiddies +References: <20020828165937.B53E9C44D@argote.ch> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 15:06:39 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +>>>>> "R" == Robert Harley writes: + + R> GLM wrote: + >> And a Java program, due to the extensive class libraries, will + >> weigh in at 10% the number of lines of the equivalent C + >> program. QED. + + R> There are massive amounts of libraries for C, Fortran and so + R> on. To pick an obvious example., if you want to do linear + R> algebra, then Java isn't a serious candidate at all. + +If you want to do http, C gets pretty muddy (curl is about the best +choice I've found) but I grant you that: No language is the be-all and +end-all. + +I envy some of those posting to this list. I've been in business for +24 years and I haven't yet had the luxury of writing every line of +code for any project. We are always coerced by budgets and time to +maximize the amount of work done elsewhere. + +As much as I hate dealing with someone else's blackbox, as much as +I've spent sleepless nights second-guessing external libs, I've never +ever had the luxury to do otherwise. It must be wonderful to be +responsible for something you are actually responsible for, and I am +so sick of being blamed for other people's design mistakes. + +Maybe there's an archive somewhere I need to know about, but I've been +using C since DrDobbs first published SmallC and yet I've never found +any decent LGPL libs cataloged in such a way that I can just type in +the task and get back an API. Because of Javadoc, which is by no +means perfect, Java provides me the second best catalog of 3rd-party +libs, second only to Perl's CPAN -- Perl is one language I also really +hate with a passion, yet end up using the most for exactly this reason. + +For example, take the recent CBC Olympics site: I needed to roll +together a telnet client with a tokenizer, perl-regex preprocessing a +stream to produce parseable XML, project that XML into relational +databases using only the DTD to generate the rdbms schema, and open an +XMLRPC interface to read and post items into the news stream. Where +can I find C libs for those components? + +On the webserver, we then needed a multithreaded read-only http socket +which can spawn persistent data-caching servlets that periodically +refresh themselves over socket connections to the relational database, +presenting the retreived values through XSLT-defined transforms, and +again, where can I find such stuff for C ... or for any other langauge +but Java? Wombat (servlet spec for Perl) was inviting, but it's not +ready for prime-time, and re-inventing that entire shopping list in C +is just not feasible for one programmer to do inside of 8 weeks. + +When you need C libs, or even C++ libs, where's the best place to shop? +Where do you find standards-based portable RDBMS API? (ODBC?) How do +you evaluate these things without actually fetching every one and +trying it out? + +In a perfect universe, I'd use Ocaml or even Ruby, but I don't see the +social infrastructure for either happening during my professional +lifetime. + + R> Why do so many people outside of Sun's marketing department + R> consider Java to be "Write Once, Debug Everywhere" ? + +A collegue at Cognos (Henk?) called C "the nearly-portable assembler" + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0414.06408c603660212989180dd086b0f460 b/machine-learning-ex6/ex6/easy_ham/0414.06408c603660212989180dd086b0f460 new file mode 100644 index 0000000..a0d25cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0414.06408c603660212989180dd086b0f460 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Thu Aug 29 11:03:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DB50544158 + for ; Thu, 29 Aug 2002 06:03:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SK5jZ08648 for ; + Wed, 28 Aug 2002 21:05:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A9BAE2940ED; Wed, 28 Aug 2002 13:03:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id 88BCC2940E4 for ; + Wed, 28 Aug 2002 13:02:22 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g7SK48T11280 for + ; Wed, 28 Aug 2002 13:04:08 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: RIAA site hacked overnight +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 13:01:54 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +First seen on Dave Winer's Scrpiting News (www.scripting.com) Details here: + +http://www.digichapman.com/index.php?permalink=67 + +- Jim + diff --git a/machine-learning-ex6/ex6/easy_ham/0415.6dfea45b8aef7d6ef6a462974d61ce3e b/machine-learning-ex6/ex6/easy_ham/0415.6dfea45b8aef7d6ef6a462974d61ce3e new file mode 100644 index 0000000..dd9865c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0415.6dfea45b8aef7d6ef6a462974d61ce3e @@ -0,0 +1,65 @@ +From fork-admin@xent.com Thu Aug 29 11:04:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A13754415A + for ; Thu, 29 Aug 2002 06:03:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7T0giZ21358 for ; + Thu, 29 Aug 2002 01:42:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4D72F2940A9; Wed, 28 Aug 2002 17:40:12 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id 41C212940A5 for ; + Wed, 28 Aug 2002 17:39:26 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020829004128.SNIW11061.sccrmhc01.attbi.com@Intellistation> for + ; Thu, 29 Aug 2002 00:41:28 +0000 +Content-Type: text/plain; charset="us-ascii" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK +Subject: "Holiday Season" 2002 begins +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208282039.25043.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 20:39:25 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT, + USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +It's official, the holidays are here. I got HTML mail from one of the +little catalogs I've been known to purchase from....basically the front +page of their first holiday catalog. + +Must have been released simultaneously with mailing for a delivery target +of just after Labor Day. + +Ick. + +Eirikur + + diff --git a/machine-learning-ex6/ex6/easy_ham/0416.6071df16fc9f7c45f65163f5b10a16d2 b/machine-learning-ex6/ex6/easy_ham/0416.6071df16fc9f7c45f65163f5b10a16d2 new file mode 100644 index 0000000..ea4b681 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0416.6071df16fc9f7c45f65163f5b10a16d2 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Thu Aug 29 11:04:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A04C543F99 + for ; Thu, 29 Aug 2002 06:03:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SM2mZ11821 for ; + Wed, 28 Aug 2002 23:02:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 70E2C2940AC; Wed, 28 Aug 2002 15:00:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id BDE2F2940A5 for ; + Wed, 28 Aug 2002 14:59:09 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g7SLxET06253; Wed, + 28 Aug 2002 14:59:15 -0700 (PDT) +From: "Jim Whitehead" +To: "Gary Lawrence Murphy" +Cc: +Subject: RE: Java is for kiddies +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 14:57:00 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +> For example, take the recent CBC Olympics site: I needed to roll +> together a telnet client with a tokenizer, perl-regex preprocessing a +> stream to produce parseable XML, project that XML into relational +> databases using only the DTD to generate the rdbms schema, and open an +> XMLRPC interface to read and post items into the news stream. Where +> can I find C libs for those components? + +You open sourced the new components you developed for this project, so the +next person who comes along won't have to reimplement them, right? + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0417.74bf147587a49c58a67490c0211f7928 b/machine-learning-ex6/ex6/easy_ham/0417.74bf147587a49c58a67490c0211f7928 new file mode 100644 index 0000000..8abf817 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0417.74bf147587a49c58a67490c0211f7928 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Thu Aug 29 11:04:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5B3624415B + for ; Thu, 29 Aug 2002 06:03:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7T1KjZ22489 for ; + Thu, 29 Aug 2002 02:20:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0305A29418F; Wed, 28 Aug 2002 18:18:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav26.law15.hotmail.com [64.4.22.83]) by + xent.com (Postfix) with ESMTP id 5709E2940AD for ; + Wed, 28 Aug 2002 18:17:12 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 28 Aug 2002 18:19:15 -0700 +X-Originating-Ip: [63.224.51.161] +From: "Mr. FoRK" +To: "FoRK" +References: +Subject: Re: Another low probability event +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Message-Id: +X-Originalarrivaltime: 29 Aug 2002 01:19:15.0803 (UTC) FILETIME=[173672B0:01C24EFA] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 18:18:53 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +We met a family in our parent-baby group with a son born a few minutes +before our daughter - not unlikely as all members were from the same +hospital. But, this family happened to have lived in the exact same +apartment unit a year before we had... + +----- Original Message ----- +From: "Jim Whitehead" +To: "FoRK" +Sent: Wednesday, August 28, 2002 10:40 AM +Subject: Another low probability event + + +> So, a new family moved in down the street, with two kids, making us very +> excited that there might be a child around the same age (20 months) as our +> daughter Tatum. While we're talking to the family, we discover that their +> daughter Kiara was born the same day as Tatum, within two hours, in the +same +> exact maternity ward. Both mothers were undoubtedly in labor at the same +> time. +> +> Wow. +> +> - Jim +> + diff --git a/machine-learning-ex6/ex6/easy_ham/0418.c0b6aa880f0653a8cef85a9bfb1af86c b/machine-learning-ex6/ex6/easy_ham/0418.c0b6aa880f0653a8cef85a9bfb1af86c new file mode 100644 index 0000000..1e320af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0418.c0b6aa880f0653a8cef85a9bfb1af86c @@ -0,0 +1,74 @@ +From fork-admin@xent.com Thu Aug 29 11:04:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A67884415C + for ; Thu, 29 Aug 2002 06:03:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7T2DpZ23960 for ; + Thu, 29 Aug 2002 03:13:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 21B3D2941C7; Wed, 28 Aug 2002 19:11:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 93618294099 for ; + Wed, 28 Aug 2002 19:10:45 -0700 (PDT) +Received: from maya.dyndns.org (ts5-016.ptrb.interhop.net + [165.154.190.80]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7T1kLU16275; Wed, 28 Aug 2002 21:46:21 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 062961C388; + Wed, 28 Aug 2002 21:52:11 -0400 (EDT) +To: "Jim Whitehead" +Cc: +Subject: Re: Java is for kiddies +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Aug 2002 21:52:11 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +>>>>> "J" == Jim Whitehead writes: + + J> You open sourced the new components you developed for this + J> project, so the next person who comes along won't have to + J> reimplement them, right? + +No need: All those components already exist either in the Java +class libraries or from the various java jar collections. Most +of the classes I used came from the Jakarta project and ApacheXML + +But if it's any consolation, my threading of them all together into +a newswire server /is/ GPL and available on sourceforge. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0419.baeaada19ebce19874d17d5ef73ced0d b/machine-learning-ex6/ex6/easy_ham/0419.baeaada19ebce19874d17d5ef73ced0d new file mode 100644 index 0000000..218260c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0419.baeaada19ebce19874d17d5ef73ced0d @@ -0,0 +1,61 @@ +From fork-admin@xent.com Thu Aug 29 11:04:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 766AF44159 + for ; Thu, 29 Aug 2002 06:03:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7T42lZ28532 for ; + Thu, 29 Aug 2002 05:02:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EBF752940A5; Wed, 28 Aug 2002 21:00:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [63.145.31.2]) by xent.com (Postfix) + with ESMTP id 8E53B294099 for ; Wed, 28 Aug 2002 20:59:05 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Thu, 29 Aug 2002 04:00:33 -08:00 +Message-Id: <3D6D9C61.3020108@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: "Holiday Season" 2002 begins +References: <200208282039.25043.eh@mad.scientist.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 21:00:33 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Eirikur Hallgrimsson wrote: +> It's official, the holidays are here. + +For which year, 2003 or 2004? + +- Joe + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0420.be62f32c2be92df5f22deacf5c399407 b/machine-learning-ex6/ex6/easy_ham/0420.be62f32c2be92df5f22deacf5c399407 new file mode 100644 index 0000000..e0bdd1e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0420.be62f32c2be92df5f22deacf5c399407 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Thu Aug 29 11:04:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 394F244155 + for ; Thu, 29 Aug 2002 06:03:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7T81lZ04029 for ; + Thu, 29 Aug 2002 09:01:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8C1972940AD; Thu, 29 Aug 2002 00:59:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc52.attbi.com (rwcrmhc52.attbi.com [216.148.227.88]) + by xent.com (Postfix) with ESMTP id 22429294099 for ; + Thu, 29 Aug 2002 00:58:02 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc52.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020829080009.BFJC1186.rwcrmhc52.attbi.com@Intellistation> for + ; Thu, 29 Aug 2002 08:00:09 +0000 +Content-Type: text/plain; charset="us-ascii" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK +Subject: Internet saturation (but not in Iceland) +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208290358.03815.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 03:58:03 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.4 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_01_02,TO_LOCALPART_EQ_REAL,USER_AGENT, + USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +Gary's news service at teledyn.com has an article on Internet Saturation. + +Let me ask you....If you were on a rock in the middle of the Atlantic, +mostly in the dark for half the year, wouldn't *you* like a bit of +internet distraction? They've already done the obvious and fiber-ringed +the island. + +Eirikur + +-------- + +Latest guestimate stats from Ireland's NUA show a flattening Internet +population growth. It seems there's two kinds of people, those who will go +online with the status quo, and those who won't: Canada levels out at 53%, +the USA at 59% (since 2000!), Denmark flatlines at 60%, Norway at 54%, +Sweden at 64%, and the UK at 55% ... only Iceland continues unfettered +beyond 60%. Could this be evidence of a usability barrier? If so, it's a +clear signal that there's as much fortune to be gained from a +substantially new Internet interface than all that has been gained so far. +Latest guestimate stats from Ireland's NUA show a flattening Internet +population growth. It seems there's two kinds of people, those who will go +online with the status quo, and those who won't: Canada levels out at 53%, +the USA at 59% (since 2000!), Denmark flatlines at 60%, Norway at 54%, +Sweden at 64%, and the UK at 55% ... only Iceland continues unfettered +beyond 60%. Could this be evidence of a usability barrier? If so, it's a +clear signal that there's as much fortune to be gained from a +substantially new Internet interface than all that has been gained so far. + +http://www.nua.ie/surveys/how_many_online/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0421.4df8b9eebae5cbf2d5213e2040d21c9e b/machine-learning-ex6/ex6/easy_ham/0421.4df8b9eebae5cbf2d5213e2040d21c9e new file mode 100644 index 0000000..3ff909d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0421.4df8b9eebae5cbf2d5213e2040d21c9e @@ -0,0 +1,91 @@ +From fork-admin@xent.com Thu Aug 29 11:27:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 074EC43F99 + for ; Thu, 29 Aug 2002 06:27:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:27:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TASnZ08263 for ; + Thu, 29 Aug 2002 11:28:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A1BF2940C4; Thu, 29 Aug 2002 03:26:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mandark.labs.netnoteinc.com (unknown [212.2.188.179]) by + xent.com (Postfix) with ESMTP id 00B5C294099 for ; + Thu, 29 Aug 2002 03:25:11 -0700 (PDT) +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7TARC502451; Thu, 29 Aug 2002 11:27:12 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 93A1F43F99; Thu, 29 Aug 2002 06:24:44 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8EA5933D8D; + Thu, 29 Aug 2002 11:24:44 +0100 (IST) +To: Gary Lawrence Murphy +Cc: harley@argote.ch (Robert Harley), fork@example.com +Subject: Re: Java is for kiddies +In-Reply-To: Message from Gary Lawrence Murphy of + "28 Aug 2002 15:06:39 EDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020829102444.93A1F43F99@phobos.labs.netnoteinc.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 11:24:39 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-28.3 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + + +Gary Lawrence Murphy said: + +> I envy some of those posting to this list. I've been in business for +> 24 years and I haven't yet had the luxury of writing every line of +> code for any project. We are always coerced by budgets and time to +> maximize the amount of work done elsewhere. + +For consultancy, integration or open source work, sure, perl, python or +java with free use of external libs makes a lot of sense IMO. + +I should note that normally when I've used C or C++ in the past, it's +dictated by the fact that I would be working on a commercial product, +written from the ground up, where the code you're generating is important +IP for the company; in this case, using a third-party lib often is not an +option, or would be a PITA licensing-wise. + +Also, cutting out third-party dependencies can reduce the risk of "oops, +there goes the company that makes that library I depend on, now to shop +around for something vaguely similar, figure out what bugs it's got, +rewrite my code to use the new API, and hope for the best". + +This can be a *very* big deal, for obvious reasons ;) Open source +knockers should note that this is not a problem when using LGPL'd libs ;) + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/0422.cf8753c2ab03fedf1c9a2d8fb1c1578f b/machine-learning-ex6/ex6/easy_ham/0422.cf8753c2ab03fedf1c9a2d8fb1c1578f new file mode 100644 index 0000000..b92b33f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0422.cf8753c2ab03fedf1c9a2d8fb1c1578f @@ -0,0 +1,78 @@ +From fork-admin@xent.com Thu Aug 29 11:37:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7FCA444155 + for ; Thu, 29 Aug 2002 06:37:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:37:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TAXiZ08357 for ; + Thu, 29 Aug 2002 11:33:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 69282294191; Thu, 29 Aug 2002 03:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mandark.labs.netnoteinc.com (unknown [212.2.188.179]) by + xent.com (Postfix) with ESMTP id 6F3EF294109 for ; + Thu, 29 Aug 2002 03:27:38 -0700 (PDT) +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7TATZ502455; Thu, 29 Aug 2002 11:29:35 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 23F6343F99; Thu, 29 Aug 2002 06:27:08 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1E5D533D8D; + Thu, 29 Aug 2002 11:27:08 +0100 (IST) +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Internet saturation (but not in Iceland) +In-Reply-To: Message from Eirikur Hallgrimsson of + "Thu, 29 Aug 2002 03:58:03 EDT." + <200208290358.03815.eh@mad.scientist.com> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020829102708.23F6343F99@phobos.labs.netnoteinc.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 11:27:03 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-28.3 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + + +Eirikur Hallgrimsson said: + +> Let me ask you....If you were on a rock in the middle of the Atlantic, +> mostly in the dark for half the year, wouldn't *you* like a bit of +> internet distraction? They've already done the obvious and fiber-ringed +> the island. + +BTW did they do the same as they did in Ireland, namely: spend millions +burying copious miles of dark fibre, then neglect to provide any way of +actually hooking it up to any ISPs? ;) + +--j. (frustrated) + diff --git a/machine-learning-ex6/ex6/easy_ham/0423.353c3de8f5c7114179771f9b44e70b9e b/machine-learning-ex6/ex6/easy_ham/0423.353c3de8f5c7114179771f9b44e70b9e new file mode 100644 index 0000000..371eeba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0423.353c3de8f5c7114179771f9b44e70b9e @@ -0,0 +1,123 @@ +From fork-admin@xent.com Thu Aug 29 16:12:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B817843F9B + for ; Thu, 29 Aug 2002 11:12:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:12:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TF4pZ17337 for ; + Thu, 29 Aug 2002 16:04:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3C5E92940E8; Thu, 29 Aug 2002 08:02:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 907C8294099 for + ; Thu, 29 Aug 2002 08:01:13 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17kQmZ-0001bn-00; Thu, 29 Aug 2002 12:00:27 -0300 +Message-Id: <3D6E3883.8090500@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Geege +Cc: fork@example.com +Subject: Re: Rambus, Man +References: <200208262039.NAA20810@stories2.idg.net> +Content-Type: multipart/related; + boundary="------------090602010909000705010009" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 12:06:43 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.8 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + + +--------------090602010909000705010009 +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit + +Geege wrote: + +>This message was sent to you from http://www.idg.net +> +>Geege would like you to read the story below: +> +>http://www.idg.net/gomail.cgi?id=940026 +> +>Title: +>A first look at the 2.8-GHz Pentium 4 +> +>Summary: +>Latest Rambus memory plus fast bus appear to give Intel's newest P4 the jolt it needs. +> +>Geege attached the following message: +>------------------------------------------------------------ +>ha ha ha harley. rambus earns it. +>------------------------------------------------------------ +> +>Stay on top of the world of Information Technology with your own +>FREE subscription to our specialized newsletters. Subscribe now +>at http://www.idg.net/subscribe +> +> +>7132 +> +> +> +The overclockers have given it another jolt, perhaps to potential sales +(and maybe sales of liquid nitrogen): + +via slashdot +Owen + +http://www.muropaketti.com/artikkelit/cpu/nw2800/index3.phtml +*Päivämäärä:* 26.8.2002 +*Artikkeli:* Intel Northwood 2,8GHz +*Tekijä:* Sampsa Kurri + + + + +*English Summary* + +When the Intel Pentium 4 2,8GHz CPU arrived to our testlab we ordered 10 +liters of Liquid Nitrogen (LN2 -196°C) and decided to run some tests in +very low temperatures. + +After some adjusting and testing we were able to run SiSoft Sandra CPU +and Memory benchmarks and Pifast benchmark smoothly when the CPU was +running at 3917MHz. We raised the FSB one more step and managed to run +succesfully SuperPi benchmark while CPU was running at 3998MHz. The +result was 39 seconds. + +Test setup: P4 2,8GHz, Modified Asus P4T533-C, Samsung PC800 RDRAM, PNY +GeForce 4 MX440 and Windows XP OS. + +Check out the pictures. + + + + +--------------090602010909000705010009-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0424.607e8523fa3516a6dc513c8a20682fc3 b/machine-learning-ex6/ex6/easy_ham/0424.607e8523fa3516a6dc513c8a20682fc3 new file mode 100644 index 0000000..5f9cae4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0424.607e8523fa3516a6dc513c8a20682fc3 @@ -0,0 +1,88 @@ +From fork-admin@xent.com Mon Sep 2 13:13:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8512B47C86 + for ; Mon, 2 Sep 2002 07:46:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:46:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8200sZ09145 for ; + Mon, 2 Sep 2002 01:00:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A51A2940BB; Sun, 1 Sep 2002 16:58:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id BF835294099 for ; + Sun, 1 Sep 2002 16:57:08 -0700 (PDT) +Received: (qmail 2826 invoked by uid 1111); 1 Sep 2002 23:59:24 -0000 +From: "Adam L. Beberg" +To: Bill Stoddard +Cc: "Fork@Xent.Com" +Subject: RE: Gasp! +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 16:59:24 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sun, 1 Sep 2002, Bill Stoddard wrote: + +> > +> > "Red Hat Linux Advanced Server provides many high end features such as: +> > Support for Asynchronous I/O. Now read I/O no longer needs to stall your +> > application while waiting for completion." +> +> Can you provide a reference? I could find it myself but I'm too lazy. + +Well, i saw it on the Compaq Testdrive site, then had to seriously dig on +the redhat site... It's in one of their whitepapers... +http://www.redhat.com/pdf/as/as_rasm.pdf + + +> > Could it be? After 20 years without this feature UNIX finally +> > catches up to +> > Windows and has I/O that doesnt totally suck for nontrivial apps? No way! +> +> Do /dev/poll and FreeBSD's KQ event driven APIs count? IMHO, true async +> io as implemented by Windows 4.0 and beyond is pretty slick, but the +> programming model is substantially more complex than programming to an +> event API like /dev/poll. And true async does not buy much if the +> system call overhead is low (as it is with Linux). + +I havent used the FBSD poll, as it's not portable, select and poll(still not +100%) are all that exist in the UNIX world. Redhat of course doesnt count as +portable either, but it's nice they are trying. The Windows I/O model does +definately blow the doors off the UNIX one, but then they had select to +point at in it's suckiness and anything would have been an improvement. UNIX +is just now looking at it's I/O model and adapting to a multiprocess +multithreaded world so it's gonna be years yet before a posix API comes out +of it. Bottom line is the "do stuff when something happens" model turned out +to be right, and the UNIX "look for something to do and keep looking till +you find it no matter how many times you have to look" is not really working +so great anymore. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0425.bc356b284544c185e4ac9e11f4ec1d4a b/machine-learning-ex6/ex6/easy_ham/0425.bc356b284544c185e4ac9e11f4ec1d4a new file mode 100644 index 0000000..ffde0f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0425.bc356b284544c185e4ac9e11f4ec1d4a @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 2 13:15:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B13D947C85 + for ; Mon, 2 Sep 2002 07:46:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:46:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g81NewZ08629 for ; + Mon, 2 Sep 2002 00:40:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0AF062940A2; Sun, 1 Sep 2002 16:38:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id 6DCFA294099 for ; + Sun, 1 Sep 2002 16:37:18 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + sccrmhc01.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020901233938.WYKD11061.sccrmhc01.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Sun, 1 Sep 2002 23:39:38 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <6464589899.20020901193917@magnesium.net> +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re: revocation of grlygrl201@ +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 19:39:17 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_THEBAT + version=2.40-cvs +X-Spam-Level: + + +Well Beberg, unless you're really into Anime and actually hold true +that dead people can send email, I think Geege's subject is just dandy. +Especially since she removed herself from the hive that is aol (and +placed herself unto another, but hey :-)) + +Geege: I think its cute when he worries like that, don't you? +:) + +*ducks and runs* + +(bonus FoRK points if Adam knows what anime i'm refering to) + +BB + + diff --git a/machine-learning-ex6/ex6/easy_ham/0426.9239b06238f5128c209bbdd252e0fb8f b/machine-learning-ex6/ex6/easy_ham/0426.9239b06238f5128c209bbdd252e0fb8f new file mode 100644 index 0000000..fb434e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0426.9239b06238f5128c209bbdd252e0fb8f @@ -0,0 +1,92 @@ +From fork-admin@xent.com Mon Sep 2 16:22:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 54EB744159 + for ; Mon, 2 Sep 2002 11:21:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:21:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8217rZ14223 for ; + Mon, 2 Sep 2002 02:07:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B2B372940B0; Sun, 1 Sep 2002 18:05:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imf07bis.bellsouth.net (mail307.mail.bellsouth.net + [205.152.58.167]) by xent.com (Postfix) with ESMTP id B20EC294099 for + ; Sun, 1 Sep 2002 18:04:21 -0700 (PDT) +Received: from regina ([68.154.230.7]) by imf07bis.bellsouth.net + (InterMail vM.5.01.04.19 201-253-122-122-119-20020516) with SMTP id + <20020902010819.PEKG29588.imf07bis.bellsouth.net@regina>; Sun, + 1 Sep 2002 21:08:19 -0400 +From: "Geege Schuman" +To: "Joseph S. Barrera III" , "FoRK" +Subject: RE: revocation of grlygrl201@ +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <3D72A81A.1010901@barrera.org> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 21:05:28 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +beberg, would you rather mrsrobinson@bellsouth.net? + +into plastics too, +schuman + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +Joseph S. Barrera III +Sent: Sunday, September 01, 2002 7:52 PM +To: FoRK +Subject: Re: revocation of grlygrl201@ + + +bitbitch@magnesium.net wrote: + > Well Beberg, unless you're really into Anime and actually hold true + > that dead people can send email, I think Geege's subject is just + > dandy. + +Funny you should mention that, as I just came back from refilling +the green coolant in my Navi. + + > (bonus FoRK points if Adam knows what anime i'm refering to) + +I guess I don't get any points, do I? No, didn't think so. + +- Joe + +P.S. We've just started watching Boogiepop Phantom... + +-- +The Combatant State is your father and your mother, your only +protector, the totality of your interests. No discipline can +be stern enough for the man who denies that by word or deed. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0427.0a5cdbfdb46be2bfac7cff1cae89dc25 b/machine-learning-ex6/ex6/easy_ham/0427.0a5cdbfdb46be2bfac7cff1cae89dc25 new file mode 100644 index 0000000..bc985b9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0427.0a5cdbfdb46be2bfac7cff1cae89dc25 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 2 16:22:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6B7D844156 + for ; Mon, 2 Sep 2002 11:21:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:21:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g823QqZ17868 for ; + Mon, 2 Sep 2002 04:26:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1B43229410A; Sun, 1 Sep 2002 20:24:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id DEF12294099 for + ; Sun, 1 Sep 2002 20:23:55 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 02 Sep 2002 01:10:39 -08:00 +Message-Id: <3D72BA8F.30303@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: FoRK +Subject: Re: Java is for kiddies +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 18:10:39 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Reza B'Far (eBuilt) wrote: + > problems.... Why do most computer scientists insist on solving the + > same problems over and over again when there are some many more + > important and interesting problems (high level) to be solved ????? + +Amen! + +Doing it in an (unecessarily) harder way does NOT make you more of a man +(or less of a kiddie). + +- Joe + +-- +The Combatant State is your father and your mother, your only +protector, the totality of your interests. No discipline can +be stern enough for the man who denies that by word or deed. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0428.de24142d3236bb96f3ef6542c7dd98e8 b/machine-learning-ex6/ex6/easy_ham/0428.de24142d3236bb96f3ef6542c7dd98e8 new file mode 100644 index 0000000..3c9e8f5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0428.de24142d3236bb96f3ef6542c7dd98e8 @@ -0,0 +1,185 @@ +From fork-admin@xent.com Mon Sep 2 16:22:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2955A44155 + for ; Mon, 2 Sep 2002 11:21:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:21:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g822fqZ16863 for ; + Mon, 2 Sep 2002 03:41:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 448352940EE; Sun, 1 Sep 2002 19:39:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 9A697294099 for ; + Sun, 1 Sep 2002 19:38:10 -0700 (PDT) +Received: (qmail 3351 invoked by uid 1111); 2 Sep 2002 02:40:27 -0000 +From: "Adam L. Beberg" +To: +Subject: Tech's Major Decline +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 19:40:27 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +"Once we thought of the Internet as this thing with infinite capabilities. +It was basically just a fad that came along." + +Missing from the article is the percentage of foreign enrolement, I would +bet the numbers of students from Asia (China specificly) has gone up quite a +bit, and is the only thing keeping the overall numbers from plummiting. + +"you can't get the chicks with that anymore." + +About time us geeks were outcasts again. I was getting sick of hearing about +geeks breeding and ending up with autistic children - proving that +intelligence is a genetic defect and a "do not breed" flag.) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + +----------------- + +Tech's Major Decline +College Students Turning Away From Bits and Bytes + +By Ellen McCarthy +Washington Post Staff Writer +Tuesday, August 27, 2002; Page E01 + +If John Yandziak had been entering college a few years ago, he might have +sought a stake in the "new" economy. He might have dreamed of becoming an +ace code-cracker for the CIA or the National Security Agency, or imagined +toppling an empire with revolutionary software. Maybe he would have tried to +use the Internet to end world hunger. + +But as Yandziak attends his first college classes this week, he's harboring +different academic ambitions. The Ashburn native says he wants to do +something more social and more interesting than working with computers. + +Besides, he said while packing for a Charlottesville dormitory room, "you +can't get the chicks with that anymore." + +The tech industry's financial problems are enough to bankrupt the dreams of +some fair-weather students. But now there's another consequence of the tech +bust: Enrollment growth in undergraduate computer science departments has +come to a halt. + +The number of undergraduates majoring in computer science fell 1 percent in +2001, according to a report by the Computing Research Association. And +educators in the field say the trend seems to be accelerating, with some +colleges seeing much greater drops as the new academic year begins. + +The word is out among department deans that the bust's fallout has trickled +into the classroom, said Maria Clavez, president of the Association of +Computing Machinery. + +"I've heard everything from no change to modest decline to more dramatic +declines," said Clavez, who will become the dean of science and engineering +at Princeton University in January. "It can be hard to see this, because at +some colleges the number of people who want to study computer science so far +exceeds the available space. [But] it is going to have an effect." + +At Virginia Tech, enrollment of undergraduates in the computer science +department will drop 25 percent this year, to 300. At George Washington +University, the number of incoming freshmen who plan to study computer +science fell by more than half this year. + +Interest in undergraduate computer science programs had grown rapidly in the +past decade. In 1997, schools with PhD programs in computer science and +computer engineering granted 8,063 degrees, according to the Computing +Research Association. The numbers rose through 2001, when 17,048 degrees +were awarded. + +The Labor Department projects that software engineering will be the +fastest-growing occupation between 2000 and 2010, with other +computer-related industries trailing close behind. + +But in the short term that growth may slow, based on the changes among +college students. For example, 900 of the 2,000-plus undergraduates studying +information technology and engineering at George Mason University were +computer science majors last year. This year the enrollment in that major is +down to 800, although a newly created and more general information +technology major has attracted 200 students. + +"Having it ease off for a while is a bit of a relief," said Lloyd Griffith, +dean of George Mason's information technology and engineering school. +"Particularly with the field as it has been, they don't want to spend four +years on something and then not get a job." + +Freshman enrollment for the University of Maryland's computer science major +is expected to be about 167 this fall, down from 329 last year. Maryland +decreased its total freshman enrollment by 11 percent, but that alone does +not account for the drop, said Steve Halperin, dean of Maryland's College of +Computer, Mathematical and Physical Sciences. + +"We are seeing a decrease in the number of freshmen who are declaring their +interest in pursuing computer science as a major," Halperin said. "That's a +factual statement. But I would say that at this point . . . we don't expect +to see a decrease in the number of graduates. Many of the kids who are no +longer expressing an interest in majoring in CS would have fallen off." + +Yandziak, who began at the University of Virginia on Saturday, is not +convinced that's the case. He graduated in the top 5 percent of his class, +with a 3.9 grade-point average, and nailed the highest possible score on his +advanced-placement exam in computer science. + +"All of my classes have been easy for me. Math and sciences were always fun, +so I looked for professions in which I could use those things," Yandziak +said. "I'm just not sure I want my life to be immersed in [technology]. I +want to do something that will contribute to the practical world." + +Harris N. Miller, president of the Information Technology Association of +America, said the last time there was a dearth of computing professionals, +salaries skyrocketed and workers benefited from the labor shortage. + +"There was a tremendous imbalance in the late '90s; potentially you have the +same sort of thing going on right now. People are saying, 'I don't need this +kind of IT training right now,' " Miller said. "Our concern as an industry +is that if they begin to again see major declines in enrollment, down the +road four years, as the economy picks up, once again companies are going to +find themselves in a shortage situation." + +Economic potential weighs heavily in many student career choices, but other +factors, including program difficulty, personal interests and social +influences, also come into play, said Judy Hingle, director of professional +development at the American College Counseling Association. The perception +of computer science as an isolating, "nerdy" profession is one that many in +the industry have tried to squelch. That stereotype went underground during +the tech bubble but reemerged during the bust. + +"All the hipness is gone," Yandziak said. "Once we thought of the Internet +as this thing with infinite capabilities. It was basically just a fad that +came along." + +Lamont Thompson, a recent graduate of Calvin Coolidge Senior High School in +the District, is headed to Morehouse College in Atlanta to study business +marketing, with the intention of going into real estate development. + +"Technology comes natural to people my age; it's not fascinating anymore," +Thompson said. "To be honest with you, when I think computer science, I +think of some guy sitting behind a computer all day in a dark room. It's a +necessity, but I wouldn't take it any further." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0429.507724a2bf64d0cfb77a9521b6e7c616 b/machine-learning-ex6/ex6/easy_ham/0429.507724a2bf64d0cfb77a9521b6e7c616 new file mode 100644 index 0000000..0925b01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0429.507724a2bf64d0cfb77a9521b6e7c616 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 2 16:22:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 93FAC44158 + for ; Mon, 2 Sep 2002 11:22:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:22:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g824AoZ19092 for ; + Mon, 2 Sep 2002 05:10:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E481E294177; Sun, 1 Sep 2002 21:08:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id B95FA294099 for ; + Sun, 1 Sep 2002 21:07:49 -0700 (PDT) +Received: (qmail 3740 invoked by uid 1111); 2 Sep 2002 04:10:06 -0000 +From: "Adam L. Beberg" +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: Java is for kiddies +In-Reply-To: <3D72BA8F.30303@barrera.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 21:10:06 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sun, 1 Sep 2002, Joseph S. Barrera III wrote: + +> Reza B'Far (eBuilt) wrote: +> > problems.... Why do most computer scientists insist on solving the +> > same problems over and over again when there are some many more +> > important and interesting problems (high level) to be solved ????? +> +> Amen! + +Like what exactly? All the problems are in chemisty and physics and biology +and mathematics. We're just enablers :) + +> Doing it in an (unecessarily) harder way does NOT make you more of a man +> (or less of a kiddie). + +Yes, but doing it an order of magnitude or 2 easier does :) Which with the +way things are now, is not hard at all to do. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0430.4e314d3f69d885ce2c18d2e64eb72a1b b/machine-learning-ex6/ex6/easy_ham/0430.4e314d3f69d885ce2c18d2e64eb72a1b new file mode 100644 index 0000000..799844f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0430.4e314d3f69d885ce2c18d2e64eb72a1b @@ -0,0 +1,64 @@ +From fork-admin@xent.com Mon Sep 2 16:22:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 26E564415D + for ; Mon, 2 Sep 2002 11:22:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:22:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8241pZ18745 for ; + Mon, 2 Sep 2002 05:01:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A6EBE29417C; Sun, 1 Sep 2002 20:59:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 3C8BD294099 for ; + Sun, 1 Sep 2002 20:58:46 -0700 (PDT) +Received: (qmail 3706 invoked by uid 1111); 2 Sep 2002 04:01:03 -0000 +From: "Adam L. Beberg" +To: "Mr. FoRK" +Cc: +Subject: Re: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 21:01:03 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sun, 1 Sep 2002, Mr. FoRK wrote: + +> > 6. Hardware is getting so fast that I'm not sure if the performance +> > difference between Java and C/C++ are relevant any more. +> +> When out-of-the-box parsing & transform of XML in java is 25x slower than +> C++ on the same hardware then it does matter. + +Yea, and that on top of the 100x of all the parsing engines over just +bigendian'ing it and passing the data (5x+++) in the raw. Then it REALLY +matters. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0431.26f19fa47fab85e813b1aba8ff6139d6 b/machine-learning-ex6/ex6/easy_ham/0431.26f19fa47fab85e813b1aba8ff6139d6 new file mode 100644 index 0000000..ca0ee8d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0431.26f19fa47fab85e813b1aba8ff6139d6 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Mon Sep 2 16:22:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 63F7644157 + for ; Mon, 2 Sep 2002 11:22:05 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:22:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g827KoZ23723 for ; + Mon, 2 Sep 2002 08:20:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1FA91294185; Mon, 2 Sep 2002 00:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id 7B663294099 for ; + Mon, 2 Sep 2002 00:17:03 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc51.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020902071920.PLEQ12451.rwcrmhc51.attbi.com@Intellistation> for + ; Mon, 2 Sep 2002 07:19:20 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK +Subject: Re: Java is for kiddies +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209020319.13260.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 03:19:13 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.0 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + REFERENCES,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT,USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +On Sunday 01 September 2002 08:43 pm, Reza B'Far (eBuilt) wrote: +> 3. Java is not just a programming language! + +The astounding thing about java is that despite all of the many significant +points in its favor, it still manages to suck, and break across JVMs. + +I was really looking forward to being able to use a better language like +java and get it compiled to real platform-specific binaries via the GNU +compiler collection. But this seems to have never really gotten anywhere +because it would require porting or reimplementing libraries, which are +probably not source-available or tolerably licenced. When I looked at +what I had to do to gcc and link "hello world," I lost interest. + +Who the hell is writing the runtimes, anyway? Why are Perl/Python/Ruby +more reliable? In a world where the Macs all ran emulated 68K code +utterly reliably, it's just hard to accept that there can't be a single +portable JVM that just works. + +My opinion is biased because of the disgraceful state of non-Windoze +browser java implementations. + +Eirikur + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0432.4428728444aeb681db1d4382bfeb8d02 b/machine-learning-ex6/ex6/easy_ham/0432.4428728444aeb681db1d4382bfeb8d02 new file mode 100644 index 0000000..8c9f3c1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0432.4428728444aeb681db1d4382bfeb8d02 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Mon Sep 2 16:22:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8B2E34415E + for ; Mon, 2 Sep 2002 11:22:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:22:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82DZtZ03051 for ; + Mon, 2 Sep 2002 14:35:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8E9302940A0; Mon, 2 Sep 2002 06:33:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 00D3D294099 for ; + Mon, 2 Sep 2002 06:32:38 -0700 (PDT) +Received: from adsl-154-230-7.jax.bellsouth.net ([68.154.230.7] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.35 #1) id + 17lrM4-00041F-00 for fork@xent.com; Mon, 02 Sep 2002 09:35:00 -0400 +From: "Geege Schuman" +To: +Subject: Er +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 09:33:47 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +use this address instead, please. + +prerogatively, +geege + diff --git a/machine-learning-ex6/ex6/easy_ham/0433.17677985f6ef28591870fe906db93f8b b/machine-learning-ex6/ex6/easy_ham/0433.17677985f6ef28591870fe906db93f8b new file mode 100644 index 0000000..4386508 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0433.17677985f6ef28591870fe906db93f8b @@ -0,0 +1,69 @@ +From fork-admin@xent.com Mon Sep 2 16:22:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 63EB744162 + for ; Mon, 2 Sep 2002 11:22:10 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:22:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82EMrZ04651 for ; + Mon, 2 Sep 2002 15:22:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 26B0F2940F2; Mon, 2 Sep 2002 07:20:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from qu.to (njl.ne.client2.attbi.com [24.218.112.39]) by + xent.com (Postfix) with SMTP id C957B294099 for ; + Mon, 2 Sep 2002 07:19:57 -0700 (PDT) +Received: (qmail 3087 invoked by uid 500); 2 Sep 2002 14:26:52 -0000 +From: Ned Jackson Lovely +To: fork@example.com +Subject: Re: Java is for kiddies +Message-Id: <20020902142652.GF13700@ibu.internal.qu.to> +References: + <200209020319.13260.eh@mad.scientist.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <200209020319.13260.eh@mad.scientist.com> +User-Agent: Mutt/1.3.25i +X-Cell: +1.617.877.3444 +X-Web: http://www.njl.us/ +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 10:26:52 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-18.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +On Mon, Sep 02, 2002 at 03:19:13AM -0400, Eirikur Hallgrimsson wrote: +> My opinion is biased because of the disgraceful state of non-Windoze +> browser java implementations. + +Horrors. Applets are kinda sucky. The cool kids are using Java to write +server applications, not browser craplets. + +The giggle-inducing irony of the whole Java thing is how Sun's strategy +backfired. They produced a platform that was supposed to dwell on the +client side, where it would commoditize those clients. Instead, it turns +out to be the perfect language to write server applications in, and it has +successfully commoditized servers. Ooops! + +-- +njl + diff --git a/machine-learning-ex6/ex6/easy_ham/0434.0f6c124ba411ccbf48ed5ff2e19c4603 b/machine-learning-ex6/ex6/easy_ham/0434.0f6c124ba411ccbf48ed5ff2e19c4603 new file mode 100644 index 0000000..c1ec087 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0434.0f6c124ba411ccbf48ed5ff2e19c4603 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Mon Sep 2 23:01:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C86A516F23 + for ; Mon, 2 Sep 2002 23:01:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:01:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82GXqZ09955 for ; + Mon, 2 Sep 2002 17:33:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 751382940A6; Mon, 2 Sep 2002 09:31:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mojo-jojo.ebuilt.net (mojo-jojo.ebuilt.net [209.216.43.10]) + by xent.com (Postfix) with SMTP id 9B7F2294099 for ; + Mon, 2 Sep 2002 09:30:17 -0700 (PDT) +Received: (qmail 23019 invoked from network); 2 Sep 2002 16:32:40 -0000 +Received: from nat.ebuilt.com (HELO thedudebvi1wob) (209.216.46.200) by + mojo-jojo.ebuilt.net with SMTP; 2 Sep 2002 16:32:40 -0000 +Reply-To: +From: "Reza B'Far (eBuilt)" +To: "Adam L. Beberg" , + "Mr. FoRK" +Cc: +Subject: RE: Java is for kiddies +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +In-Reply-To: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 09:30:22 -0700 +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +With the increasing prevalence of web services (not that they are always a +good thing), I doubt that parsing XML will be something that will remain at +the Java application layer for long... Recent threads here on Fork +indicating the move towards hardware parsing or this code even become part +of the native implementation of Java on various platforms... + +Reza B'Far + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Adam +L. Beberg +Sent: Sunday, September 01, 2002 9:01 PM +To: Mr. FoRK +Cc: fork@example.com +Subject: Re: Java is for kiddies + + +On Sun, 1 Sep 2002, Mr. FoRK wrote: + +> > 6. Hardware is getting so fast that I'm not sure if the performance +> > difference between Java and C/C++ are relevant any more. +> +> When out-of-the-box parsing & transform of XML in java is 25x slower than +> C++ on the same hardware then it does matter. + +Yea, and that on top of the 100x of all the parsing engines over just +bigendian'ing it and passing the data (5x+++) in the raw. Then it REALLY +matters. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0435.7d06c898a16be4efbfbdef62c347ab59 b/machine-learning-ex6/ex6/easy_ham/0435.7d06c898a16be4efbfbdef62c347ab59 new file mode 100644 index 0000000..dabfdbf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0435.7d06c898a16be4efbfbdef62c347ab59 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Mon Sep 2 23:01:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5254316F2C + for ; Mon, 2 Sep 2002 23:01:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:01:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82HZrZ12867 for ; + Mon, 2 Sep 2002 18:35:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E386D2940D7; Mon, 2 Sep 2002 10:33:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id E1D08294099 for ; Mon, + 2 Sep 2002 10:32:15 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id AACD03EBEB; + Mon, 2 Sep 2002 13:37:32 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id A96463EBD0; Mon, 2 Sep 2002 13:37:32 -0400 (EDT) +From: Tom +To: vox@mindvox.com +Cc: fork@example.com +Subject: SChoolHouseRocks DVD +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 13:37:32 -0400 (EDT) +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + +Of course they had to do this AFTER we purcahsed these all on vhs, and yes +it is now run by the great evil empire known as disney...but we got the +new School House Rocks DVD anyway and man is it an amazing item. + +First off , my 8 year old has been singing them since she was 6. Second +off, these are much easier to rip to divx and mp3. Third, new songs, +remastered originals and other dvd goodies. Its a 2 dvd set so its well +worth the 17$ we paid for it. + +Even if you dont have kids, run do not walk to pick this one up. + +Man, I would sure love to have a *nix Rocks for the kids. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0436.e455bb708c5f690f929aa5359a0a1411 b/machine-learning-ex6/ex6/easy_ham/0436.e455bb708c5f690f929aa5359a0a1411 new file mode 100644 index 0000000..c5bbfcd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0436.e455bb708c5f690f929aa5359a0a1411 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Mon Sep 2 23:01:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D4FED16F30 + for ; Mon, 2 Sep 2002 23:01:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:01:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82KurZ20740 for ; + Mon, 2 Sep 2002 21:56:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 33ECB29409A; Mon, 2 Sep 2002 13:54:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav38.law15.hotmail.com [64.4.22.95]) by + xent.com (Postfix) with ESMTP id 7C2B3294099 for ; + Mon, 2 Sep 2002 13:53:47 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 2 Sep 2002 13:56:11 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <20020902095455.EDC5CC44D@argote.ch> +Subject: Re: Java is for kiddies +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Sep 2002 20:56:11.0597 (UTC) FILETIME=[2B287FD0:01C252C3] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 14:00:04 -0700 +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +> +> Microsoft has announced that they plan to remove Java from Windows. +> They took it out of XP already and it has to be installed with a +> service pack. Somehow, I can't imagine them removing the ability to +> run C programs. +They removed /their/ Java VM. They didn't remove the ability to run Java +programs. +Anybody is free to develop their own Java VM and make it kick ass. As +someone said earlier in the thread, nobody is capable or willing to do that. + +I've done a bunch of Java and haven't run into huge problems running the +same bytecode across Solaris or Win2K. +What actual problems have people actually run into. Actually. + diff --git a/machine-learning-ex6/ex6/easy_ham/0437.b5837ab1d2b764157464b0557b4aad93 b/machine-learning-ex6/ex6/easy_ham/0437.b5837ab1d2b764157464b0557b4aad93 new file mode 100644 index 0000000..95067b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0437.b5837ab1d2b764157464b0557b4aad93 @@ -0,0 +1,186 @@ +From fork-admin@xent.com Mon Sep 2 23:01:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 43BD516F2F + for ; Mon, 2 Sep 2002 23:01:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:01:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82IpqZ17406 for ; + Mon, 2 Sep 2002 19:51:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 20F252940D3; Mon, 2 Sep 2002 11:49:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mojo-jojo.ebuilt.net (mojo-jojo.ebuilt.net [209.216.43.10]) + by xent.com (Postfix) with SMTP id EB39B294099 for ; + Mon, 2 Sep 2002 11:48:31 -0700 (PDT) +Received: (qmail 23025 invoked from network); 2 Sep 2002 18:50:55 -0000 +Received: from nat.ebuilt.com (HELO thedudebvi1wob) (209.216.46.200) by + mojo-jojo.ebuilt.net with SMTP; 2 Sep 2002 18:50:55 -0000 +Reply-To: +From: "Reza B'Far (eBuilt)" +To: "Robert Harley" , +Subject: RE: Java is for kiddies +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +In-Reply-To: <20020902095455.EDC5CC44D@argote.ch> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 11:48:36 -0700 +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03, + USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +Robert Harley +Sent: Monday, September 02, 2002 2:55 AM +To: fork@example.com +Subject: RE: Java is for kiddies + + +Reza B'Far wrote: +>This thread kind of surprises me... I started coding with C, then C++, and +>moved on to Java... And, I think that: +Robert Harley wrote: +>Looks like a case of "MY experience is comprehensive, YOUR'S is +>anecdotal, THEY don't know what they're talking about". + +Well, I sure don't claim that... I think most people on Fork probably have +more programming knowledge than I do... There's lots of experience out +here... + +Reza B'Far wrote: +>1. The people who pay the wages don't give a flyin' heck what programming +>language you write things in... they just want it to work. +Robert Harley wrote: +>In my experience, they do care. It has to work certainly, and in +>particular it has to work with what they've already got, and it has to +>work on client's systems. +>My limited experience of Java started a few years ago when support on +>Linux was so terrible that I ran away screaming and haven't come back yet. + +Well, I think until recently, support for most things on Linux was kind of +shady... Things have got much better... You're right in that the JDK used to +suck on Linux... But then, IMHO, Linux is still maturing.... or at least +development tools for Linux are maturing... I've been developing a few +server side apps that run on Linux recently with JDK 1.3.x and they've had +no problems with great performance. + +Robert Harley worte: +>Microsoft has announced that they plan to remove Java from Windows. +>They took it out of XP already and it has to be installed with a +>service pack. Somehow, I can't imagine them removing the ability to +>run C programs. + +Hmmm... Do you really think that MS is pulling out Java because it's a "Bad" +programming language or application platform? You don't think this has +anything to do with .NET being a competitor to Java do you? Or that MS has +basically copied Java (with some additional features) and called it C#? +Isn't that alone an indication that they actually DO think that a VM is the +right way to go for most high level applications? + +Reza B'Far wrote: +>2. C and C++ forces the developer to solve problems such as memory +>management over and over again. +Robert Harley wrote: +>Can't say I spend any noticeable amount of time on memory management +>issues, apart from the fact that I frequently need > 4 GB. + +Hmmm again.... You're telling me that you've never had a nasty bug that took +you a couple of days to track down that had to do with a memory leak? I am +not the best C/C++ programmer... not even close... But I've known really +good ones... and even they have nasty bugs that have to do with memory +management, however occasional they may be. + +>It's about design patterns, architecture, high level stuff... +Robert Harley wrote: +>If your problem just requires application of a "design pattern" to solve, +>then it's trivial anyway irrespective of language. + +Wow! So you're telling me that unless the application involves +bit-counting, it's trivial? What about the application itself? What about +high level problems such as task distribution, work-flow, etc.? Aren't most +high level problems solved with high level solutions like design patterns? +Or do you solve high level problems by writing optimal C/C++ code? For +example, do you think that most people working on collaboration frameworks +(there are lots of them on this list), are working on writing an operating +system with assembly that provides for a collaborative environment? + +>I am amazed by the amount of time wasted by people talking about low +>level problems that have been solved 10 million times over and over +>and over again... +Robert Harley wrote: +>You appear to be gratuitously asserting that C programmers waste time +>on irrelevant low-level problems and Java programmers don't. Depends +>entirely on the programmer, not the language. + +I can see how you could infer this. However, what I believe to really be the +case is that Java is one of the best languages for writing large +applications with many components that involves the collaboration of more +than three programmers. In those cases, it's always very hard to get the +programmers to agree on API's, memory management techniques, etc. With +Java, the JCP takes care of the discussions so that you don't sit around in +a long meeting trying to decide what API to use to hook up to a database +(JDBC) or a messaging bus (JMS). + + +>3. Java is not just a programming language! It's also a platform... +Robert Harley wrote: +>Buzzword. + +YIKES! Have you written db code with C/C++ for different databases (just an +example)? Tried porting a persistence layer from Windows to Unix? Say you +have Informix running on Solaris and you want to port to Windows with MS SQL +(bad idea...but for the sake of the example), would you rather deal with +JDBC port or C/C++ port that uses Informix drivers and now you have to use +ODBC? + + +>a monolithic set of API's or a crap load of different API's slicing +>and dicing the same problems 50 different ways? +Robert Harley wrote: +>Unsupported assertion. + +So, are you saying that there is a standard set of API's for C/C++ for +everything? (aside to the minimal ANSI stuff). Is there a standard way of +dealing with C/C++ applications for various domain problems (messaging, +database persistence, etc.) that rivals Java? I'd like to know if there is +one accepted by everyone who writes C/C++... In that case, I claim +ignorance... + +Not suggesting that Java is the golden hammer.... Just that C/C++ is +overkill for most things... I even coded in VB... But VB is a true disgrace +to programming... It's just lame... Java is Object Oriented... (no +flame-mail from the anti-OO people please... that is a religious +discussion...) and relatively clean... And I don't think that every "Kid" +can write a well designed Java program. Kids typically don't understand +various design patterns and principles... To my experience, they actually +tend to think more of the low level problems, wanting to rewrite and +reinvent the world... a tendency that is much more possible, IMHO, in C/C++ +than in Java due to existence of standard API's. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0438.2c8e5278416ba90daef0c4874b5f00bb b/machine-learning-ex6/ex6/easy_ham/0438.2c8e5278416ba90daef0c4874b5f00bb new file mode 100644 index 0000000..2db964b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0438.2c8e5278416ba90daef0c4874b5f00bb @@ -0,0 +1,69 @@ +From fork-admin@xent.com Tue Sep 3 14:24:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4ED5416F37 + for ; Tue, 3 Sep 2002 14:22:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82NJuZ25567 for ; + Tue, 3 Sep 2002 00:19:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AF2BA2940C5; Mon, 2 Sep 2002 16:17:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 060C7294099 for ; + Mon, 2 Sep 2002 16:16:57 -0700 (PDT) +Received: (qmail 7856 invoked by uid 1111); 2 Sep 2002 23:19:13 -0000 +From: "Adam L. Beberg" +To: "Reza B'Far (eBuilt)" +Cc: +Subject: RE: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 16:19:13 -0700 (PDT) +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On Mon, 2 Sep 2002, Reza B'Far (eBuilt) wrote: + +> Hmmm again.... You're telling me that you've never had a nasty bug that took +> you a couple of days to track down that had to do with a memory leak? I am +> not the best C/C++ programmer... not even close... But I've known really +> good ones... and even they have nasty bugs that have to do with memory +> management, however occasional they may be. + +OK, noone has been tool-less for memory management for a LONG time. Most +systems you just add a flag and memory is tracked (that's how i've always +done it) or worst case yuo have to run it through one of the 2.3E7 tools +where you simply recompile and it it tells you where the leaks are. + +Memory management is a non-issue for anyone that has any idea at all how the +hardware functions. Granted, this takes 30 minutes to go over, and so is far +beyond the scope of the "Learn Java in 90 minutes without thinking" book +every Java programmer learned from. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0439.44081ab02df438a46002b412aee32fbc b/machine-learning-ex6/ex6/easy_ham/0439.44081ab02df438a46002b412aee32fbc new file mode 100644 index 0000000..3018a93 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0439.44081ab02df438a46002b412aee32fbc @@ -0,0 +1,70 @@ +From fork-admin@xent.com Tue Sep 3 14:24:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A5FEA16F3A + for ; Tue, 3 Sep 2002 14:22:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g82NOvZ25819 for ; + Tue, 3 Sep 2002 00:24:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C612C2940ED; Mon, 2 Sep 2002 16:22:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id E7D342940AC for ; + Mon, 2 Sep 2002 16:21:45 -0700 (PDT) +Received: (qmail 7871 invoked by uid 1111); 2 Sep 2002 23:24:05 -0000 +From: "Adam L. Beberg" +To: "Reza B'Far (eBuilt)" +Cc: +Subject: RE: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 16:24:05 -0700 (PDT) +X-Spam-Status: No, hits=-10.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On Mon, 2 Sep 2002, Reza B'Far (eBuilt) wrote: + +> With the increasing prevalence of web services (not that they are always a +> good thing), I doubt that parsing XML will be something that will remain at +> the Java application layer for long... Recent threads here on Fork +> indicating the move towards hardware parsing or this code even become part +> of the native implementation of Java on various platforms... + +OK, so, you get the XML toss it through hardware and turn it back into a +struct/object whatever you call your binary data. I agree this is the way +things will go, as XML parsing has just too much overhead to survive in the +application layer. So why turn it into XML in the first place? Becasue it +gives geeks something to do and sells XML hardware accelerators and way more +CPUs? + +Is there anyone out there actually doing anything new that actually IMPROVES +things anymore, or are they all too scared of the fact that improvements put +people out of work and cut #1 is the creators... + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0440.59f6365d96fda96ac8b48059358e18b0 b/machine-learning-ex6/ex6/easy_ham/0440.59f6365d96fda96ac8b48059358e18b0 new file mode 100644 index 0000000..5159df4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0440.59f6365d96fda96ac8b48059358e18b0 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Sep 3 14:24:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A5F7E16F38 + for ; Tue, 3 Sep 2002 14:22:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g833dsZ03346 for ; + Tue, 3 Sep 2002 04:39:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 90DBA2940A9; Mon, 2 Sep 2002 20:37:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mx.spiritone.com (mx.spiritone.com [216.99.221.5]) by + xent.com (Postfix) with SMTP id C6C9C294099 for ; + Mon, 2 Sep 2002 20:36:10 -0700 (PDT) +Received: (qmail 22313 invoked from network); 3 Sep 2002 03:38:35 -0000 +Received: (ofmipd 216.99.213.165); 3 Sep 2002 03:38:13 -0000 +Message-Id: <9FD20548-BEEE-11D6-88BE-00039344DDD6@ordersomewherechaos.com> +From: "RossO" +To: fork@example.com +Subject: Re: Electric car an Edsel... +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Content-Transfer-Encoding: 7bit +In-Reply-To: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 2 Sep 2002 20:38:34 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.41-cvs +X-Spam-Level: + +Sunday I drove from Portland down to the Woodburn Dragstrip to check out +the NEDRA Nationals. + +The electric cars, motorcycles and dragsters had some great times and I +ended up with a few pics and a nice deep burn... + +John Waylan (who was interviewed in Wired a few years back) pulled out a +14.4 second run in the quarter mile (91mph), on a battery pack that +hasn't been broken in yet. He expects to break his record next year +topping his 13.1sec/99mph run a couple of years ago. He's shooting for a +12 second run. + +John also took out a replica 1908 Oldsmobile for a respectable 47mph +run. (Remember, we started out with electric cars.) + +Near the end of the day, Kilacycle took the track with an amazing 111mph +run. Talk about a crotch rocket. + +...Ross... + + +On Saturday, August 31, 2002, at 01:45 AM, Adam L. Beberg wrote: +> Personally I don't think Americans will ever go electric, there is too +> much +> testosterone linked to the auto as the male's primary form of +> compesating +> for other things. See.. now that's a job for you femanists, teach women +> not +> to fall for a fast environmentally destuctive vehicle, you should only +> have +> to rewrite 98% of the genome ;) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0441.ceab9dcbd4892de96af3e38b96205f54 b/machine-learning-ex6/ex6/easy_ham/0441.ceab9dcbd4892de96af3e38b96205f54 new file mode 100644 index 0000000..9566c2f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0441.ceab9dcbd4892de96af3e38b96205f54 @@ -0,0 +1,140 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 16:06:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 589F043F99 + for ; Thu, 22 Aug 2002 11:06:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:06:46 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MF3DZ11193 for + ; Thu, 22 Aug 2002 16:03:14 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 1B2F740D61; Thu, 22 Aug 2002 + 11:01:56 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C68863F25A + for ; Thu, 22 Aug 2002 10:59:44 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MExf318929 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 10:59:41 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MExfY18925 for + ; Thu, 22 Aug 2002 10:59:41 -0400 +Received: from austin-jump.vircio.com + (IDENT:YqU2jK6KvEsqbKys30KHeSGWzOOJOhiQ@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MEjDl31350 + for ; Thu, 22 Aug 2002 10:45:13 -0400 +Received: (qmail 2165 invoked by uid 104); 22 Aug 2002 14:59:40 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.32426 + secs); 22/08/2002 09:59:40 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 14:59:40 -0000 +Received: (qmail 4916 invoked from network); 22 Aug 2002 14:59:37 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?ZErIZ4W1xL3wqqSeSDI+IwJstMi7bK+b?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 14:59:37 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020819210535.A30583F21@milou.dyndns.org> +References: <20020819210535.A30583F21@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-403670396P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030028377.4901.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 09:59:35 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-403670396P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Mon, 19 Aug 2002 23:05:30 +0200 +> +> +> > > Just cvs up'ed and nowadays Catch-up Unseen is __extremely__ slow on +> > > large (>100 msgs) unseen sequences. Anybody else having this problem? +> > +> > I'll take the blame. +> > +> > The reason, I suspect, is that we're needlessly reading the .sequences file +> > multiple times because of other sequences. I need to make the code much +> > smarter about handling that file, but first I have a few other fish to fry in +> > my rather large patch that's on it's way. +> > +> +> No panic, +> +> I'm all for cleaning things up before getting it optimized. + +Okay, this fix is now checked in. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-403670396P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZPxXK9b4h5R0IUIRAvrpAJ47Bzr8fOBqRvDy70Zo+q/dBaDv+wCdGlkP +35PlaPfCqzM6h0Y9RwT/JmQ= +=7ghD +-----END PGP SIGNATURE----- + +--==_Exmh_-403670396P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0442.91893de42b92445e8dc40a3900809439 b/machine-learning-ex6/ex6/easy_ham/0442.91893de42b92445e8dc40a3900809439 new file mode 100644 index 0000000..7172b27 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0442.91893de42b92445e8dc40a3900809439 @@ -0,0 +1,155 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 16:17:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E996343F9B + for ; Thu, 22 Aug 2002 11:17:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:17:01 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MFCqZ11700 for + ; Thu, 22 Aug 2002 16:12:52 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 4F7FE3ED52; Thu, 22 Aug 2002 + 11:13:01 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3DC6D3F694 + for ; Thu, 22 Aug 2002 11:04:15 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MF4CB20210 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 11:04:12 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MF4BY20206 for + ; Thu, 22 Aug 2002 11:04:11 -0400 +Received: from austin-jump.vircio.com + (IDENT:fNvIkVrQXE++HaTA/6ypIi4y1Wtrr9ht@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MEnhl32559 + for ; Thu, 22 Aug 2002 10:49:43 -0400 +Received: (qmail 2519 invoked by uid 104); 22 Aug 2002 15:04:11 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.490086 + secs); 22/08/2002 10:04:10 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 15:04:10 -0000 +Received: (qmail 6472 invoked from network); 22 Aug 2002 15:04:07 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?452/qlXxNxh1NFyZ1xqzI8xN4GiYl2vM?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 15:04:07 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <13277.1030015920@munnari.OZ.AU> +References: <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-398538836P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030028647.6462.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 10:04:06 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-398538836P +Content-Type: text/plain; charset=us-ascii + +> From: Robert Elz +> Date: Thu, 22 Aug 2002 18:32:00 +0700 +> +> Date: Wed, 21 Aug 2002 10:54:46 -0500 +> From: Chris Garrigues +> Message-ID: <1029945287.4797.TMDA@deepeddy.vircio.com> +> +> | I can't reproduce this error. +> +> Ah, I think I just found the cause, nmh is broken (which is probably +> obvious from my previous mail). +> +> The man page for pick (and how it always used to work) was that -list +> would list messages matched. -nolist would supress that. If -sequence +> is given the default is -nolist, without -sequence the default is -list. +> +> That's all fine - but it appears now (which probably means I had never +> used pick since I upgraded nmh last) that what counts is the order of +> -list and -sequence - that is, if -sequence comes after -list, the -list +> gets turned off (-sequence implies -nolist instead of just making -nolist +> the default). +> +> An easy workaround for this is to make sure that -list is the last arg +> given to pick, so if I run ... +> +> delta$ pick +inbox -lbrace -lbrace -subject ftp -rbrace -rbrace 4852-4852 +> -sequence mercury -list +> 4852 +> +> which is just as it should be. + +hmmm, I assume you're going to report this to the nmh folks? + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-398538836P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZP1lK9b4h5R0IUIRAhSFAJ0dWespJZxDa1q6t1yyulLXBp1ryACfUF+D +ltpgX3KXYwpbhGV2bUHY6gY= +=H9ck +-----END PGP SIGNATURE----- + +--==_Exmh_-398538836P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0443.9a9e4c025d607ce0c5d103c02ca3c178 b/machine-learning-ex6/ex6/easy_ham/0443.9a9e4c025d607ce0c5d103c02ca3c178 new file mode 100644 index 0000000..a7989db --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0443.9a9e4c025d607ce0c5d103c02ca3c178 @@ -0,0 +1,143 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 17:45:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D12EA43F99 + for ; Thu, 22 Aug 2002 12:45:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 17:45:47 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MGZGZ14887 for + ; Thu, 22 Aug 2002 17:35:21 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 97A343EF5C; Thu, 22 Aug 2002 + 12:32:26 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0AFFA3F6E2 + for ; Thu, 22 Aug 2002 12:28:49 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MGSkq07323 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 12:28:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MGSjY07319 for + ; Thu, 22 Aug 2002 12:28:45 -0400 +Received: from austin-jump.vircio.com + (IDENT:2iViV5856IJtIfZjXdJ/4WQv+Y4YNzRs@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MGEGl19957 + for ; Thu, 22 Aug 2002 12:14:16 -0400 +Received: (qmail 7820 invoked by uid 104); 22 Aug 2002 16:28:45 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.361135 + secs); 22/08/2002 11:28:44 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 16:28:44 -0000 +Received: (qmail 27667 invoked from network); 22 Aug 2002 16:28:41 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?J4V6zM2M2R342hJKC4K43k7kijsOmD9U?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 16:28:41 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: "J. W. Ballantine" , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030025538.25487.TMDA@deepeddy.vircio.com> +References: <200208211351.JAA15807@hera.homer.att.com> + <1030025538.25487.TMDA@deepeddy.vircio.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-763629846P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030033720.27656.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 11:28:39 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-763629846P +Content-Type: text/plain; charset=us-ascii + +> From: Chris Garrigues +> Date: Thu, 22 Aug 2002 09:12:16 -0500 +> +> > From: "J. W. Ballantine" +> > Date: Wed, 21 Aug 2002 09:51:31 -0400 +> > +> > I CVS'ed the unseen/Sequences changes and installed them, and have only one +> > real issue. +> > +> > I use the unseen window rather than the exmh icon, and with the new code +> > I can't seem to be able to. How many unseen when when I have the main window open +> > is not really necessary. +> +> hmmm, I stole the code from unseenwin, but I never tested it since I don't use +> that functionality. Consider it on my list of things to check. + +Well, unfortunately, I appear to be using a window manager that doesn't +support the icon window. + +However, I did fix some bugs in the related "Hide When Empty" functionality +which may solve the issue. You may need to remove "unseen" from the "always +show sequences" to make this work. If so, let me know so I can put that in +the help window for "Icon Window" as it already is for "Hide When Empty". + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-763629846P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZRE3K9b4h5R0IUIRAjS+AJ4m8f6zA6kMkzYOCI7d+HelmpapYQCfbbDi +LCumaahI4ILE6tbF8nUd0r8= +=nwh1 +-----END PGP SIGNATURE----- + +--==_Exmh_-763629846P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0444.58dd409fb0fc0d853c6b9042560c6ae1 b/machine-learning-ex6/ex6/easy_ham/0444.58dd409fb0fc0d853c6b9042560c6ae1 new file mode 100644 index 0000000..0fbb693 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0444.58dd409fb0fc0d853c6b9042560c6ae1 @@ -0,0 +1,127 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:03:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F1FAA44160 + for ; Fri, 23 Aug 2002 06:03:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHtRZ18495 for + ; Thu, 22 Aug 2002 18:55:27 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5EB7940C9B; Thu, 22 Aug 2002 + 13:54:33 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 01F9E40CA5 + for ; Thu, 22 Aug 2002 13:49:50 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MHnlm27893 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 13:49:47 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MHnkY27888 for + ; Thu, 22 Aug 2002 13:49:46 -0400 +Received: from austin-jump.vircio.com + (IDENT:x+/ivI5ArO9HY2fXAOul2K2/JJQWTYB+@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MHZHl08139 + for ; Thu, 22 Aug 2002 13:35:17 -0400 +Received: (qmail 13052 invoked by uid 104); 22 Aug 2002 17:49:46 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.379095 + secs); 22/08/2002 12:49:45 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 17:49:45 -0000 +Received: (qmail 14340 invoked from network); 22 Aug 2002 17:49:42 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?xFJVSZF7fEkXF7r8Vrvju/8otQ7qdgKJ?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 17:49:42 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson , exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <1030037019.7938.TMDA@deepeddy.vircio.com> +References: <20020822165508.1F95B3F24@milou.dyndns.org> + <1030037019.7938.TMDA@deepeddy.vircio.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-451422450P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030038582.14329.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:49:41 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-451422450P +Content-Type: text/plain; charset=us-ascii + +> From: Chris Garrigues +> Date: Thu, 22 Aug 2002 12:23:38 -0500 +> +> Okay....Catchup unseen is something that I don't use often, but i can +> certainly reproduce this. I'll dig into it. It's probably simple. + +Try it now. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-451422450P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZSQ1K9b4h5R0IUIRAt6BAJ4lZwVy40vrhgO5SRoToDOjp7jkdwCfUSw7 +vei8luehray6oqTftNPId8g= +=6Ao0 +-----END PGP SIGNATURE----- + +--==_Exmh_-451422450P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0445.bca3c6c6a0dc8f7e0c3bd140936897a8 b/machine-learning-ex6/ex6/easy_ham/0445.bca3c6c6a0dc8f7e0c3bd140936897a8 new file mode 100644 index 0000000..51027be --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0445.bca3c6c6a0dc8f7e0c3bd140936897a8 @@ -0,0 +1,121 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:03:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A55B843F99 + for ; Fri, 23 Aug 2002 06:03:05 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:05 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIBOZ19019 for + ; Thu, 22 Aug 2002 19:11:25 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6175B401E0; Thu, 22 Aug 2002 + 14:11:07 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A6A3440E04 + for ; Thu, 22 Aug 2002 14:04:16 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MI4Dx31981 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 14:04:13 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MI4DY31977 for + ; Thu, 22 Aug 2002 14:04:13 -0400 +Received: from mail.banirh.com + (adsl-javier-quezada-55499267.prodigy.net.mx [200.67.254.229]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MHnhl12034 for + ; Thu, 22 Aug 2002 13:49:43 -0400 +Received: from mail.banirh.com (IDENT:ulises@localhost [127.0.0.1]) by + mail.banirh.com (8.10.2/8.9.3) with ESMTP id g7MI3vV17471 for + ; Thu, 22 Aug 2002 13:03:58 -0500 +Message-Id: <200208221803.g7MI3vV17471@mail.banirh.com> +X-Mailer: exmh version 2.3.1 01/15/2001 with nmh-1.0.3 +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Your message of + "Thu, 22 Aug 2002 23:36:32 +1000." + <200208221336.g7MDaWX26868@hobbit.linuxworks.com.au.nospam> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Ulises Ponce +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 13:03:57 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +Thanks Tony, but I think doing it using component files will get a .signature +by default, but I have many diferent signatures and I want to insert one of +that signatures using a keyboard command. So for a message I will insert a +signature, but for another message I will insert a different signature. + +Is it possible? I am using sedit for my messages. + +Thanks. +Ulises + +> > Hi! +> > +> > Is there a command to insert the signature using a combination of keys and not +> > to have sent the mail to insert it then? +> +> I simply put it (them) into my (nmh) component files (components, +> replcomps, forwcomps and so on). That way you get them when you are +> editing your message. Also, by using comps files for specific +> folders you can alter your .sig per folder (and other tricks). See +> the docs for (n)mh for all the details. +> +> There might (must?) also be a way to get sedit to do it, but I've +> been using gvim as my exmh message editor for a long time now. I +> load it with a command that loads some email-specific settings, eg, +> to "syntax" colour-highlight the headers and quoted parts of an +> email)... it would be possible to map some (vim) keys that would add +> a sig (or even give a selection of sigs to choose from). +> +> And there are all sorts of ways to have randomly-chosen sigs... +> somewhere at rtfm.mit.edu... ok, here we go: +> rtfm.mit.edu/pub/usenet-by-group/news.answers/signature_finger_faq. +> (Warning... it's old, May 1995). +> +> > Regards, +> > Ulises +> +> Hope this helps. +> +> Cheers +> Tony +> +> +> +> _______________________________________________ +> Exmh-users mailing list +> Exmh-users@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-users + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0446.321425772cd75481e72bd8c30d1bd78c b/machine-learning-ex6/ex6/easy_ham/0446.321425772cd75481e72bd8c30d1bd78c new file mode 100644 index 0000000..62123f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0446.321425772cd75481e72bd8c30d1bd78c @@ -0,0 +1,76 @@ +From exmh-users-admin@redhat.com Mon Aug 26 15:19:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6041C44162 + for ; Mon, 26 Aug 2002 10:16:31 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:16:31 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7ODSJZ04030 for + ; Sat, 24 Aug 2002 14:28:20 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B54A83EFC0; Sat, 24 Aug 2002 + 09:28:26 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 876FF3FACD + for ; Sat, 24 Aug 2002 09:27:16 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7ODRDT02634 for exmh-users@listman.redhat.com; Sat, 24 Aug 2002 + 09:27:13 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7ODRDY02630 for + ; Sat, 24 Aug 2002 09:27:13 -0400 +Received: from washington.bellatlantic.net + (pool-151-203-19-38.bos.east.verizon.net [151.203.19.38]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7ODCUl01339 for + ; Sat, 24 Aug 2002 09:12:30 -0400 +Received: by washington.bellatlantic.net (Postfix, from userid 500) id + 25B6E6F982; Sat, 24 Aug 2002 09:31:27 -0400 (EDT) +Received: from washington (localhost [127.0.0.1]) by + washington.bellatlantic.net (Postfix) with ESMTP id 1FC7F6F96C for + ; Sat, 24 Aug 2002 09:31:27 -0400 (EDT) +To: exmh-users@example.com +Subject: defaulting to showing plaintext versions of e-mails +X-Attribution: HWF +X-Uri: +X-Image-Url: http://www.feinsteins.net/harlan/images/harlanface.jpg +From: Harlan Feinstein +Message-Id: <20020824133127.25B6E6F982@washington.bellatlantic.net> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 09:31:22 -0400 +Lines: 11 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +What's the trick again to have it default to showing text/plain instead of +html? + +--Harlan + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0447.a195d9d55e47f858ccf5755550258b40 b/machine-learning-ex6/ex6/easy_ham/0447.a195d9d55e47f858ccf5755550258b40 new file mode 100644 index 0000000..9a2c5e7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0447.a195d9d55e47f858ccf5755550258b40 @@ -0,0 +1,92 @@ +From exmh-users-admin@redhat.com Mon Aug 26 15:24:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 325104415B + for ; Mon, 26 Aug 2002 10:22:40 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:22:40 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7Q359Z07072 for + ; Mon, 26 Aug 2002 04:05:10 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0C69A3F8A7; Sun, 25 Aug 2002 + 23:03:13 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 74B213FAB7 + for ; Sun, 25 Aug 2002 22:58:34 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7Q2wV113287 for exmh-users@listman.redhat.com; Sun, 25 Aug 2002 + 22:58:31 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7Q2wUY13283 for + ; Sun, 25 Aug 2002 22:58:30 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7Q2hfl13432 for ; Sun, 25 Aug 2002 22:43:41 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id D73FF38DA9; + Sun, 25 Aug 2002 21:58:29 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id CD30B38DA2 for ; + Sun, 25 Aug 2002 21:58:29 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <20020824133127.25B6E6F982@washington.bellatlantic.net> +References: <20020824133127.25B6E6F982@washington.bellatlantic.net> +Comments: In-reply-to Harlan Feinstein message + dated "Sat, 24 Aug 2002 09:31:22 -0400." +To: exmh-users@example.com +Subject: Re: defaulting to showing plaintext versions of e-mails +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <29947.1030330704@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 25 Aug 2002 21:58:24 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + + +>>>>> On Sat, 24 Aug 2002, "Harlan" == Harlan Feinstein wrote: + + Harlan> What's the trick again to have it default to showing + Harlan> text/plain instead of html? + +In ~/.exmh/exmh-defaults add: + +*mime_alternative_prefs: text/plain text/enriched text/richtext text/html + +Order possible alternatives from _your_ most preferred to least +preferred. + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/0448.5f7f638ed6f6f14736efc14439d6780a b/machine-learning-ex6/ex6/easy_ham/0448.5f7f638ed6f6f14736efc14439d6780a new file mode 100644 index 0000000..adf615b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0448.5f7f638ed6f6f14736efc14439d6780a @@ -0,0 +1,125 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 15:25:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3C7354416C + for ; Mon, 26 Aug 2002 10:22:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:22:56 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7Q5twZ11356 for + ; Mon, 26 Aug 2002 06:55:58 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B3C033EA30; Mon, 26 Aug 2002 + 01:56:03 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3DBC3EA1F + for ; Mon, 26 Aug 2002 01:55:38 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7Q5tZq02785 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 01:55:35 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7Q5tZY02781 for + ; Mon, 26 Aug 2002 01:55:35 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7Q5eVl00679 for ; + Mon, 26 Aug 2002 01:40:31 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7Q5stl16170; + Mon, 26 Aug 2002 12:55:00 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7OBu5W25411; Sat, 24 Aug 2002 18:56:05 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030028647.6462.TMDA@deepeddy.vircio.com> +References: <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <25409.1030190165@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Sat, 24 Aug 2002 18:56:05 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=DATE_IN_PAST_24_48,IN_REP_TO,KNOWN_MAILING_LIST, + PATCH_UNIFIED_DIFF,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Thu, 22 Aug 2002 10:04:06 -0500 + From: Chris Garrigues + Message-ID: <1030028647.6462.TMDA@deepeddy.vircio.com> + + | hmmm, I assume you're going to report this to the nmh folks? + +Yes, I will, sometime, after I look at the nmh sources and see what +they have managed to break, and why. + +But we really want exmh to operate with all the versions of nmh that +exist, don't we? The patch to have exmh do the right thing, whether this +bug exists, or not, is trivial, so I'd suggest including it. + +Patch follows ... + +I have no idea why the sequences were being added after the message list +before, not that it should make any difference to nmh (or MH). But since +I stopped doing that, the variable "msgs" isn't really needed any more, +rather than assigning $pick(msgs) to msgs, and then using $msgs the code +could just use $pick(msgs) where $msgs is now used. This is just a +frill though, so I didn't change that. + +kre + +--- pick.tcl Fri Aug 23 16:28:14 2002 ++++ /usr/local/lib/exmh-2.5/pick.tcl Sat Aug 24 18:14:44 2002 +@@ -128,7 +128,7 @@ + } + proc Pick_It {} { + global pick exmh +- set cmd [list exec pick +$exmh(folder) -list] ++ set cmd [list exec pick +$exmh(folder)] + set inpane 0 + set hadpane 0 + for {set pane 1} {$pane <= $pick(panes)} {incr pane} { +@@ -175,8 +175,9 @@ + } + set msgs $pick(msgs) + foreach s $pick(sequence) { +- lappend msgs -sequence $s ++ lappend cmd -sequence $s + } ++ lappend cmd -list + + Exmh_Debug Pick_It $cmd $msgs + busy PickInner $cmd $msgs + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0449.4166ac284c694dba775d01cb7f667947 b/machine-learning-ex6/ex6/easy_ham/0449.4166ac284c694dba775d01cb7f667947 new file mode 100644 index 0000000..05dc38f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0449.4166ac284c694dba775d01cb7f667947 @@ -0,0 +1,91 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 15:25:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D8FCE4416D + for ; Mon, 26 Aug 2002 10:22:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:22:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7Q77tZ12954 for + ; Mon, 26 Aug 2002 08:07:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B34B73EEBC; Mon, 26 Aug 2002 + 03:08:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E8B823EB9F + for ; Mon, 26 Aug 2002 03:07:37 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7Q77Yb11568 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 03:07:34 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7Q77YY11562 for + ; Mon, 26 Aug 2002 03:07:34 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7Q6kHl08393 for ; + Mon, 26 Aug 2002 02:46:18 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7Q70jl22935; + Mon, 26 Aug 2002 14:00:45 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7Q70IW06855; Mon, 26 Aug 2002 14:00:18 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <1030118301.3993.TMDA@deepeddy.vircio.com> +References: <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <6853.1030345218@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 14:00:18 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Fri, 23 Aug 2002 10:58:20 -0500 + From: Chris Garrigues + Message-ID: <1030118301.3993.TMDA@deepeddy.vircio.com> + + | Interesting...I don't think this was my bug. + | It appears that Msg_Change was asked to change to message "-". + +Something like that is quite possible, but perviously typing nonsense +in didn't cause tracebacks, and now it does, and the traceback came +from the sequence code... + +Perviously this would have just caused red messages in the status +line complaining about my lousy typing. That's probably what it +should keep on doing (the "red" part isn't important obviously..) + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/0450.8c49e2b6003571f6fa2911c172bec2c9 b/machine-learning-ex6/ex6/easy_ham/0450.8c49e2b6003571f6fa2911c172bec2c9 new file mode 100644 index 0000000..1ffb151 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0450.8c49e2b6003571f6fa2911c172bec2c9 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Fri Aug 23 11:06:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 78C504415E + for ; Fri, 23 Aug 2002 06:04:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:27 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MNG1Z29565 for + ; Fri, 23 Aug 2002 00:16:01 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7MNB2J07914; Fri, 23 Aug 2002 01:11:02 + +0200 +Received: from yak.fluid.com + (IDENT:pxKWT0cuA+V9VHAuVghBFUQZ5my3ivDF@yak.fluid.com [63.76.105.204]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7MNAkJ07823 for + ; Fri, 23 Aug 2002 01:10:46 +0200 +Received: from lefty.fluid.com ([63.76.105.89]) by yak.fluid.com with + esmtp (Exim 4.10 #1) for rpm-list@freshrpms.net id 17i15U-0008EV-00; + Thu, 22 Aug 2002 16:10:00 -0700 +Message-Id: <3D656F6E.3050504@fluid.com> +From: Troy Engel +Organization: Fluid +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020607 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: latest php upgrade in 7.3 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +X-Reply-To: tengel@fluid.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 16:10:38 -0700 +Date: Thu, 22 Aug 2002 16:10:38 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Today an apt-get upgrade holds back php (and submodules, like php-imap). + Running an apt-get install php to see what's up, I get: + +# apt-get install php +Processing File Dependencies... Done +Reading Package Lists... Done +Building Dependency Tree... Done +The following extra packages will be installed: + curl-devel imap imap-devel mysql mysql-devel php-imap php-ldap postgresql + postgresql-devel postgresql-libs pspell-devel ucd-snmp-devel +ucd-snmp-utils + unixODBC unixODBC-devel +The following NEW packages will be installed: + curl-devel imap imap-devel mysql mysql-devel postgresql postgresql-devel + postgresql-libs pspell-devel ucd-snmp-devel ucd-snmp-utils unixODBC + unixODBC-devel +The following packages will be upgraded + php php-imap php-ldap +3 packages upgraded, 13 newly installed, 0 to remove(replace) and 1 not +upgraded. + +Anyone have an idea what the heck RedHat did here, and why we're now +trying to install a ton of crap I don't want? (I'm hoping someone else +has chased this down and could save me time... ;) ) + +thx, +-te + +-- +Troy Engel, Systems Engineer +Cool as the other side of the pillow + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0451.91577b6958781643d55de1d239570131 b/machine-learning-ex6/ex6/easy_ham/0451.91577b6958781643d55de1d239570131 new file mode 100644 index 0000000..5707c7e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0451.91577b6958781643d55de1d239570131 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Fri Aug 23 11:06:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8C9514416E + for ; Fri, 23 Aug 2002 06:04:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:28 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MNHfZ29607 for + ; Fri, 23 Aug 2002 00:17:41 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7MNE1J26765; Fri, 23 Aug 2002 01:14:01 + +0200 +Received: from mail.phy.duke.edu (mail.phy.duke.edu [152.3.182.2]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7MND2J26232 for + ; Fri, 23 Aug 2002 01:13:02 +0200 +Received: from user-152-16-65-136.adsl.duke.edu + (user-152-16-65-136.adsl.duke.edu [152.16.65.136]) by mail.phy.duke.edu + (Postfix) with ESMTP id 1226630197 for ; + Thu, 22 Aug 2002 19:13:00 -0400 (EDT) +Subject: Re: latest php upgrade in 7.3 +From: seth vidal +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <3D656F6E.3050504@fluid.com> +References: <3D656F6E.3050504@fluid.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030057980.1199.4.camel@binkley> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 22 Aug 2002 19:12:59 -0400 +Date: 22 Aug 2002 19:12:59 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Thu, 2002-08-22 at 19:10, Troy Engel wrote: +> Today an apt-get upgrade holds back php (and submodules, like php-imap). +> Running an apt-get install php to see what's up, I get: +> +> # apt-get install php +> Processing File Dependencies... Done +> Reading Package Lists... Done +> Building Dependency Tree... Done +> The following extra packages will be installed: +> curl-devel imap imap-devel mysql mysql-devel php-imap php-ldap postgresql +> postgresql-devel postgresql-libs pspell-devel ucd-snmp-devel +> ucd-snmp-utils +> unixODBC unixODBC-devel +> The following NEW packages will be installed: +> curl-devel imap imap-devel mysql mysql-devel postgresql postgresql-devel +> postgresql-libs pspell-devel ucd-snmp-devel ucd-snmp-utils unixODBC +> unixODBC-devel +> The following packages will be upgraded +> php php-imap php-ldap +> 3 packages upgraded, 13 newly installed, 0 to remove(replace) and 1 not +> upgraded. +> +> Anyone have an idea what the heck RedHat did here, and why we're now +> trying to install a ton of crap I don't want? (I'm hoping someone else +> has chased this down and could save me time... ;) ) +> + +rh bugzilla 72007 + +thats the answer + +-sv + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0452.3121141cfedff2994e3c2db2249dd6c7 b/machine-learning-ex6/ex6/easy_ham/0452.3121141cfedff2994e3c2db2249dd6c7 new file mode 100644 index 0000000..1c25dd4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0452.3121141cfedff2994e3c2db2249dd6c7 @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Fri Aug 23 11:07:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 04CCB4415A + for ; Fri, 23 Aug 2002 06:06:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:06 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N82sZ15461 for + ; Fri, 23 Aug 2002 09:02:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7N7p3J32524; Fri, 23 Aug 2002 09:51:03 + +0200 +Received: from mx1.example.com (mx1.example.com [66.187.233.31]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7N7oBJ30858 for + ; Fri, 23 Aug 2002 09:50:11 +0200 +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by mx1.redhat.com (8.11.6/8.11.6) with ESMTP id + g7N7Zal24437 for ; Fri, 23 Aug 2002 03:35:36 -0400 +Received: from pobox.corp.example.com (pobox.corp.example.com + [172.16.52.156]) by int-mx1.corp.redhat.com (8.11.6/8.11.6) with ESMTP id + g7N7oAY14355 for ; Fri, 23 Aug 2002 03:50:10 -0400 +Received: from ckk.rdu.example.com (ckk.rdu.example.com [172.16.57.72]) by + pobox.corp.redhat.com (8.11.6/8.11.6) with ESMTP id g7N7o9J22551 for + ; Fri, 23 Aug 2002 03:50:10 -0400 +Subject: Re: latest php upgrade in 7.3 +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <3D656F6E.3050504@fluid.com> +References: <3D656F6E.3050504@fluid.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-7) +Message-Id: <1030089010.2661.11.camel@ckk.rdu.example.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 23 Aug 2002 03:50:09 -0400 +Date: 23 Aug 2002 03:50:09 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Thu, 2002-08-22 at 19:10, Troy Engel wrote: + +> Anyone have an idea what the heck RedHat did here, and why we're now +> trying to install a ton of crap I don't want? (I'm hoping someone else +> has chased this down and could save me time... ;) ) + +I'm told that even our best people occasionally screw up. And QA had +tested the rpm on an "Everything" install. Expect a fixed version soon, +and QA procedures have been adjusted to catch this kind of braindamage +in the future. There is nothing really wrong with the binary inside the +rpm, so if you want to --nodeps for now it's ok. + +-- +Chris Kloiber + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0453.783e494dbe429698f152a49c0ff0d719 b/machine-learning-ex6/ex6/easy_ham/0453.783e494dbe429698f152a49c0ff0d719 new file mode 100644 index 0000000..33847f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0453.783e494dbe429698f152a49c0ff0d719 @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Mon Aug 26 15:21:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1D80443F9B + for ; Mon, 26 Aug 2002 10:17:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:17:34 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7ON8HZ20781 for + ; Sun, 25 Aug 2002 00:08:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7ON62J23655; Sun, 25 Aug 2002 01:06:02 + +0200 +Received: from mel-rto6.wanadoo.fr (smtp-out-6.wanadoo.fr [193.252.19.25]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7ON5XJ19722 for + ; Sun, 25 Aug 2002 01:05:33 +0200 +Received: from mel-rta8.wanadoo.fr (193.252.19.79) by mel-rto6.wanadoo.fr + (6.5.007) id 3D6246E8001B8714 for rpm-list@freshrpms.net; Sun, + 25 Aug 2002 01:05:27 +0200 +Received: from localhost.localdomain (193.250.146.99) by + mel-rta8.wanadoo.fr (6.5.007) id 3D49FF79007CFF4F for + rpm-list@freshrpms.net; Sun, 25 Aug 2002 01:05:27 +0200 +Content-Type: text/plain; charset="iso-8859-1" +From: Gilles Fabio +To: rpm-zzzlist@freshrpms.net +Subject: hello everybody +User-Agent: KMail/1.4.1 +References: <20020824.rme.78600400@www.dudex.net> +In-Reply-To: <20020824.rme.78600400@www.dudex.net> +MIME-Version: 1.0 +Message-Id: <200208250058.27705.gilougero@wanadoo.fr> +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7ON5XJ19722 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 25 Aug 2002 00:58:27 +0200 +Date: Sun, 25 Aug 2002 00:58:27 +0200 +Lines: 21 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.4 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_03_05, + SUB_HELLO,USER_AGENT,USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +Hi everybody ! + +My name is Gilles, I'm 19 and I'm french. My english is very bad and I'm sorry +if you do not understand correctly my emails. + +I use Linux since 3 months. Before I worked with Windows 2000 Pro. I enjoy Red +Hat... I tried Mandrake, SuSE, Debian, Slackware and my favorite of all of +them is Red Hat. + +Actually I use Red Hat 7.3. + +I visited the web site Freshrpms, I congratulated Thias for his work. + +And I subscribed to this list for to know more about Red Hat and RPMs' news. + +Pleased to read U soon. +Gilles (Nice, South of France) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0454.c215b0f3f009fca9e6f019a5cbd00765 b/machine-learning-ex6/ex6/easy_ham/0454.c215b0f3f009fca9e6f019a5cbd00765 new file mode 100644 index 0000000..53af1ca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0454.c215b0f3f009fca9e6f019a5cbd00765 @@ -0,0 +1,166 @@ +From rpm-list-admin@freshrpms.net Mon Aug 26 15:21:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 35DE544174 + for ; Mon, 26 Aug 2002 10:17:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:17:46 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7P0glZ25869 for + ; Sun, 25 Aug 2002 01:42:47 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7P0f2J13996; Sun, 25 Aug 2002 02:41:02 + +0200 +Received: from imf17bis.bellsouth.net (mail217.mail.bellsouth.net + [205.152.58.157]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7P0eEJ05587 for ; Sun, 25 Aug 2002 02:40:14 +0200 +Received: from adsl-157-17-129.msy.bellsouth.net ([66.157.17.129]) by + imf17bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020825004145.MZZJ23893.imf17bis.bellsouth.net@adsl-157-17-129.msy.bellsouth.net> + for ; Sat, 24 Aug 2002 20:41:45 -0400 +Subject: Re: Fw: Re: When are we going to get. [making ALSA rpms] +From: Lance +To: FreshRPMs List +In-Reply-To: <20020824.rme.78600400@www.dudex.net> +References: <20020824.rme.78600400@www.dudex.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6) +Message-Id: <1030236009.27767.5.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 24 Aug 2002 19:40:08 -0500 +Date: 24 Aug 2002 19:40:08 -0500 +Lines: 106 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + OUTLOOK_FW_MSG,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +Thanks for this information. I gave Alsa a try, couldn't figure out how +to enable digital out, although I'm sure if I put enough time into it, +could have gotten it working. Also when playing mp3s in analog mode, +every time I switched between mp3s there was a bit of static. Noticed a +new distribution geared towards audio applications, AGNULA +(http://www.agnula.org/) uses Alsa as well. Seems though the latest +open source emu10k1 drivers (SBLive! 5.1) work fair enough. Anyone else +experience these problems with Alsa? Are there alot of people on this +list using Alsa? + +Regards, + +Lance + +On Sat, 2002-08-24 at 17:45, Angles Puglisi wrote: +> FYI, This is how I make my ALSA rpms ... some people on the (null) list did not +> realize it was pretty easy. +> +> btw, I do this lot since I've upgraded from RH7.3 to Limbo1 to Limbo2 to Null all in +> a week (probably). +> +> forward - original mail: +> From "Angles Puglisi" +> Date 08/24/2002 - 06:38:03 pm +> Subject Re: When are we going to get.... +> ---- +> + +> From: Angles Puglisi +> To: limbo-list@example.com +> Subject: Re: When are we going to get.... +> Date: 24 Aug 2002 22:40:40 +0000 +> +> OK, I do this every time I update a kernel. +> +> The 1st time I added ALSA, I tried a non-root rpom build but the DEV things were not +> made. Other than that, I bet you could do non-root. The following can be scripted +> easily. +> +> 1. get (a) alsa-drivers, (b) alas-lib, and (c) alsa-utils tarballs (if upgrading the +> kernel then you probably have them from your last install). +> 2. unpack them somewhere. +> 3. for each of them, go to the top directory of the unpacked tarball, and do +> ../configure, then look in (I'm going by memory) TOPDIR/utils/* you should see a spec +> file there. Do this for the 3 tarballs and you get 3 spec files. +> +> 4. put the source tarballs in SOURCES and the spec files in SPECS, go in order from +> a, b, then c, doing +> "rpmbuild -ba SPECS/alsa-[X].spec; rpm -Uvh RPMS/i386/alsa-[X].rpm" +> +> 5. do that in order for the 3 spec files and you have just installed the alsa +> drivers on your system. The 1st time you do this you need to put the correct stuff +> in your modules.conf file (may take some research) then you get the alsa driver and +> OSS compat capabilities, or you can choose not to use the OOS compat stuff. +> +> Script making the spec, then building and upgrading, as above, and you have +> "no-sweat" ALSA. +> +> NOTE: the (null) rpmbuild did take some tweaking, it does a check for files in the +> buildroot that you don't specify in your files section. In this case there is an +> extra file (going by memory) "/include/sys/asound.h". Add a line at the end on the +> "install" section of the spec file to delete that file and you are good to go. +> +> Gordon Messmer (yinyang@eburg.com) wrote*: +> > +> >On Fri, 2002-08-23 at 03:41, Matthias Saou wrote: +> >> +> >> Probably when Red Hat Linux gets a 2.6 kernel ;-) Until then, a few places +> >> provide good quality alsa packages, but indeed you still have to patch and +> >> recompile your kernel. +> > +> >Not so. Alsa is build-able independently of the kernel. +> > +> >> Maybe some day I'll try ALSA (never done it yet), and that day you can +> >> expect all needed packages to appear on freshrpms.net :-) +> > +> >I'd be interested in working with you on that if you want those +> >packages. +> > +> > +> > +> > +> >_______________________________________________ +> >Limbo-list mailing list +> >Limbo-list@redhat.com +> > +> +> -- +> That's "angle" as in geometry. +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Extracting lines X to Y in a text file LOST #261 + +Use sed ... Syntax: [$sed -n 'X,Yp' < textfile.txt]. Following +will extract lines 5-10 from textin.fil to textout.fil ... +$sed -n '5,10p' < textin.fil > textout.fil + +######################################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0455.f738e592a578bdfe866563c84443940e b/machine-learning-ex6/ex6/easy_ham/0455.f738e592a578bdfe866563c84443940e new file mode 100644 index 0000000..bfa5f97 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0455.f738e592a578bdfe866563c84443940e @@ -0,0 +1,76 @@ +From rpm-list-admin@freshrpms.net Mon Aug 26 15:25:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2A96C4415E + for ; Mon, 26 Aug 2002 10:23:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:23:29 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QAT8Z17584 for + ; Mon, 26 Aug 2002 11:29:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7QAO3J18551; Mon, 26 Aug 2002 12:24:03 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7QANDJ18475 for + ; Mon, 26 Aug 2002 12:23:13 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Fw: Re: When are we going to get. [making ALSA rpms] +Message-Id: <20020826121421.542d2dd3.matthias@egwn.net> +In-Reply-To: <20020824.rme.78600400@www.dudex.net> +References: <20020824.rme.78600400@www.dudex.net> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 12:14:21 +0200 +Date: Mon, 26 Aug 2002 12:14:21 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,OUTLOOK_FW_MSG, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, ""Angles" wrote : + +> FYI, This is how I make my ALSA rpms ... some people on the (null) list +> did not realize it was pretty easy. + +Thanks Angles! I really think I'll give ALSA a shot fairly soon then ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0456.6902449f33fafc3cf77ec2d4e2a3851e b/machine-learning-ex6/ex6/easy_ham/0456.6902449f33fafc3cf77ec2d4e2a3851e new file mode 100644 index 0000000..185d068 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0456.6902449f33fafc3cf77ec2d4e2a3851e @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Mon Aug 26 19:44:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8A07943F9B + for ; Mon, 26 Aug 2002 14:44:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:44:37 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QIe3Z04782 for + ; Mon, 26 Aug 2002 19:40:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7QIa2J28203; Mon, 26 Aug 2002 20:36:02 + +0200 +Received: from fep01-app.kolumbus.fi (fep01-0.kolumbus.fi [193.229.0.41]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7QIZ8J26297 for + ; Mon, 26 Aug 2002 20:35:08 +0200 +Received: from azrael.blades.cxm ([62.248.237.248]) by + fep01-app.kolumbus.fi with ESMTP id + <20020826183506.RBIE18308.fep01-app.kolumbus.fi@azrael.blades.cxm> for + ; Mon, 26 Aug 2002 21:35:06 +0300 +Received: (from blades@localhost) by azrael.blades.cxm (SGI-8.9.3/8.9.3) + id VAA40143 for rpm-list@freshrpms.net; Mon, 26 Aug 2002 21:35:09 +0300 + (EEST) +X-Authentication-Warning: azrael.blades.cxm: blades set sender to + harri.haataja@cs.helsinki.fi using -f +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: New gkrellm 2.0.0, gtk2 version +Message-Id: <20020826213508.A40199@azrael.smilehouse.com> +References: <20020826191454.43e6c15f.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020826191454.43e6c15f.matthias@egwn.net>; from + matthias@egwn.net on Mon, Aug 26, 2002 at 07:14:54PM +0200 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 21:35:08 +0300 +Date: Mon, 26 Aug 2002 21:35:08 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT,X_AUTH_WARNING + version=2.40-cvs +X-Spam-Level: + +On Mon, Aug 26, 2002 at 07:14:54PM +0200, Matthias Saou wrote: +> I've repackaged the new gkrellm 2.0.0 which is now ported to gtk2 +> (woohoo!). Unfortunately, the plugins are incompatible with the +> previous 1.2.x ones, and since not many/all have been ported yet, I +> prefer not to release the package on the main freshrpms.net site for +> now. + +You could go the same way as the others and call it gkrellm2 and +conflict with v1 if the executables or paths are the same. + +-- +Hey, you're right. I don't want to call a destructor on my objects, +I want to call a *destroyer*. Gozer has come for your memory, +little PersistentNode! + -- Joel Gluth + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0457.dc1691cbb334cc33a1f1eb3060b8e02e b/machine-learning-ex6/ex6/easy_ham/0457.dc1691cbb334cc33a1f1eb3060b8e02e new file mode 100644 index 0000000..60f12c6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0457.dc1691cbb334cc33a1f1eb3060b8e02e @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Mon Aug 26 20:15:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A7E4643F99 + for ; Mon, 26 Aug 2002 15:15:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 20:15:18 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QJ8VZ05732 for + ; Mon, 26 Aug 2002 20:08:31 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7QJ52J30477; Mon, 26 Aug 2002 21:05:02 + +0200 +Received: from kamakiriad.com + (IDENT:nZbdv/p4nmL0skumLgaQPfpaAEkGbyHy@cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7QJ4uJ30412 for ; Mon, 26 Aug 2002 21:04:56 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.com (8.11.6/8.11.0) with SMTP id g7QJ4me30195 + for ; Mon, 26 Aug 2002 14:04:49 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: New gkrellm 2.0.0, gtk2 version +Message-Id: <20020826140448.208e3da8.kilroy@kamakiriad.com> +In-Reply-To: <20020826191454.43e6c15f.matthias@egwn.net> +References: <20020826191454.43e6c15f.matthias@egwn.net> +X-Mailer: Sylpheed version 0.8.1 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 14:04:48 -0500 +Date: Mon, 26 Aug 2002 14:04:48 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002 19:14:54 +0200, Matthias Saou wrote: + +> Hi all, +> +> I've repackaged the new gkrellm 2.0.0 which is now ported to gtk2 +> (woohoo!). Unfortunately, the plugins are incompatible with the previous +> 1.2.x ones, and since not many/all have been ported yet, I prefer not to +> release the package on the main freshrpms.net site for now. +> +> For those of you who'd like to try it out, you can grab it here : +> http://ftp.freshrpms.net/pub/freshrpms/testing/gkrellm/ +> +> I think the themes are still compatible, but haven't tried to install some +> with 2.0.0 yet. +> Last note, the above packages are for Valhalla. And yes, although GNOME 2 +> is not in Valhalla, gtk2 and glib2 have been from the very beginning! ;-) + + Sweet, dude- I was really hoping it'd be out sooner or later; thanks a bunch! + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +I've been complaining for years, and almost no one listened. "Windows is +just easier" you said. "I don't want to learn anything new", you said. +Tell me how easy THIS is: +http://www.guardian.co.uk/Archive/Article/0,4273,4477138,00.html + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0458.0b0d38bea678ef5d832293332cba1fcd b/machine-learning-ex6/ex6/easy_ham/0458.0b0d38bea678ef5d832293332cba1fcd new file mode 100644 index 0000000..8c044f7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0458.0b0d38bea678ef5d832293332cba1fcd @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Tue Aug 27 00:43:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5A2D443F99 + for ; Mon, 26 Aug 2002 19:43:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 00:43:09 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QNYrZ14635 for + ; Tue, 27 Aug 2002 00:34:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7QNX3J30783; Tue, 27 Aug 2002 01:33:03 + +0200 +Received: from ex02.idirect.net (ex02.idirect.net [208.226.76.48]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7QNVtJ24854 for + ; Tue, 27 Aug 2002 01:31:57 +0200 +X-Mimeole: Produced By Microsoft Exchange V6.0.4417.0 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Subject: RE: Re: When are we going to get. [making ALSA rpms] +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: Fw: Re: When are we going to get. [making ALSA rpms] +Thread-Index: AcJL0Ge3xdOQJ42YRtK5WEOfWLTZfABh53sw +From: "Harig, Mark A." +To: +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7QNVtJ24854 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 19:31:49 -0400 +Date: Mon, 26 Aug 2002 19:31:49 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.1 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_RFCI, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +> made. Other than that, I bet you could do non-root. The following can +be scripted +> easily. +> +... +> 2. unpack them somewhere. +> 3. for each of them, go to the top directory of the unpacked tarball, +and do +> ../configure, then look in (I'm going by memory) TOPDIR/utils/* you +should see a spec +> file there. Do this for the 3 tarballs and you get 3 spec files. +> + +The above steps can all be performed "automatically", +if the .spec files are updated to include the necessary +macros in the %prep (%setup -q) and %build stages. +This would make the building of the .rpm files less +error prone and more self-contained, and it would be +somewhat self-documenting. + +--- + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/0459.2c0709ef91a247c38217a7f881c26c42 b/machine-learning-ex6/ex6/easy_ham/0459.2c0709ef91a247c38217a7f881c26c42 new file mode 100644 index 0000000..1582965 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0459.2c0709ef91a247c38217a7f881c26c42 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Sep 3 14:24:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 981AA16F39 + for ; Tue, 3 Sep 2002 14:22:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g834Q0Z04694 for ; + Tue, 3 Sep 2002 05:26:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B2D402940A5; Mon, 2 Sep 2002 21:23:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 1A29A294099 for ; + Mon, 2 Sep 2002 21:22:43 -0700 (PDT) +Received: (qmail 8874 invoked by uid 1111); 3 Sep 2002 04:24:47 -0000 +From: "Adam L. Beberg" +To: RossO +Cc: +Subject: Re: Electric car an Edsel... +In-Reply-To: <9FD20548-BEEE-11D6-88BE-00039344DDD6@ordersomewherechaos.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 21:24:47 -0700 (PDT) +X-Spam-Status: No, hits=-10.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On 2 Sep 2002, RossO wrote: + +> John Waylan (who was interviewed in Wired a few years back) pulled out a +> 14.4 second run in the quarter mile (91mph), on a battery pack that +> hasn't been broken in yet. He expects to break his record next year +> topping his 13.1sec/99mph run a couple of years ago. He's shooting for a +> 12 second run. + +Battery pack, huh what??? + +You dont use batteries for a 1/4 mile run, you use capacitors. MANY times +the energy density, and you can get the energy out fast enough. Note that +the battery packs are fully swapped out for recharging after each run +anyway, just like a gas dragster is refueled, so this wouldnt be cheating. +200 MPH should be no problem. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0460.635d9fbb23dbfb74a99d95e6ebd44c03 b/machine-learning-ex6/ex6/easy_ham/0460.635d9fbb23dbfb74a99d95e6ebd44c03 new file mode 100644 index 0000000..73c7b12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0460.635d9fbb23dbfb74a99d95e6ebd44c03 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Tue Sep 3 14:24:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 40A2F16F3B + for ; Tue, 3 Sep 2002 14:22:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g830itZ31453 for ; + Tue, 3 Sep 2002 01:44:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7DC372940AC; Mon, 2 Sep 2002 17:42:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav39.law15.hotmail.com [64.4.22.96]) by + xent.com (Postfix) with ESMTP id 38E4D294099 for ; + Mon, 2 Sep 2002 17:41:26 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 2 Sep 2002 17:43:50 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: +Subject: Re: Java is for kiddies +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 03 Sep 2002 00:43:50.0929 (UTC) FILETIME=[F8C12810:01C252E2] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 17:47:44 -0700 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Adam L. Beberg" +> +> Memory management is a non-issue for anyone that has any idea at all how +the +> hardware functions. +In theory there is no difference between theory and practice. In practice +there is. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0461.7609029b07acf65f40bd93882aa35887 b/machine-learning-ex6/ex6/easy_ham/0461.7609029b07acf65f40bd93882aa35887 new file mode 100644 index 0000000..555c512 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0461.7609029b07acf65f40bd93882aa35887 @@ -0,0 +1,158 @@ +From fork-admin@xent.com Tue Sep 3 14:24:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 04D8916F3D + for ; Tue, 3 Sep 2002 14:22:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8366uZ07156 for ; + Tue, 3 Sep 2002 07:06:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8C84F2940B3; Mon, 2 Sep 2002 23:04:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 1A407294099 for + ; Mon, 2 Sep 2002 23:03:06 -0700 (PDT) +Received: (qmail 1783 invoked by uid 508); 3 Sep 2002 06:05:30 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.48) by + venus.phpwebhosting.com with SMTP; 3 Sep 2002 06:05:30 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8365Sb03549; Tue, 3 Sep 2002 08:05:28 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: +Cc: forkit! +Subject: Making a mesh on the move +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=ISO-8859-1 +Content-Transfer-Encoding: 8BIT +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 08:05:27 +0200 (CEST) +X-Spam-Status: No, hits=-4.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.41-cvs +X-Spam-Level: + + +http://www.guardian.co.uk/Print/0%2c3858%2c4489999%2c00.html + +Making a mesh on the move + +A new way to give us fast mobile net access spells further trouble for 3G, +reports Peter Rojas + +Peter Rojas +Thursday August 29, 2002 +The Guardian + +Imagine being able to surf the net at speeds faster than DSL from +anywhere, at any time - you could watch a live video webcast while waiting +for the bus, email photos to your friends while sitting in the park, or +download the MP3 of the song that's playing in the pub before it finishes. + +This is the vision of a high-speed wireless internet paradise that the +third-generation (3G) mobile phone companies have been promoting for +years. 3G services are just beginning to be rolled out, but a new +technology called mesh networking promises to deliver on this vision +sooner and more effectively than the mobile phone companies could ever +dream. + +Two companies, US startup MeshNetworks and Moteran Networks of Germany, +are each developing their own competing version of mesh networking. +Instead of the current hub-and-spoke model of wireless communications, +with every device connecting to an overburdened central antenna, any time +"mesh-enabled" devices - mobile phones, PDAs, laptops - are in close +proximity to each other, they automatically create a wireless mesh +network. Every device in the area acts as a repeater or router, relaying +traffic for everyone else. Traffic hops from person to person until it +reaches the nearest internet access point, reducing the need for central +antennas, and improving wireless coverage. + +As the number of mobile phones soars, and wireless PDAs, laptops, and +other devices begin to crowd the spectrum, this approach to wireless +networking may be inevitable. + +Mesh networks also have several other advantages over 3G wireless +networks. While 3G operators roll out mobile services that offer users +connection speeds of up to 144 kbps (roughly three times faster than a +dial-up modem), Moteran and MeshNetworks are able to offer connection +speeds of up to 6Mbps, over a hundred times faster than dial-up. The +technologies they use include Wi-Fi - the emerging standard for high-speed +wireless networking also known as 802.11b. A similarly short-range +protocol called UltraWideBand, which is poised to succeed Wi-Fi, is even +faster and could, by 2005, approach 400 Mbps. + +The range of a typical Wi-Fi network is generally too limited to be of +much use when travelling around a city. Mesh networks get around the +problem of coverage by having every device in the network relay traffic. +Even though the range of any individual device is relatively small, +because (in theory) there will be so many users in the surrounding area, +connections will be faster and better than that of a standard 3G wireless +connection. + +Because mesh networks use Wi-Fi, the equipment and infrastructure needed +to create them is cheap and readily available. Instead of building +cellular phone towers that often cost hundreds of thousands of pounds, all +that is needed to get a network going are wireless access points (around +£100 now) placed strategically around town to relay traffic, and the +proper software. Existing laptops and PDAs can be mesh-enabled by +software. + +It also means that anyone could set up their own mobile phone network. +Unlike with 3G cellular, the part of the spectrum that Wi-Fi operates on +is unregulated in the US, Britain. The mobile phone companies are none too +pleased about this, especially since many of them spent billions of pounds +acquiring 3G licences. + +All that's needed are cheap relays and mobile phones equipped to connect +to the network. With every additional customer that signs up coverage gets +better, instead of getting worse, as is the case with mobile phone +networks. + +But things get very interesting when you realise that when you have +high-speed internet connections everywhere, and everyone's laptops, PDAs, +and mobile phones are connected together at blazingly fast speeds, sharing +music, movies, or whatever else becomes ridiculously easy. When +UltraWideBand hits, all of this will just accelerate. + +At 400Mbps, copying a pirated copy of the Lord of the Rings from the +person sitting across from you at the cafe would take about 15 seconds. +Sooner or later, playgrounds will be filled with kids swapping files of +their favourite songs, movies, and video games. + +But the first mesh networks are not likely to be available to consumers. +MeshNetworks has no plans to offer its own high-speed wireless service. +Instead the company plans to sell its technology to others, such as cities +that want to provide wireless internet to police, fire, and public works +employees, or businesses that want to establish wireless networks on the +cheap. Moteran has similar aspirations for small businesses and for +enterprise networks. + +The first place average users may use the technology is when it is +incorporated into vehicles, enabling motorists to access the internet at +high speeds, which both companies see happening soon. + +When will you be able to wander around town with a 6Mbps connection in +your pocket? It's too soon to say, but just as broadband internet service +was initially available only to businesses and universities, eventually +someone will see the profit in bringing mesh networking to the masses. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0462.6b066ed01f1856371a7ca52580774a20 b/machine-learning-ex6/ex6/easy_ham/0462.6b066ed01f1856371a7ca52580774a20 new file mode 100644 index 0000000..b6dbeac --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0462.6b066ed01f1856371a7ca52580774a20 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Sep 3 14:24:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A6DE16F3C + for ; Tue, 3 Sep 2002 14:22:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:22:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g834TbZ04719 for ; + Tue, 3 Sep 2002 05:29:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 068F7294197; Mon, 2 Sep 2002 21:23:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 8DF23294099 for ; + Mon, 2 Sep 2002 21:22:54 -0700 (PDT) +Received: (qmail 8874 invoked by uid 1111); 3 Sep 2002 04:24:47 -0000 +From: "Adam L. Beberg" +To: RossO +Cc: +Subject: Re: Electric car an Edsel... +In-Reply-To: <9FD20548-BEEE-11D6-88BE-00039344DDD6@ordersomewherechaos.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 2 Sep 2002 21:24:47 -0700 (PDT) +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On 2 Sep 2002, RossO wrote: + +> John Waylan (who was interviewed in Wired a few years back) pulled out a +> 14.4 second run in the quarter mile (91mph), on a battery pack that +> hasn't been broken in yet. He expects to break his record next year +> topping his 13.1sec/99mph run a couple of years ago. He's shooting for a +> 12 second run. + +Battery pack, huh what??? + +You dont use batteries for a 1/4 mile run, you use capacitors. MANY times +the energy density, and you can get the energy out fast enough. Note that +the battery packs are fully swapped out for recharging after each run +anyway, just like a gas dragster is refueled, so this wouldnt be cheating. +200 MPH should be no problem. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0463.c5c77cc5a816139109a96702b323b6b3 b/machine-learning-ex6/ex6/easy_ham/0463.c5c77cc5a816139109a96702b323b6b3 new file mode 100644 index 0000000..b08d469 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0463.c5c77cc5a816139109a96702b323b6b3 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Sep 3 14:24:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E969316F3E + for ; Tue, 3 Sep 2002 14:23:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:23:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g836KxZ07386 for ; + Tue, 3 Sep 2002 07:20:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A8812941C2; Mon, 2 Sep 2002 23:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 0AECF294199 for + ; Mon, 2 Sep 2002 23:17:40 -0700 (PDT) +Received: (qmail 5529 invoked by uid 508); 3 Sep 2002 06:20:00 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.48) by + venus.phpwebhosting.com with SMTP; 3 Sep 2002 06:20:00 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g836JvX03835; Tue, 3 Sep 2002 08:19:57 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: "Adam L. Beberg" +Cc: RossO , +Subject: Re: Electric car an Edsel... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 08:19:57 +0200 (CEST) +X-Spam-Status: No, hits=-7.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.41-cvs +X-Spam-Level: + +On Mon, 2 Sep 2002, Adam L. Beberg wrote: + +> Battery pack, huh what??? +> +> You dont use batteries for a 1/4 mile run, you use capacitors. MANY times + +Actually, you use both. + +> the energy density, and you can get the energy out fast enough. Note that + +No, even best supercapacitors are a long way to go from reasonably good +electrochemical energy sources. But you can recharge and discharge them +very quickly, and they take lots more of cycles than the best battery. +Ideal for absorbing the braking energy and turn them into smoking tires +few moments or minutes afterwards. + +> the battery packs are fully swapped out for recharging after each run +> anyway, just like a gas dragster is refueled, so this wouldnt be cheating. +> 200 MPH should be no problem. + +I don't see any reason why EVs shouldn't dominate dragster runs. The +traction is the limiting factor, not motor power. You can basically put +the motors into wheelhubs mounted on a composite frame, and dump juice +into them until they melt, which will be some 100 sec downstream. Plenty +of time to smoke anything. + +Of course, it doesn't roar, and spew smokage, so it won't happen. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0464.9699fdf835af939a7e52e229a2d62d8d b/machine-learning-ex6/ex6/easy_ham/0464.9699fdf835af939a7e52e229a2d62d8d new file mode 100644 index 0000000..0b67fa4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0464.9699fdf835af939a7e52e229a2d62d8d @@ -0,0 +1,66 @@ +From fork-admin@xent.com Tue Sep 3 18:04:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 39FBF16F56 + for ; Tue, 3 Sep 2002 18:04:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 18:04:36 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g83H0wZ28126 for + ; Tue, 3 Sep 2002 18:01:04 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id SAA02554 for ; Tue, 3 Sep 2002 18:01:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9FC4D2940E8; Tue, 3 Sep 2002 09:53:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.datastore.ca (unknown [207.61.5.2]) by xent.com + (Postfix) with ESMTP id 68F07294099 for ; Tue, + 3 Sep 2002 09:52:12 -0700 (PDT) +Received: from maya.dyndns.org [207.61.5.143] by mail.datastore.ca + (SMTPD32-7.00) id A982B010040; Tue, 03 Sep 2002 12:55:30 -0400 +Received: by maya.dyndns.org (Postfix, from userid 501) id 02C1F1C327; + Tue, 3 Sep 2002 12:53:58 -0400 (EDT) +To: "Russell Turpin" +Cc: fork@example.com +Subject: Re: Signers weren't angry young men (was: Java is for kiddies) +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Sep 2002 12:53:58 -0400 +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SMTPD_IN_RCVD,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + + +I stand corrected --- I'd thought I'd seen a display there listing in +the Ben Franklin museum which showed them as ranging in age from 19 to +just over 30 for the oldest, most in their early twenties. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0465.e7cf144bbb6013653c38e838fd68f581 b/machine-learning-ex6/ex6/easy_ham/0465.e7cf144bbb6013653c38e838fd68f581 new file mode 100644 index 0000000..e131a13 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0465.e7cf144bbb6013653c38e838fd68f581 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Tue Sep 3 22:20:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0A1F716F67 + for ; Tue, 3 Sep 2002 22:19:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:19:31 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g83KO1Z01894 for + ; Tue, 3 Sep 2002 21:24:01 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id VAA03489 for ; Tue, 3 Sep 2002 21:24:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E84A72940F6; Tue, 3 Sep 2002 13:16:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm7-47.sba1.netlojix.net + [207.71.222.143]) by xent.com (Postfix) with ESMTP id 1404F294099 for + ; Tue, 3 Sep 2002 13:15:06 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id NAA06379; + Tue, 3 Sep 2002 13:04:23 -0700 +Message-Id: <200209032004.NAA06379@maltesecat> +To: fork@example.com +Subject: Re: no matter where you go +In-Reply-To: Message from + "James Tauber" + of + "Thu, 29 Aug 2002 10:58:35 GMT." + <20020829105836.0628D2FD34@server3.fastmail.fm> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 03 Sep 2002 13:04:22 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + + + +> Another thing to note about Australia is that, while the highest income +> tax bracket (47%) isn't *that* high, it kicks in at around USD33,000. + +and it looks like PPP for USD 33k is only +about USD 50k*, at least in Big Macs: + + +Australia A$3.00 USD 1.62 -35% +US $2.49 USD 2.49 +Switzerland SFr6.30 USD 3.81 +53% + +Interestingly enough, although housing in +Perth seems cheap, housing in Switzerland +doesn't seem to be as expensive as the Big +Macs would imply. + +-Dave + +* which still doesn't sound bad, if one +can convert urban CA equity into free and +clear Oz ownership. + diff --git a/machine-learning-ex6/ex6/easy_ham/0466.831f4b97805c8e03cf6630716309e89e b/machine-learning-ex6/ex6/easy_ham/0466.831f4b97805c8e03cf6630716309e89e new file mode 100644 index 0000000..a87d892 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0466.831f4b97805c8e03cf6630716309e89e @@ -0,0 +1,66 @@ +From fork-admin@xent.com Tue Sep 3 22:20:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DC11E16F6A + for ; Tue, 3 Sep 2002 22:19:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:19:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g83KYLZ02183 for ; + Tue, 3 Sep 2002 21:34:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1F4782941C7; Tue, 3 Sep 2002 13:29:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id A10642941C4 for ; + Tue, 3 Sep 2002 13:28:41 -0700 (PDT) +Received: (qmail 11992 invoked by uid 1111); 3 Sep 2002 20:31:03 -0000 +From: "Adam L. Beberg" +To: Russell Turpin +Cc: +Subject: Re: Signers weren't angry young men (was: Java is for kiddies) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 13:31:03 -0700 (PDT) +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On Tue, 3 Sep 2002, Russell Turpin wrote: + +> For the most part, these were angry, middle-aged men. A column in this +> table shows their age at the time: + +Mainly they were a bunch of rich people (the white/old/male is irrelivant +but how it happened to be at the time) that didnt want to pay their taxes to +da man er... king. So they had a revolution and formed a no-tax zone, +leading to a very fast growing economy and dreams for all - amazing what +an economy without 40% of everything disappearing to taxes. It was a great +many years before their were federal taxes in the US. + +Now we give rich men who dont want to pay any taxes corporations to run, +with enough writeoffs and loopholes that they dont have to pay any :) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0467.2c8e19f45e0110db44dcda8529f10676 b/machine-learning-ex6/ex6/easy_ham/0467.2c8e19f45e0110db44dcda8529f10676 new file mode 100644 index 0000000..5495bee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0467.2c8e19f45e0110db44dcda8529f10676 @@ -0,0 +1,98 @@ +From fork-admin@xent.com Tue Sep 3 22:20:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 149C716F69 + for ; Tue, 3 Sep 2002 22:19:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:19:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g83KStZ01954 for ; + Tue, 3 Sep 2002 21:28:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8361294103; Tue, 3 Sep 2002 13:26:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id A643E294099 for ; Tue, + 3 Sep 2002 13:25:12 -0700 (PDT) +Received: (qmail 18433 invoked from network); 3 Sep 2002 20:27:39 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 3 Sep 2002 20:27:39 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: Gasp! +Message-Id: <005601c25388$59f8f220$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 13:27:40 -0700 +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +I used Async IO on System V in the '87, '88 time frame. I did it that +way cause I thought it was cool to see if I could keep the tape +spinning. + +I can believe Linux is catching up to this, but some ability to do async +IO already existed in the UNIX world. + +John Hall +13464 95th Ave NE +Kirkland WA 98034 + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Adam +> L. Beberg +> Sent: Saturday, August 31, 2002 7:35 PM +> To: fork@example.com +> Subject: Gasp! +> +> "Red Hat Linux Advanced Server provides many high end features such +as: +> Support for Asynchronous I/O. Now read I/O no longer needs to stall +your +> application while waiting for completion." +> +> Could it be? After 20 years without this feature UNIX finally catches +up +> to +> Windows and has I/O that doesnt totally suck for nontrivial apps? No +way! +> +> OK, so they do it with signals or a flag, which is completely ghetto, +but +> at +> least they are trying. Keep trying guys, you got the idea, but not the +> clue. +> +> - Adam L. "Duncan" Beberg +> http://www.mithral.com/~beberg/ +> beberg@mithral.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0468.0b81ecd8710adb4c1ed9920b5fd03e88 b/machine-learning-ex6/ex6/easy_ham/0468.0b81ecd8710adb4c1ed9920b5fd03e88 new file mode 100644 index 0000000..bba0ef4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0468.0b81ecd8710adb4c1ed9920b5fd03e88 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Tue Sep 3 22:20:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E36DA16F6B + for ; Tue, 3 Sep 2002 22:20:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:20:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g83KhwZ02538 for ; + Tue, 3 Sep 2002 21:43:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9B2CC2940FD; Tue, 3 Sep 2002 13:41:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (gateway.ximian.com [141.154.95.125]) + by xent.com (Postfix) with ESMTP id 5D715294099 for ; + Tue, 3 Sep 2002 13:40:44 -0700 (PDT) +Received: (from louie@localhost) by localhost.localdomain (8.11.6/8.11.6) + id g83KgAs02179 for fork@xent.com; Tue, 3 Sep 2002 16:42:10 -0400 +X-Authentication-Warning: localhost.localdomain: louie set sender to + louie@ximian.com using -f +Subject: Re: Signers weren't angry young men (was: Java is for kiddies) +From: Luis Villa +To: fork@example.com +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +Organization: +Message-Id: <1031085728.1780.11.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailer: Ximian Evolution 1.1.0.99 (Preview Release) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Sep 2002 16:42:09 -0400 +X-Spam-Status: No, hits=-12.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + X_AUTH_WARNING + version=2.41-cvs +X-Spam-Level: + +On Tue, 2002-09-03 at 16:31, Adam L. Beberg wrote: + +> It was a great many years before their were federal taxes in the US. + +And during said period there were more than a few serious depressions. +Amazing what economies tend to do with or without taxes. + +Luis + diff --git a/machine-learning-ex6/ex6/easy_ham/0469.8b40f778677e8d001ca14bcc4268b41b b/machine-learning-ex6/ex6/easy_ham/0469.8b40f778677e8d001ca14bcc4268b41b new file mode 100644 index 0000000..a4c6615 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0469.8b40f778677e8d001ca14bcc4268b41b @@ -0,0 +1,130 @@ +From fork-admin@xent.com Wed Sep 4 11:41:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D9B4916F7A + for ; Wed, 4 Sep 2002 11:40:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g83LawZ04243 for ; + Tue, 3 Sep 2002 22:36:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A0104294108; Tue, 3 Sep 2002 14:34:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id D675F294099; Tue, 3 Sep 2002 14:33:22 + -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g83LZnfw010916; Tue, 3 Sep 2002 14:35:50 + -0700 (PDT) +Subject: InfoWorld profile of Max Levchin +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Rohit Khare +To: fork@example.com +Message-Id: <1C5D938E-BF85-11D6-8989-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 14:35:48 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g83LawZ04243 +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=ACCEPT_CREDIT_CARDS,AWL,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_APPLEMAIL + version=2.41-cvs +X-Spam-Level: + +Congrats, in the end... +> "If they didn't have Max, they might have succumbed, because PayPal was +> susceptible to fraud and money laundering, and Max tightened them up," + +http://www.infoworld.com/articles/ct/xml/02/09/02/020902ctspotlight.xml + +Secure and at ease +By Jack Mccarthy +August 30, 2002 1:01 pm PT + +MAX LEVCHIN'S FASCINATION with encryption started when he was a teenager +in Kiev, Ukraine, and continued as he immigrated to the United States +where he attended the University of Illinois at Urbana-Champaign. In +late 1998, not two years out of college, he drew on his passion to +co-found PayPal, the online payment system that has since attracted tens +of millions of users and gained the reputation as the premier Internet +transaction processor. Now online auction house eBay has acquired his +company for a king's ransom. + +Not bad for a 27-year-old kid from Ukraine. + +A programmer since he was 10 years old, Levchin and his family moved to +Chicago in 1991, and since then he has pursued security as if on a +mission. He created a startup right out of college to build secure +passwords for Palm Pilots. He met Peter Thiel, and the two founded +PayPal to target online payment security. Thiel is now CEO of the +company. + +"This company was founded on the notion of security value," Levchin +says. "Peter Thiel and I shared that vision from the very beginning." + +Thiel concentrates on company business matters, whereas Levchin remains +focused on security, which he says is the key to the company's good +fortune. + +"I explain [PayPal] as a security company posing as a transaction +processor," Levchin says. "We spend a lot of time designing security so +it doesn't step on the toes of convenience and not the other way around. +The trade-off is fundamental." + +Mountain View, Calif.-based PayPal allows businesses and consumers with +e-mail addresses to send and receive payments via the Internet, +accepting credit card or bank account payments for purchases. The +service extends to 38 countries, with more than 17 million users and +more than 3 million business accounts. + +Most of PayPal's users are participants in online auctions, which led +PayPal to be closely linked with eBay, the leading Web auction site. +Although they were once rivals, the relationship between the two +companies resulted July 8 in eBay's tentative $1.5 billion acquisition +of PayPal. The agreement is subject to regulatory review. + +Levchin says he will stay at PayPal as it merges with eBay. "There are +areas of synergy and collaboration we can explore." + +Although security is a dominant feature for PayPal, the company's +ability to carry out open communications among the millions of +participants fits the growing Web services model, Levchin says. + +"This is a service that links people and allows them to send messages to +one another," he says. Levchin is a panelist at InfoWorld's +Next-Generation Web Services II conference Sept. 20 + +PayPal, as an online payment system, is a natural target for fraud. And +Levchin has almost singlehandedly saved the company from thieves bent on +exploiting the system, says Avivah Litan, a vice president and analyst +covering financial services at Stamford, Conn.-based Gartner. + +"If they didn't have Max, they might have succumbed, because PayPal was +susceptible to fraud and money laundering, and Max tightened them up," +Litan says. + +To combat criminals, Levchin established "Igor," an antifraud program +that monitors transactions and warns of suspicious accounts. Levchin +says building security and antifraud systems is a job he relishes. "The +work I do is important to PayPal and to consumers in general because the +work makes Internet shopping safe. It's the view that ecommerce has +arrived." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0470.d5ad7286cd913b0cfdff5b954b9338ac b/machine-learning-ex6/ex6/easy_ham/0470.d5ad7286cd913b0cfdff5b954b9338ac new file mode 100644 index 0000000..d1ea878 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0470.d5ad7286cd913b0cfdff5b954b9338ac @@ -0,0 +1,132 @@ +From fork-admin@xent.com Wed Sep 4 11:41:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6A10416F7B + for ; Wed, 4 Sep 2002 11:40:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g83MKvZ05458 for ; + Tue, 3 Sep 2002 23:20:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6F2942940C9; Tue, 3 Sep 2002 15:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id 6B789294099 for ; + Tue, 3 Sep 2002 15:17:08 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + D93F83F4EB; Tue, 3 Sep 2002 18:17:30 -0400 (EDT) +From: kragen@pobox.com (Kragen Sitaker) +To: fork@example.com +Subject: asynchronous I/O (was Re: Gasp!) +Message-Id: <20020903221730.D93F83F4EB@panacea.canonical.org> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 18:17:30 -0400 (EDT) +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +Of course we've had select() since BSD 4.2 and poll() since System V +or so, and they work reasonably well for asynchronous I/O up to a +hundred or so channels, but suck after that; /dev/poll (available in +Solaris and Linux) is one approach to solving this; Linux has a way to +do essentially the same thing with real-time signals, and has for +years; and FreeBSD has kqueue. + +More details about these are at +http://www.citi.umich.edu/projects/linux-scalability/ + +None of this helps with disk I/O; most programs that need to overlap +disk I/O with computation, on either proprietary Unixes or Linux, just +use multiple threads or processes to handle the disk I/O. + +POSIX specifies a mechanism for nonblocking disk I/O that most +proprietary Unixes implement. The Linux kernel hackers are currently +rewriting Linux's entire I/O subsystem essentially from scratch to +work asynchronously, because they can easily build efficient +synchronous I/O primitives from asynchronous ones, but not the other +way around. So now Linux will support this mechanism too. + +It probably doesn't need saying for anyone who's read Beberg saying +things like "Memory management is a non-issue for anyone that has any +idea at all how the hardware functions," but he's totally off-base. +People should know by now not to take anything he says seriously, but +apparently some don't, so I'll rebut. + +Not surprisingly, the rebuttal requires many more words than the +original stupid errors. + +In detail, he wrote: +> Could it be? After 20 years without this feature UNIX finally +> catches up to Windows and has I/O that doesnt [sic] totally suck for +> nontrivial apps? No way! + +Unix acquired nonblocking I/O in the form of select() about 23 years +ago, and Solaris has had the particular aio_* calls we are discussing +for many years. Very few applications need the aio_* calls --- +essentially only high-performance RDBMS servers even benefit from them +at all, and most of those have been faking it fine for a while with +multiple threads or processes. This just provides a modicum of extra +performance. + +> OK, so they do it with signals or a flag, which is completely +> ghetto, but at least they are trying. Keep trying guys, you got the +> idea, but not the clue. + +Readers can judge who lacks the clue here. + +> The Windows I/O model does definately [sic] blow the doors off the +> UNIX one, but then they had select to point at in it's [sic] +> suckiness and anything would have been an improvement. UNIX is just +> now looking at it's [sic] I/O model and adapting to a multiprocess +> multithreaded world so it's gonna be years yet before a posix API +> comes out of it. + +Although I don't have a copy of the spec handy, I think the aio_* APIs +come from the POSIX spec IEEE Std 1003.1-1990, section 6.7.9, which is +13 years old, and which I think documented then-current practice. +They might be even older than that. + +Unix has been multiprocess since 1969, and most Unix implementations +have supported multithreading for a decade or more. + +> Bottom line is the "do stuff when something happens" model turned +> out to be right, and the UNIX "look for something to do and keep +> looking till you find it no matter how many times you have to look" +> is not really working so great anymore. + +Linux's aio_* routines can notify the process of their completion with +a "signal", a feature missing in Microsoft Windows; a "signal" causes +the immediate execution of a "signal handler" in a process. By +contrast, the Microsoft Windows mechanisms to do similar things (such +as completion ports) do not deliver a notification until the process +polls them. + +I don't think signals are a better way to do things in this case +(although I haven't written any RDBMSes myself), but you got the +technical descriptions of the two operating systems exactly backwards. +Most programs that use Linux real-time signals for asynchronous +network I/O, in fact, block the signal in question and poll the signal +queue in a very Windowsish way, using sigtimedwait() or sigwaitinfo(). + +-- + Kragen Sitaker +Edsger Wybe Dijkstra died in August of 2002. This is a terrible loss after +which the world will never be the same. +http://www.xent.com/pipermail/fork/2002-August/013974.html + diff --git a/machine-learning-ex6/ex6/easy_ham/0471.55f1c6122fd60d151c2c42182ecb734a b/machine-learning-ex6/ex6/easy_ham/0471.55f1c6122fd60d151c2c42182ecb734a new file mode 100644 index 0000000..4f4427c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0471.55f1c6122fd60d151c2c42182ecb734a @@ -0,0 +1,54 @@ +From fork-admin@xent.com Wed Sep 4 11:41:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 47DE916F7C + for ; Wed, 4 Sep 2002 11:40:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g842OvZ16287 for ; + Wed, 4 Sep 2002 03:24:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BC64A2941C9; Tue, 3 Sep 2002 19:22:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 6022F294099 for ; + Tue, 3 Sep 2002 19:21:23 -0700 (PDT) +Received: (qmail 13308 invoked by uid 1111); 4 Sep 2002 02:23:46 -0000 +From: "Adam L. Beberg" +To: +Subject: Re: Electric car an Edsel... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 19:23:46 -0700 (PDT) +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +Ah, THIS is the car i've seen on discovery channel, but url via a lurker. + +http://arivettracing.com/battery.html + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0472.7754e8093e51b661160153403b2915c4 b/machine-learning-ex6/ex6/easy_ham/0472.7754e8093e51b661160153403b2915c4 new file mode 100644 index 0000000..e03cf92 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0472.7754e8093e51b661160153403b2915c4 @@ -0,0 +1,59 @@ +From fork-admin@xent.com Wed Sep 4 11:42:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E649116F7E + for ; Wed, 4 Sep 2002 11:40:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g842WvZ16398 for ; + Wed, 4 Sep 2002 03:32:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 984352941CF; Tue, 3 Sep 2002 19:30:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [63.145.31.2]) by xent.com (Postfix) + with ESMTP id 6C9A4294099 for ; Tue, 3 Sep 2002 19:29:40 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Wed, 04 Sep 2002 02:30:43 -08:00 +Message-Id: <3D757053.7030006@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: "Adam L. Beberg" +Cc: Kragen Sitaker , fork@example.com +Subject: Re: asynchronous I/O (was Re: Gasp!) +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 03 Sep 2002 19:30:43 -0700 +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.41-cvs +X-Spam-Level: + +Adam L. Beberg wrote: +> On Tue, 3 Sep 2002, Kragen Sitaker wrote: +> [entire post included] + +Yep, he sure did. But thanks for reminding us. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0473.c16661c43da07d0a3a9baaca5e14292d b/machine-learning-ex6/ex6/easy_ham/0473.c16661c43da07d0a3a9baaca5e14292d new file mode 100644 index 0000000..7c946b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0473.c16661c43da07d0a3a9baaca5e14292d @@ -0,0 +1,143 @@ +From fork-admin@xent.com Wed Sep 4 11:41:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D05D716F7D + for ; Wed, 4 Sep 2002 11:40:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g842TMZ16374 for ; + Wed, 4 Sep 2002 03:29:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7910E2941D0; Tue, 3 Sep 2002 19:23:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id CED692941CF for ; + Tue, 3 Sep 2002 19:22:11 -0700 (PDT) +Received: (qmail 13312 invoked by uid 1111); 4 Sep 2002 02:24:24 -0000 +From: "Adam L. Beberg" +To: Kragen Sitaker +Cc: +Subject: Re: asynchronous I/O (was Re: Gasp!) +In-Reply-To: <20020903221730.D93F83F4EB@panacea.canonical.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 19:24:24 -0700 (PDT) +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On Tue, 3 Sep 2002, Kragen Sitaker wrote: + +> Of course we've had select() since BSD 4.2 and poll() since System V +> or so, and they work reasonably well for asynchronous I/O up to a +> hundred or so channels, but suck after that; /dev/poll (available in +> Solaris and Linux) is one approach to solving this; Linux has a way to +> do essentially the same thing with real-time signals, and has for +> years; and FreeBSD has kqueue. +> +> More details about these are at +> http://www.citi.umich.edu/projects/linux-scalability/ +> +> None of this helps with disk I/O; most programs that need to overlap +> disk I/O with computation, on either proprietary Unixes or Linux, just +> use multiple threads or processes to handle the disk I/O. +> +> POSIX specifies a mechanism for nonblocking disk I/O that most +> proprietary Unixes implement. The Linux kernel hackers are currently +> rewriting Linux's entire I/O subsystem essentially from scratch to +> work asynchronously, because they can easily build efficient +> synchronous I/O primitives from asynchronous ones, but not the other +> way around. So now Linux will support this mechanism too. +> +> It probably doesn't need saying for anyone who's read Beberg saying +> things like "Memory management is a non-issue for anyone that has any +> idea at all how the hardware functions," but he's totally off-base. +> People should know by now not to take anything he says seriously, but +> apparently some don't, so I'll rebut. +> +> Not surprisingly, the rebuttal requires many more words than the +> original stupid errors. +> +> In detail, he wrote: +> > Could it be? After 20 years without this feature UNIX finally +> > catches up to Windows and has I/O that doesnt [sic] totally suck for +> > nontrivial apps? No way! +> +> Unix acquired nonblocking I/O in the form of select() about 23 years +> ago, and Solaris has had the particular aio_* calls we are discussing +> for many years. Very few applications need the aio_* calls --- +> essentially only high-performance RDBMS servers even benefit from them +> at all, and most of those have been faking it fine for a while with +> multiple threads or processes. This just provides a modicum of extra +> performance. +> +> > OK, so they do it with signals or a flag, which is completely +> > ghetto, but at least they are trying. Keep trying guys, you got the +> > idea, but not the clue. +> +> Readers can judge who lacks the clue here. +> +> > The Windows I/O model does definately [sic] blow the doors off the +> > UNIX one, but then they had select to point at in it's [sic] +> > suckiness and anything would have been an improvement. UNIX is just +> > now looking at it's [sic] I/O model and adapting to a multiprocess +> > multithreaded world so it's gonna be years yet before a posix API +> > comes out of it. +> +> Although I don't have a copy of the spec handy, I think the aio_* APIs +> come from the POSIX spec IEEE Std 1003.1-1990, section 6.7.9, which is +> 13 years old, and which I think documented then-current practice. +> They might be even older than that. +> +> Unix has been multiprocess since 1969, and most Unix implementations +> have supported multithreading for a decade or more. +> +> > Bottom line is the "do stuff when something happens" model turned +> > out to be right, and the UNIX "look for something to do and keep +> > looking till you find it no matter how many times you have to look" +> > is not really working so great anymore. +> +> Linux's aio_* routines can notify the process of their completion with +> a "signal", a feature missing in Microsoft Windows; a "signal" causes +> the immediate execution of a "signal handler" in a process. By +> contrast, the Microsoft Windows mechanisms to do similar things (such +> as completion ports) do not deliver a notification until the process +> polls them. +> +> I don't think signals are a better way to do things in this case +> (although I haven't written any RDBMSes myself), but you got the +> technical descriptions of the two operating systems exactly backwards. +> Most programs that use Linux real-time signals for asynchronous +> network I/O, in fact, block the signal in question and poll the signal +> queue in a very Windowsish way, using sigtimedwait() or sigwaitinfo(). +> +> -- +> Kragen Sitaker +> Edsger Wybe Dijkstra died in August of 2002. This is a terrible loss after +> which the world will never be the same. +> http://www.xent.com/pipermail/fork/2002-August/013974.html +> + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0474.0b5f82aa1324baf9cf718849c48d679e b/machine-learning-ex6/ex6/easy_ham/0474.0b5f82aa1324baf9cf718849c48d679e new file mode 100644 index 0000000..536327e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0474.0b5f82aa1324baf9cf718849c48d679e @@ -0,0 +1,155 @@ +From fork-admin@xent.com Wed Sep 4 11:42:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3EC1A16F76 + for ; Wed, 4 Sep 2002 11:40:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:18 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g845KvZ20808 for ; + Wed, 4 Sep 2002 06:20:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DD10829409C; Tue, 3 Sep 2002 22:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp6.mindspring.com (smtp6.mindspring.com + [207.69.200.110]) by xent.com (Postfix) with ESMTP id B8988294099 for + ; Tue, 3 Sep 2002 22:17:41 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + smtp6.mindspring.com with esmtp (Exim 3.33 #1) id 17mSaG-0006jX-00; + Wed, 04 Sep 2002 01:20:08 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: +From: "R. A. Hettinga" +Subject: Re: Electric car an Edsel... +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 01:08:58 -0400 +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +From: A guy who models plasma all day... +To: "R. A. Hettinga" +Subject: Re: Electric car an Edsel... +Date: Tue, 3 Sep 2002 22:49:20 -0600 + +Bob, + +This capacitor drive idea isn't completely stupid, but neither is it well +thought out. + +Maxwell (www.maxwell.com) makes and sells high energy density capacitors, +called ultracapacitors. They deliver them in an air-cooled, voltage +regulated module that will charge to 42 V and hold 128 kilojoules -- roughly +the energy in 2 teaspoons of sugar or a bite of a donut -- and weighs 16 +kilograms. If that electrical energy could all be converted to kinetic +energy, there's enough to get the capacitor module up to about 200 mph -- in +a vacuum. + +Suppose you take the entire power density of the capacitor module -- 2.8 +kw/kg (~4 hp/kg!) -- and punch it through an electric motor. How much does +the 64 hp electric motor weigh? If it were as little as 50 kg -- and I bet +it isn't -- that capacitor and motor would have a top speed of 100 mph -- +the speed at which their energy is the 128 kJ that was initially stored +electrically in the capacitor. And it's not at all obvious that the torque +vs. speed characteristic of 42 V DC motors will support this, or how they do +it without wheels, drive train, etc. + +But if they can, they can only do it in a vacuum where there is no drag! + +On to the Lunarnationals? Or would you prefer the bite of donut? + + + + +----- Original Message ----- +From: "R. A. Hettinga" +To: "Vinnie Moscaritolo" ; "Randolph Elliott" +; ; "Duncan Goldie-Scot" +; "G. Gruff" ; + +Sent: Monday, September 02, 2002 11:15 PM +Subject: Re: Electric car an Edsel... + + +> +> --- begin forwarded text +> +> +> Status: RO +> Delivered-To: fork@example.com +> From: "Adam L. Beberg" +> To: RossO +> Cc: +> Subject: Re: Electric car an Edsel... +> Sender: fork-admin@xent.com +> Date: Mon, 2 Sep 2002 21:24:47 -0700 (PDT) +> +> On 2 Sep 2002, RossO wrote: +> +> > John Waylan (who was interviewed in Wired a few years back) pulled out a +> > 14.4 second run in the quarter mile (91mph), on a battery pack that +> > hasn't been broken in yet. He expects to break his record next year +> > topping his 13.1sec/99mph run a couple of years ago. He's shooting for a +> > 12 second run. +> +> Battery pack, huh what??? +> +> You dont use batteries for a 1/4 mile run, you use capacitors. MANY times +> the energy density, and you can get the energy out fast enough. Note that +> the battery packs are fully swapped out for recharging after each run +> anyway, just like a gas dragster is refueled, so this wouldnt be cheating. +> 200 MPH should be no problem. +> +> - Adam L. "Duncan" Beberg +> http://www.mithral.com/~beberg/ +> beberg@mithral.com +> +> --- end forwarded text +> +> +> -- +> ----------------- +> R. A. Hettinga +> The Internet Bearer Underwriting Corporation +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +> + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + diff --git a/machine-learning-ex6/ex6/easy_ham/0475.d5afc23cfec40c4cd65198f1e88a193d b/machine-learning-ex6/ex6/easy_ham/0475.d5afc23cfec40c4cd65198f1e88a193d new file mode 100644 index 0000000..4ca64c0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0475.d5afc23cfec40c4cd65198f1e88a193d @@ -0,0 +1,76 @@ +From fork-admin@xent.com Wed Sep 4 11:42:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F2D116F7F + for ; Wed, 4 Sep 2002 11:40:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:40:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8446wZ19174 for ; + Wed, 4 Sep 2002 05:07:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1428D2941CC; Tue, 3 Sep 2002 21:04:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id 18CEB294099 for + ; Tue, 3 Sep 2002 21:03:16 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17mRPg-0006Ag-00; + Wed, 04 Sep 2002 00:05:09 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: "Russell Turpin" , fork@example.com +From: "R. A. Hettinga" +Subject: Re: Signers weren't angry young men (was: Java is for kiddies) +Cc: Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 3 Sep 2002 23:18:58 -0400 +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +At 4:12 PM +0000 on 9/3/02, Russell Turpin wrote: + + +> Of the 56 signers of the Declaration of Independence, +> only two were in their twenties at the time. Their +> average age was forty-five. There were no teenagers. +> Fourteen were over fifty. Ben Franklin was the oldest, +> at seventy. For the most part, these were angry, +> middle-aged men. + +I think it was George Carlin who said something to the effect that young +men in general are boring, but, around fifty, men either have everything +they ever wanted, or have almost nothing of what they wanted; either of +which makes them behave quite interestingly. + +Cheers, +RAH + + +-- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"Never underestimate the power of stupid people in large groups." +--George Carlin + diff --git a/machine-learning-ex6/ex6/easy_ham/0476.ef07b997be9a011cba687d11ce274756 b/machine-learning-ex6/ex6/easy_ham/0476.ef07b997be9a011cba687d11ce274756 new file mode 100644 index 0000000..20bb9b4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0476.ef07b997be9a011cba687d11ce274756 @@ -0,0 +1,141 @@ +From fork-admin@xent.com Wed Sep 4 16:52:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BE41F16F22 + for ; Wed, 4 Sep 2002 16:51:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 16:51:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84Fn1Z08711 for ; + Wed, 4 Sep 2002 16:49:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EE0762940A8; Wed, 4 Sep 2002 08:46:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 1926F294099 for ; + Wed, 4 Sep 2002 08:45:45 -0700 (PDT) +Received: (qmail 15964 invoked by uid 1111); 4 Sep 2002 15:48:11 -0000 +From: "Adam L. Beberg" +To: +Subject: EPA Stunned: Diesel Exhaust Can Cause Cancer +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 08:48:11 -0700 (PDT) +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +Glad they finally figured this one out... Note the very careful wording, so +exhaust may be beneficial to ones health as long as you have a glass a day +with some cheese. + +Interesting timing, since 16,000 truckers just lost their jobs and dont have +to worry about death from this anymore. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + +-------- + +EPA: Diesel Exhaust Can Cause Cancer +Wed Sep 4, 3:29 AM ET +By H. JOSEF HEBERT, Associated Press Writer + +WASHINGTON (AP) - Inhaling diesel exhausts from large trucks and other +sources over time can cause cancer in humans, an Environmental Protection +Agency ( news - web sites) report concludes after a decade of study. + +The EPA finding, released Tuesday, is expected to buttress the government's +push to reduce truck tailpipe emissions by requiring cleaner-burning engines +and diesel fuel with ultra-low sulfur content. + +While acknowledging uncertainties about the long-term health effects of +exposure to diesel exhausts, the EPA report said studies involving both +animal tests and occupational exposure suggest strong evidence of a cancer +risk to humans. + +"It is reasonable to presume that the hazard extends to environmental +exposure levels" as well, the report said. "The potential human health +effects of diesel exhausts is persuasive, even though assumptions and +uncertainties are involved." + +The report mirrors conclusions made previously in documents from various +world health agencies and studies in California and is particularly +significant because the EPA is the federal agency that regulates diesel +emissions under the Clean Air Act. + +Some environmentalists have raised concerns recently that the Bush +administration might try to back away from a Clinton-era regulation that +would establish tougher requirements on emissions from large trucks and a +separate rule that virtually would eliminate sulfur from diesel fuel. + +EPA Administrator Christie Whitman repeatedly has promised to go ahead with +the tougher truck and diesel rules. Last month, with White House approval, +the EPA rebuffed attempts by some diesel engine manufacturers to postpone +the requirements, approving new penalties against manufacturers who fail to +meet an October deadline for making cleaner-burning truck engines. + +The engine rule does not affect emissions from trucks already on the road, +although the separate regulation cutting the amount of sulfur in diesel fuel +is expected to produce pollution reductions. + +The EPA's 651-page diesel health assessment did not attempt to estimate the +probability of an individual getting cancer, given certain exposure to +diesel exhaust. Such a risk assessment is commonly made by the EPA when +gauging pollution health concerns. + +But in this case, the report said, "the exposure-response data are +considered too uncertain" to produce a confident quantitative estimate of +cancer risk to an individual. + +Nevertheless, said the report, the "totality of evidence from human, animal +and other supporting studies" suggests that diesel exhaust "is likely to be +carcinogenic to humans by inhalation, and that this hazard applies to +environmental exposure." + +The report reiterated that environmental exposure to diesel exhausts poses +short-term health problems and in the long term has been shown to be a +"chronic respiratory hazard to humans" contributing to increased asthma and +other respiratory problems. In some urban areas diesel exhausts account for +as much as a quarter of the airborne microscopic soot, the report said. + +Environmentalists welcomed the study as clear evidence that pollution needs +to be curtailed not only from large trucks but also from off-road +diesel-powered vehicles. EPA spokeswoman Steffanie Bell said the agency +expects to publish a rule early next year dealing with those diesel exhaust +sources, which include farm tractors and construction equipment. + +Emily Figdor of the U.S. Public Interest Research Group, a private +environmental organization, said: "To reduce the public's exposure to +harmful diesel emissions, the Bush administration should ... fully implement +clean air standards for diesel trucks and buses and should pass equivalent +standards for diesel construction and farm equipment." + +Allen Schaeffer, executive director of the industry group Diesel Technology +Forum, said the EPA's report "focused on the past," whereas "the future is +clean diesel. Diesel trucks and buses built today are more than eight times +cleaner than just a dozen years ago." + +The report acknowledged that its findings were based on emissions levels in +the mid-1990s, but said the results continued to be valid because the slow +turnover of truck engines has kept many of these vehicles on the road. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0477.b7958d4d9cb312c16965859705826a7e b/machine-learning-ex6/ex6/easy_ham/0477.b7958d4d9cb312c16965859705826a7e new file mode 100644 index 0000000..5e287e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0477.b7958d4d9cb312c16965859705826a7e @@ -0,0 +1,109 @@ +From fork-admin@xent.com Wed Sep 4 19:01:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 483C116F49 + for ; Wed, 4 Sep 2002 18:59:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 18:59:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84GkFZ10966 for ; + Wed, 4 Sep 2002 17:46:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2B544294271; Wed, 4 Sep 2002 09:43:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id C3A082941DD for ; Wed, + 4 Sep 2002 09:42:48 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id EC5183EE16; + Wed, 4 Sep 2002 12:48:04 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id EAB013ED4C for ; Wed, + 4 Sep 2002 12:48:04 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Kill Your Gods +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 12:48:04 -0400 (EDT) +X-Spam-Status: No, hits=-5.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +Hindus mourn 'monkey god' + + +By Omer Farooq +BBC reporter in Hyderabad + +Hundreds of people have attended the funeral of a monkey which became +revered as a divine incarnation of a Hindu god in the southern Indian +state of Andhra Pradesh. + + +The monkey was quite old and both its hind legs were paralysed + +Animal rights campaigners say the monkey died of starvation and exhaustion +after being trapped in a temple for a month by over-zealous worshippers. + +The animal was cremated in Anantapur district, 400 kilometres (250 miles) +south of the state capital, Hyderabad, on Sunday. + +It had not eaten for three weeks. + +Last rites were performed by priests in the village of Timmiganipally in +the presence of hundreds of devotees who had come to believe that the +monkey was a reincarnation of the Hindu monkey god, Hanuman. + +Garlanded + +One animal rights activist said his group's efforts to save the monkey had +failed because of the blind faith of the people. + + +The monkey's death came a day after he and others tried to move the animal +out of the temple, but were prevented by villagers. + +The monkey, which was found perched on top of an idol of Hanuman a month +ago, attracted hundreds of devotees every day from surrounding villages, +as well as from the neighbouring state of Karnataka. + +Devotees showered the monkey with fruit and flowers and worshipped it +around the clock. + +'Exploited' + +Locals said they believed that Lord Hanuman was visiting the village, as +the temple had stopped daily rituals after a dispute between two groups of +residents. + +But animal rights campaigners complained that the animal was being +mistreated. + +They filed a petition in the state's High Court saying the monkey had been +forcibly confined in the temple. + +The group also alleged that people's religious feelings were being +exploited to make money. + +The court then ordered the local administration to rescue the monkey - but +villagers prevented officials from taking him for treatment in time. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0478.41ae16e74ab25e02113c5da21efd2804 b/machine-learning-ex6/ex6/easy_ham/0478.41ae16e74ab25e02113c5da21efd2804 new file mode 100644 index 0000000..dfc7592 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0478.41ae16e74ab25e02113c5da21efd2804 @@ -0,0 +1,143 @@ +From fork-admin@xent.com Wed Sep 4 19:01:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A4E7C16F1E + for ; Wed, 4 Sep 2002 19:00:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 19:00:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84GtxZ11326 for ; + Wed, 4 Sep 2002 17:56:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 07D262941FE; Wed, 4 Sep 2002 09:53:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from web14002.mail.yahoo.com (web14002.mail.yahoo.com + [216.136.175.93]) by xent.com (Postfix) with SMTP id B7E4A2941DD for + ; Wed, 4 Sep 2002 09:52:47 -0700 (PDT) +Message-Id: <20020904165518.58627.qmail@web14002.mail.yahoo.com> +Received: from [208.142.210.229] by web14002.mail.yahoo.com via HTTP; + Wed, 04 Sep 2002 09:55:18 PDT +From: sateesh narahari +Subject: Re: Kill Your Gods +To: Tom , fork@example.com +In-Reply-To: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 09:55:18 -0700 (PDT) +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + YAHOO_MSGID_ADDED + version=2.41-cvs +X-Spam-Level: + +Hindus got 3 billion gods..... So, losing one is no +big deal, really.... + +Its just sick that they killed an innocent animal, +which doesn't even know the concept of "God". + +Sateesh +--- Tom wrote: +> Hindus mourn 'monkey god' +> +> +> By Omer Farooq +> BBC reporter in Hyderabad +> +> Hundreds of people have attended the funeral of a +> monkey which became +> revered as a divine incarnation of a Hindu god in +> the southern Indian +> state of Andhra Pradesh. +> +> +> The monkey was quite old and both its hind legs were +> paralysed +> +> Animal rights campaigners say the monkey died of +> starvation and exhaustion +> after being trapped in a temple for a month by +> over-zealous worshippers. +> +> The animal was cremated in Anantapur district, 400 +> kilometres (250 miles) +> south of the state capital, Hyderabad, on Sunday. +> +> It had not eaten for three weeks. +> +> Last rites were performed by priests in the village +> of Timmiganipally in +> the presence of hundreds of devotees who had come to +> believe that the +> monkey was a reincarnation of the Hindu monkey god, +> Hanuman. +> +> Garlanded +> +> One animal rights activist said his group's efforts +> to save the monkey had +> failed because of the blind faith of the people. +> +> +> The monkey's death came a day after he and others +> tried to move the animal +> out of the temple, but were prevented by villagers. +> +> The monkey, which was found perched on top of an +> idol of Hanuman a month +> ago, attracted hundreds of devotees every day from +> surrounding villages, +> as well as from the neighbouring state of Karnataka. +> +> Devotees showered the monkey with fruit and flowers +> and worshipped it +> around the clock. +> +> 'Exploited' +> +> Locals said they believed that Lord Hanuman was +> visiting the village, as +> the temple had stopped daily rituals after a dispute +> between two groups of +> residents. +> +> But animal rights campaigners complained that the +> animal was being +> mistreated. +> +> They filed a petition in the state's High Court +> saying the monkey had been +> forcibly confined in the temple. +> +> The group also alleged that people's religious +> feelings were being +> exploited to make money. +> +> The court then ordered the local administration to +> rescue the monkey - but +> villagers prevented officials from taking him for +> treatment in time. +> +> +> + + +__________________________________________________ +Do You Yahoo!? +Yahoo! Finance - Get real-time stock quotes +http://finance.yahoo.com + diff --git a/machine-learning-ex6/ex6/easy_ham/0479.0af91f2b2adbdfb00edf424dfeedfdaf b/machine-learning-ex6/ex6/easy_ham/0479.0af91f2b2adbdfb00edf424dfeedfdaf new file mode 100644 index 0000000..0785e79 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0479.0af91f2b2adbdfb00edf424dfeedfdaf @@ -0,0 +1,115 @@ +From fork-admin@xent.com Wed Sep 4 19:11:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B7C6416F1F + for ; Wed, 4 Sep 2002 19:11:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 19:11:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84I75Z13842 for ; + Wed, 4 Sep 2002 19:07:06 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 43A7B29420F; Wed, 4 Sep 2002 11:04:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id AE02C2941DD for ; + Wed, 4 Sep 2002 11:03:09 -0700 (PDT) +Received: from Tycho (dhcp-60-118.cse.ucsc.edu [128.114.60.118]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g84I5JT12707 for + ; Wed, 4 Sep 2002 11:05:20 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: CD player UI for toddlers +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 11:03:03 -0700 +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.41-cvs +X-Spam-Level: + +So, like many young children, my daughter Tatum (age 21 months) *really* +likes music. She also likes to have control over her environment, and this +means she wants to be the one putting CDs into the CD player, and getting +the music playing. + +By watching Tatum, I've discovered that you can learn a lot about UI design +from watching 21-month-olds use technology. There is definitely a market +niche for a toddler-friendly CD/MP3 player. + +The CD player we have combines play and pause in a single button, but +doesn't provide *instantaneous* feedback that the button was pushed, instead +requiring you to wait until the music starts, 5-10 seconds. This is a UI +disaster. Since Tatum doesn't get feedback right away, she presses the +button again, thereby pausing the CD before it even plays. She'll only ever +get music if she presses the button an odd number of times. This happens a +surprising amount of the time, since she eventually hits the button again +when the music doesn't play. + +For toddlers, pressing play must cause the music to start immediately, +within half a second, for the toddler to get the causality and not press the +button multiple times. As well, pressing the button multiple times shouldn't +change the semantics, like an elevator button. No matter how many times you +press, the elevator still comes to that floor. The play button needs to be +the same. + +The back-hinged door mechanism feeding the CD into the player is also a UI +disaster for Tatum. Since the door hinges on the back, Tatum has to angle +CDs to put them in, and take them out. Putting CDs in isn't much of a +problem, but taking them out is. Since Tatum grabs CDs by the back edge, +that edge comes out first, hitting the lid. Tatum eventually forces and +wiggles the CD out, a process that's hard on the CD and the player (but +which hasn't yet resulted in the CD player being broken). Surprisingly, it +hasn't been a problem getting the CD hole onto the spindle -- Tatum seems to +understand this concept, and the CD load area geometry naturally guides the +CD. + +Tatum's CD player also plays tapes and has FM radio. For a toddler, this is +a mistake. Tatum doesn't understand the need to flick a switch to put the +player into a specific mode. She understands putting a CD in, and pressing +the play button. She sometimes understands the buttons for advancing a song, +but uses them erratically. As well, the radio feature has both FM mono and +FM stero, a distinction totally lost on Tatum. Tatum only understands the +binary distinction of music/no music. + +What would the ideal toddler CD player be like? It would immediately start +playing a CD after it was loaded. As soon as the CD load door was closed, it +would give some audible feedback. It would have a single large play button. +The other typical CD controls would be larger than normal, but at least half +the size of the play button, and located far away from the play button, so +there is no chance of them getting accidentally pressed on the way to play. +The play button would be a bright color that is different from the color of +the player, and different from the color of the other CD control keys. The +device would only play CDs, no other functions. The CD load area would flip +open at least 80 degrees. It should be small, approachable for a toddler. It +should be possible to repeatedly drop the player from a height of 1-2' +without affecting the player. + +- Jim + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0480.ac223ce8c5be563214bdc8e3af2a18b6 b/machine-learning-ex6/ex6/easy_ham/0480.ac223ce8c5be563214bdc8e3af2a18b6 new file mode 100644 index 0000000..aed2c2e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0480.ac223ce8c5be563214bdc8e3af2a18b6 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Thu Sep 5 11:30:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E0B6A16F78 + for ; Thu, 5 Sep 2002 11:28:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84In0Z15104 for ; + Wed, 4 Sep 2002 19:49:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 24D3F2941DD; Wed, 4 Sep 2002 11:46:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.datastore.ca (unknown [207.61.5.2]) by xent.com + (Postfix) with ESMTP id 243BB29410F for ; Wed, + 4 Sep 2002 11:45:43 -0700 (PDT) +Received: from maya.dyndns.org [207.61.5.143] by mail.datastore.ca + (SMTPD32-7.00) id A5AA6DD00CA; Wed, 04 Sep 2002 14:49:14 -0400 +Received: by maya.dyndns.org (Postfix, from userid 501) id 24C731C336; + Wed, 4 Sep 2002 14:47:45 -0400 (EDT) +To: "Jim Whitehead" +Cc: "FoRK" +Subject: Re: CD player UI for toddlers +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 04 Sep 2002 14:47:45 -0400 +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=CLICK_BELOW,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SMTPD_IN_RCVD,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +Our preschoolers (2 and 4) use Winamp with a Pokemon skin. It's the +2-yr-old who figured out he could put it into a sidebar menu so all +he need do is click there to launch their favourite MP3 playlist. + +What /we/ need is a good "barely literate" email program. Years ago +the university of Hawaii had a word processor that included a +voice-assist and also would pop up menus for common completions as +words were typed; even further back there was a DOS shareware editor +that did that latter function extremely well (targetted at the +handicapped). With just those little bits of assists, maybe some +clever use of pictograms too, I bet kindergarten kids could handle +email. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0481.3a50c09230e74743965ddec5ad754fa6 b/machine-learning-ex6/ex6/easy_ham/0481.3a50c09230e74743965ddec5ad754fa6 new file mode 100644 index 0000000..e9963fd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0481.3a50c09230e74743965ddec5ad754fa6 @@ -0,0 +1,58 @@ +From fork-admin@xent.com Thu Sep 5 11:30:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B488816F79 + for ; Thu, 5 Sep 2002 11:28:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84KZ2Z18149 for ; + Wed, 4 Sep 2002 21:35:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0F11A29413C; Wed, 4 Sep 2002 13:32:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-146-127.ny5030.east.verizon.net [162.83.146.127]) by xent.com + (Postfix) with ESMTP id 5E6622940AA for ; Wed, + 4 Sep 2002 13:31:18 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g84KRun04845 for ; + Wed, 4 Sep 2002 16:27:56 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: lucas@gonze.com +X-X-Sender: lgonze@localhost.localdomain +To: FoRK +Subject: whoa +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 16:27:56 -0400 (EDT) +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,RCVD_IN_OSIRUSOFT_COM, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT_PINE, + X_AUTH_WARNING,X_OSIRU_DUL,X_OSIRU_DUL_FH + version=2.50-cvs +X-Spam-Level: + + +This just blew my mind: +http://www.earthviewer.com/ + +The detail of my neighborhood -- even my building -- is unbelievable. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0482.b16742fbfb4ed41734f06279232dd8b0 b/machine-learning-ex6/ex6/easy_ham/0482.b16742fbfb4ed41734f06279232dd8b0 new file mode 100644 index 0000000..94473f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0482.b16742fbfb4ed41734f06279232dd8b0 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Thu Sep 5 11:30:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9D76316F7B + for ; Thu, 5 Sep 2002 11:28:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g850c1Z29435 for ; + Thu, 5 Sep 2002 01:38:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4FAAB294206; Wed, 4 Sep 2002 17:35:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 683DD2940AA for ; + Wed, 4 Sep 2002 17:34:07 -0700 (PDT) +Received: (qmail 17717 invoked by uid 1111); 5 Sep 2002 00:36:34 -0000 +From: "Adam L. Beberg" +To: +Subject: Ouch... +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 17:36:34 -0700 (PDT) +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Shouldn't a politician know not to tell the truth? Odds he's impeached by +next Monday? [ob: no-clue-how-they-remove-mayors-in-italy] + +Ouch. Ouch. Ouch. + +------------ + +Get Sexier, Keep Husbands, Mayor Tells Wives +Wed Sep 4, 9:14 AM ET + +MISSAGLIA, Italy (Reuters) - Husband's eyes wandering? Make yourself sexier. +At least that's the solution proposed by an Italian mayor -- and a woman +mayor at that. + +Wives in the northern town of Missaglia had complained to mayor Marta +Casiraghi about a young woman who sunbathed topless on her terrace. + +They complained that the men in the town of some 7,000 people were spending +too much time ogling, so they asked Casiraghi to order the woman to put her +clothes back on. + +But the mayor, far from sympathizing, told the wives to get sexy if they +wanted to keep their men. "The girl was very pretty and was soaking up some +sun. Topless sunbathing is largely tolerated and widespread nowadays. +There's nothing we can do," Casiraghi told Il Nuovo, a web-based newspaper. + +"Instead, I'd advise the wives to play their rival at her own game -- make +themselves more beautiful." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0483.fd69b8130b575cf7522607fc37d2549c b/machine-learning-ex6/ex6/easy_ham/0483.fd69b8130b575cf7522607fc37d2549c new file mode 100644 index 0000000..620a4aa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0483.fd69b8130b575cf7522607fc37d2549c @@ -0,0 +1,81 @@ +From fork-admin@xent.com Thu Sep 5 11:30:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E88116F7A + for ; Thu, 5 Sep 2002 11:28:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g84MJ5Z21570 for ; + Wed, 4 Sep 2002 23:19:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9926D2942CC; Wed, 4 Sep 2002 15:16:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id 679302942CA for + ; Wed, 4 Sep 2002 15:15:17 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g84MHeh28258; Wed, 4 Sep 2002 15:17:42 -0700 (PDT) +Message-Id: <3D768684.30702@cse.ucsc.edu> +From: Elias Sinderson +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: Jim Whitehead +Cc: FoRK +Subject: Re: Gecko adhesion finally sussed. +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 04 Sep 2002 15:17:40 -0700 +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Jim Whitehead wrote: + +>Great, this is half of what I'd need to become Spider Man! Now all I need to +>figure out is how to do that spider web shooting thing. +> + +Heheheh... So becomming a university professor was your second career +choice? ;-) + +Seriously though (or not, as the case may be), The Amazing Spiderman had +many other abilities to help him out. Most notable, perhaps, was his +'spidey strength' and 'spidey senses'. The strength to weight ratio of a +spider is so high that Spiderman is able to throw a bus several city +blocks with little effort. His endurance is similarly enhanced as well. + +As for the spidey senses, well they're really great, but AFAIK not +really well explained in the comic series. Spiders have multiple eyes, +ears, noses and tongues which Peter Parker did not visibly have. There +have been a few attempts to explain his heightened reflexes, from the +biological to hidden methamphetamine use, but none seem to do the spidey +sense justice... I seem to recall Spiderman being able to detect the +presence of well concealed weapons and even sense evil-doers while they +were in their street clothes. Perhaps the spidey senses are the result +of some sort of quantum entanglement? + + +Elias + + diff --git a/machine-learning-ex6/ex6/easy_ham/0484.9c63b894f85b12f32ad5e5b97cd5c49c b/machine-learning-ex6/ex6/easy_ham/0484.9c63b894f85b12f32ad5e5b97cd5c49c new file mode 100644 index 0000000..a9f45f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0484.9c63b894f85b12f32ad5e5b97cd5c49c @@ -0,0 +1,147 @@ +From fork-admin@xent.com Thu Sep 5 11:31:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8C39616F7D + for ; Thu, 5 Sep 2002 11:28:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85302Z01844 for ; + Thu, 5 Sep 2002 04:00:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 797F429420D; Wed, 4 Sep 2002 19:57:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mis-dns.mv.timesten.com (host209.timesten.com + [63.75.22.209]) by xent.com (Postfix) with ESMTP id 226EF2940AA for + ; Wed, 4 Sep 2002 19:56:05 -0700 (PDT) +Received: from mis-exchange.mv.timesten.com (mis-exchange.mv.timesten.com + [10.10.10.8]) by mis-dns.mv.timesten.com (8.11.0/8.11.0) with ESMTP id + g852waA32721 for ; Wed, 4 Sep 2002 19:58:36 -0700 +Received: by mis-exchange.mv.timesten.com with Internet Mail Service + (5.5.2653.19) id ; Wed, 4 Sep 2002 19:58:36 -0700 +Message-Id: <80CE2C46294CD61198BA00508BADCA830FD384@mis-exchange.mv.timesten.com> +From: Sherry Listgarten +To: "'fork@example.com'" +Subject: RE: Java is for kiddies +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="iso-8859-1" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 19:58:36 -0700 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=EXCHANGE_SERVER,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + + +Misc rants about finding jobs, java vs C, what makes a good programmer, etc. + + +Okay, hmm, I thought twice about this, but what the hey, jobs are hard to +come by. There's a company hiring in Mountain View, looking for a few good +hackers, no Java, no GUI, not even C++ -- just C and Linux and networking +and good old stuff like that. They just raised a wad of money and they're +looking for a few "really good programmers", says the CTO. I know him -- +very smart guy. Drives too fast, though, for what that's worth. + +Joe Bob says "check it out". I'd be happy to pass on your resume, or you can +send it straight to them. Probably won't matter if I pass it on, since I +don't know you guys anyway... + +http://www.netli.com + +-- Sherry. + +> -----Original Message----- +> From: Joseph S. Barrera III [mailto:joe@barrera.org] +> Sent: Tuesday, August 27, 2002 8:58 AM +> To: Adam L. Beberg +> Cc: fork@example.com +> Subject: Re: Java is for kiddies +> +> +> Adam L. Beberg wrote: +> >>> Forwarding me stuff from a list is hardly handing me a job. +> >> +> >> I was talking about the open reqs at Kana (the company I +> work for). +> >> Oh, but programming in Java is beneath you. +> > +> > Nope just lacking years and years of it. For some silly +> reason people +> > always want things to be reliable, fast, and +> cross-platform so all my +> > employers have forced me to code in C :) +> +> C is more reliable than Java?? +> +> As for cross-platform, C exists on more platforms, but a Java program +> is much easier to move from one platform to another. So I'm not sure +> what you mean. +> +> I'm not trying to fight a language war, but I'm puzzled by the depth +> of your anti-Java hatred. +> +> > I know lots of high school +> > kiddies with plenty of Java tho, not having to teach people about +> > pointers or optimization or anything shaves years off the +> coder boot +> > time. I'll send them your way when they graduate. +> +> Pointers. So a language has to have pointers to be real? And +> references +> don't count, I gather. What's so great about pointers? Why do you +> miss them? If your doing embedded stuff, fine, yes, you need the +> performance and control over memory that C provides. Probably. +> But if your implementing tier N-1 of a tier N system, and pounding +> against a database, then Java is OFTEN a very reasonable choice. +> Especially if you want that system to run without leaking memory. +> +> Optimization. Who says you can't optimize Java? I can and have, +> and there are good tools that allow you to do it (I use OptimizeIt). +> But usually I find myself optimizing (reducing) database accesses +> instead. I sped one part of the system up by a factor of ten by +> grouping more operations into fewer transactions. +> +> But this is beside the point. If you have decent C++ experience, and +> have poked around in Java, you should be able to convince most +> employers that you can be trusted writing Java. That's what I did -- +> I mean, I joined Kana from Microsoft, and I didn't exactly write +> a lot of Java code at Microsoft. +> +> > I'm not displeased you're trying to help, just frustrated that +> > employers can demand such rediculous combinations of skills with +> > insane years of experience. +> +> I don't think I've ever interviewed at a place where I actually +> met all the prerequisites. Do you just give up when you don't? +> +> > Interview tommorow with Kodak, doing I have no idea what as the +> > recruiter isnt even sure, but cross your fingers it wont require 10 +> > years of Java and 5 years of Windows/IA-64's device driver +> experience +> > (both common requirements). +> +> I wish you best of luck, and I apologies for being a bitch. +> But God DAMN, you piss me off sometimes. My son occasionally +> displays your "can't-do" attitude and I do my damnest to +> get him to reverse course. +> +> - Joe +> +> + diff --git a/machine-learning-ex6/ex6/easy_ham/0485.4657c96dd864d02d6273cb268b631015 b/machine-learning-ex6/ex6/easy_ham/0485.4657c96dd864d02d6273cb268b631015 new file mode 100644 index 0000000..f2330d0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0485.4657c96dd864d02d6273cb268b631015 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Thu Sep 5 11:31:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 986A116F7E + for ; Thu, 5 Sep 2002 11:28:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8534vZ01961 for ; + Thu, 5 Sep 2002 04:04:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 98482294239; Wed, 4 Sep 2002 19:58:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id D286E294230 for + ; Wed, 4 Sep 2002 19:57:08 -0700 (PDT) +Received: (qmail 25374 invoked by uid 501); 5 Sep 2002 02:59:28 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 5 Sep 2002 02:59:28 -0000 +From: CDale +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re: Ouch... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 21:59:28 -0500 (CDT) +X-Spam-Status: No, hits=-12.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Someone needs to tell the mayor about this: +http://www.cb-2000.com/ +kinkily yours, +Cindy + +On Wed, 4 Sep 2002, Adam L. Beberg wrote: + +> Shouldn't a politician know not to tell the truth? Odds he's impeached by +> next Monday? [ob: no-clue-how-they-remove-mayors-in-italy] +> +> Ouch. Ouch. Ouch. +> +> ------------ +> +> Get Sexier, Keep Husbands, Mayor Tells Wives +> Wed Sep 4, 9:14 AM ET +> +> MISSAGLIA, Italy (Reuters) - Husband's eyes wandering? Make yourself sexier. +> At least that's the solution proposed by an Italian mayor -- and a woman +> mayor at that. +> +> Wives in the northern town of Missaglia had complained to mayor Marta +> Casiraghi about a young woman who sunbathed topless on her terrace. +> +> They complained that the men in the town of some 7,000 people were spending +> too much time ogling, so they asked Casiraghi to order the woman to put her +> clothes back on. +> +> But the mayor, far from sympathizing, told the wives to get sexy if they +> wanted to keep their men. "The girl was very pretty and was soaking up some +> sun. Topless sunbathing is largely tolerated and widespread nowadays. +> There's nothing we can do," Casiraghi told Il Nuovo, a web-based newspaper. +> +> "Instead, I'd advise the wives to play their rival at her own game -- make +> themselves more beautiful." +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0486.62b08ccbd58add2e635494c114f1173b b/machine-learning-ex6/ex6/easy_ham/0486.62b08ccbd58add2e635494c114f1173b new file mode 100644 index 0000000..679ab8f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0486.62b08ccbd58add2e635494c114f1173b @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Sep 5 11:31:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E5C716F7F + for ; Thu, 5 Sep 2002 11:28:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85391Z02231 for ; + Thu, 5 Sep 2002 04:09:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 40175294230; Wed, 4 Sep 2002 20:06:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc52.attbi.com (rwcrmhc52.attbi.com [216.148.227.88]) + by xent.com (Postfix) with ESMTP id B789E2940AA for ; + Wed, 4 Sep 2002 20:05:37 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + rwcrmhc52.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020905030809.WIJJ19514.rwcrmhc52.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Thu, 5 Sep 2002 03:08:09 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <143118772134.20020904230741@magnesium.net> +To: Sherry Listgarten +Cc: "'fork@example.com'" +Subject: Re[2]: Java is for kiddies +In-Reply-To: <80CE2C46294CD61198BA00508BADCA830FD384@mis-exchange.mv.timesten.com> +References: <80CE2C46294CD61198BA00508BADCA830FD384@mis-exchange.mv.timesten.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 23:07:41 -0400 +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + + +SL> +SL> Misc rants about finding jobs, java vs C, what makes a good programmer, etc. +SL> + +SL> Okay, hmm, I thought twice about this, but what the hey, jobs are hard to +SL> come by. There's a company hiring in Mountain View, looking for a few good + + +I give Adam an hour or so to come up with an adequate number of +excuses as to why -this- job isn't worth it. :) + +GO Adam GO! + + diff --git a/machine-learning-ex6/ex6/easy_ham/0487.dfff66b5d13f537cc4535d860d297c0c b/machine-learning-ex6/ex6/easy_ham/0487.dfff66b5d13f537cc4535d860d297c0c new file mode 100644 index 0000000..b91f79a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0487.dfff66b5d13f537cc4535d860d297c0c @@ -0,0 +1,55 @@ +From fork-admin@xent.com Thu Sep 5 11:31:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 78EE616F80 + for ; Thu, 5 Sep 2002 11:28:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g853F1Z02278 for ; + Thu, 5 Sep 2002 04:15:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CADE029422D; Wed, 4 Sep 2002 20:12:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 8DE6E2940AA for ; Wed, + 4 Sep 2002 20:11:13 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 49B613ED5B; + Wed, 4 Sep 2002 23:16:51 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 46F9A3EC0F for ; Wed, + 4 Sep 2002 23:16:51 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Adam dont job for no one, see. +In-Reply-To: <143118772134.20020904230741@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 23:16:51 -0400 (EDT) +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +A groys gesheft zol er hobn mit shroyre vus er hot, zol men bay im nit +fregn, un vos men fregt zol er nisht hobn, and if that aint the truth +nutin is. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0488.8fddac859ba93d27a041fe770be65d29 b/machine-learning-ex6/ex6/easy_ham/0488.8fddac859ba93d27a041fe770be65d29 new file mode 100644 index 0000000..f106c72 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0488.8fddac859ba93d27a041fe770be65d29 @@ -0,0 +1,78 @@ +From fork-admin@xent.com Thu Sep 5 11:31:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C472B16F81 + for ; Thu, 5 Sep 2002 11:28:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8548xZ03881 for ; + Thu, 5 Sep 2002 05:09:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CB4DD29421F; Wed, 4 Sep 2002 21:06:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav16.law15.hotmail.com [64.4.22.120]) by + xent.com (Postfix) with ESMTP id 889CA2940AA for ; + Wed, 4 Sep 2002 21:05:23 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 4 Sep 2002 21:07:55 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "FoRK" +References: +Subject: Re: CD player UI for toddlers +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 05 Sep 2002 04:07:55.0358 (UTC) FILETIME=[CFD43FE0:01C25491] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 21:11:50 -0700 +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Jim Whitehead" + +> +> For toddlers, pressing play must cause the music to start immediately, +> within half a second, for the toddler to get the causality and not press +the +> button multiple times. +Or some sound indicating that the music will start real soon now. + +> As well, pressing the button multiple times shouldn't +> change the semantics, like an elevator button. No matter how many times +you +> press, the elevator still comes to that floor. The play button needs to be +> the same. +Idempotency everywhere you look... + + +> What would the ideal toddler CD player be like? It would immediately start +> playing a CD after it was loaded. +It'd be an MP3 player with solid state storage... instant on. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0489.73eb492555409d2c07aed7c524845d8c b/machine-learning-ex6/ex6/easy_ham/0489.73eb492555409d2c07aed7c524845d8c new file mode 100644 index 0000000..c8e7da9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0489.73eb492555409d2c07aed7c524845d8c @@ -0,0 +1,113 @@ +From fork-admin@xent.com Thu Sep 5 11:31:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 346B616F7C + for ; Thu, 5 Sep 2002 11:28:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g852Y1Z01236 for ; + Thu, 5 Sep 2002 03:34:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 806EB294200; Wed, 4 Sep 2002 19:31:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.datastore.ca (unknown [207.61.5.2]) by xent.com + (Postfix) with ESMTP id C5C9E2940AA for ; Wed, + 4 Sep 2002 19:30:05 -0700 (PDT) +Received: from maya.dyndns.org [207.61.5.143] by mail.datastore.ca + (SMTPD32-7.00) id A28361A001C; Wed, 04 Sep 2002 22:33:39 -0400 +Received: by maya.dyndns.org (Postfix, from userid 501) id 959DC1C336; + Wed, 4 Sep 2002 22:32:07 -0400 (EDT) +To: Elias Sinderson +Cc: Jim Whitehead , FoRK +Subject: Re: Gecko adhesion finally sussed. +References: + <3D768684.30702@cse.ucsc.edu> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 04 Sep 2002 22:32:07 -0400 +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SMTPD_IN_RCVD,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "E" == Elias Sinderson writes: + + E> ... The strength to weight ratio of a spider is so high + E> that Spiderman is able to throw a bus several city blocks with + E> little effort. His endurance is similarly enhanced as well. + +Could this be as simple as a modified molecular structure where the +humanoid cells are in fact exo-skeletally structured with more atoms +per cubic angstrom to achieve the distance-squared tensile strength +enhancements we find when we introduce smaller metal atoms between the +lattice packed grid of iron atoms to create steel? + +This 'steel-effect' might give bone structure and tendons dramatically +(several orders of magnitude) more tensile strength without the need +to significantly increase the weight (like magnesium-alloy or +carbon-fiber weight compared to iron, Spidey could even be way under +weight). Only increasing tensile strength could accommodate the +mobility and leverage feats since bones are actually formed from +bubbles of organic material hydrolically assisted, tensile strength +cross-sectionally would give his frame the strength to withstand the +muscular enhancement. + + E> As for the spidey senses, well they're really great, but AFAIK + E> not really well explained in the comic series. + +If the same close-packing gap-filling arachne-molecular structure +modification occurs in neural tissues, and there'd be no reason to +think that these would grow differently from bones and tendons, then +what we are seeing in spidey sense is no more than the heightened +cerebral functions due to shorter/faster/stronger synapses throughout +the entire nervous system. + +Since we know dogs and cats measure human emotions by smell, clearly +hearing the heartbeats, and other subtle clues within their normal +sensory ranges (but seem mystical to us) ... for Peter Parker, +everything from air currents on his facial-hairs to extremely subtle +hormone smells might coallesce into a general gestalt of Spidey-Sense; +don't forget that he'd acquired this ability in adolescence and thus +would lack any cultural or even pathological basis to explain the +heightened awareness to himself in anything but mystical terms. We +know from issue #1 that his collision-avoidance reflex response time +was far swifter than his cognitive awareness since he 'found' himself +already stuck to the tree when the bicycle was already past and hence +his disorientation ("You ok, Mister?") as if it was a hallucination. + +Hmmm ... it may even be physio-psychologically interesting to examine +if Peter Parker's personal quandries arose _because_ his physiological +'Spidey' infrastructure had been advanced whereas his psychological +perception of his self had not, ie, "Peter" was not "Spiderman" but +just the "driver of the bus". Only, unlike ourselves, he found his +self driving a body-vehicle not evolutionarily matched to his +cognitive time-scales. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0490.f05cd53148e296861dd5c9f5df9a6225 b/machine-learning-ex6/ex6/easy_ham/0490.f05cd53148e296861dd5c9f5df9a6225 new file mode 100644 index 0000000..e934e76 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0490.f05cd53148e296861dd5c9f5df9a6225 @@ -0,0 +1,93 @@ +From fork-admin@xent.com Thu Sep 5 11:31:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 62B7916F72 + for ; Thu, 5 Sep 2002 11:28:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g854v0Z04855 for ; + Thu, 5 Sep 2002 05:57:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 528BA294248; Wed, 4 Sep 2002 21:54:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id A2B1E2940AA for ; Wed, + 4 Sep 2002 21:53:54 -0700 (PDT) +Received: (qmail 69458 invoked from network); 5 Sep 2002 04:56:26 -0000 +Received: from adsl-63-196-1-72.dsl.snfc21.pacbell.net (HELO golden) + (63.196.1.72) by relay1.pair.com with SMTP; 5 Sep 2002 04:56:26 -0000 +X-Pair-Authenticated: 63.196.1.72 +Message-Id: <02ff01c25498$9695d840$640a000a@golden> +From: "Gordon Mohr" +To: "FoRK" +References: + +Subject: Re: CD player UI for toddlers +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 4 Sep 2002 21:56:24 -0700 +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=INVALID_MSGID,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Mr Fork writes: + Jim Whitehead writes: +> > For toddlers, pressing play must cause the music to start immediately, +> > within half a second, for the toddler to get the causality and not press +> the +> > button multiple times. +> Or some sound indicating that the music will start real soon now. + +A tonal countdown would be nice. + +> > What would the ideal toddler CD player be like? It would immediately start +> > playing a CD after it was loaded. +> It'd be an MP3 player with solid state storage... instant on. + +Hmm. Seems like every CD player should include the +capability to rip, encode, and cache the last few CDs +inserted. + +Playback would then never need to face seek delays... +after the initial ripping, the only use of the laser +pickup would be recognizing which CD is inserted -- +which might be doable faster than a seek-and-start-at- +first-track operation. + +You could also take the CD out while it is "playing". + +Hmm. If the CD is still in the cache, maybe you don't +even have to insert it. Or choose it from a step-through +UI. Instead, you just wave it at an electronic eye of +some sort... and the player recognizes it from the +silkscreening. Kids would like that. "Play this," they'd +say, facing the CD at the player, and the player would +start immediately. + +- Gordon + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0491.4d902a53799cc4c52b72c0c41367a96b b/machine-learning-ex6/ex6/easy_ham/0491.4d902a53799cc4c52b72c0c41367a96b new file mode 100644 index 0000000..5d911f7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0491.4d902a53799cc4c52b72c0c41367a96b @@ -0,0 +1,62 @@ +From fork-admin@xent.com Thu Sep 5 11:31:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9117416F1E + for ; Thu, 5 Sep 2002 11:28:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85531Z04930 for ; + Thu, 5 Sep 2002 06:03:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9D680294274; Wed, 4 Sep 2002 22:00:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 11AFB2940AA for ; Wed, + 4 Sep 2002 21:59:05 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 6E3123ED52; + Thu, 5 Sep 2002 01:04:43 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 6C9353ED4C; Thu, 5 Sep 2002 01:04:43 -0400 (EDT) +From: Tom +To: Gordon Mohr +Cc: FoRK +Subject: Re: CD player UI for toddlers +In-Reply-To: <02ff01c25498$9695d840$640a000a@golden> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 01:04:43 -0400 (EDT) +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 4 Sep 2002, Gordon Mohr wrote: + +--]Hmm. Seems like every CD player should include the +--]capability to rip, encode, and cache the last few CDs +--]inserted. + +There are companies doing just that, but given the current state of the +DRm sceen and the litigiouness of the RIAA, who wants to go down like +circus seals? + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0492.3aa3aaa0ac9343fd1aa11864e8c281b1 b/machine-learning-ex6/ex6/easy_ham/0492.3aa3aaa0ac9343fd1aa11864e8c281b1 new file mode 100644 index 0000000..34cfdfc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0492.3aa3aaa0ac9343fd1aa11864e8c281b1 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Thu Sep 5 11:31:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BC4F16F82 + for ; Thu, 5 Sep 2002 11:28:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g854d1Z04493 for ; + Thu, 5 Sep 2002 05:39:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1EC3E294241; Wed, 4 Sep 2002 21:36:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 8130C2940AA for ; Wed, + 4 Sep 2002 21:35:46 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id A49DC3EDF7; + Thu, 5 Sep 2002 00:41:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id A33413EDAD; Thu, 5 Sep 2002 00:41:24 -0400 (EDT) +From: Tom +To: "Mr. FoRK" +Cc: FoRK +Subject: Re: CD player UI for toddlers +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 00:41:24 -0400 (EDT) +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 4 Sep 2002, Mr. FoRK wrote: +--]It'd be an MP3 player with solid state storage... instant on. + + +Getting new media on is a bit out of the reach of the kindala. With a CD +solution you hand em a disc and in it goes. + +Tradeoffs abound. + +Heather got a CD player when she was 5. Even though it was a crappy +handmedown it worked great other than the batterys poping out..bad bad ui +there. Her next one was a store bought. Its an all Audio player, no mp3 +decoders for her yet. I wanted to do the bottom line Volt but momala put +the kabash on anything costing over 30 bucks. heck I had to scrounge ebay +to get her a palm m100 for about 25 bucks. + +The only hitch is new music. Upshot is we spend time going over usenet +listing togther:)- + +Its a happy family. + +Now for Benjamin, yea id love to have something like the amazingly cool +Fisher Price My First (cd, casset, vasectomy, dirtybomb) products. Perhaps +the My First Cd might work...time to let ebay do the walking. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0493.5517cd8d833b17156176a79149073a46 b/machine-learning-ex6/ex6/easy_ham/0493.5517cd8d833b17156176a79149073a46 new file mode 100644 index 0000000..c0e0df3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0493.5517cd8d833b17156176a79149073a46 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Sep 5 11:31:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9AE3216F56 + for ; Thu, 5 Sep 2002 11:28:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g857iEZ09117 for ; + Thu, 5 Sep 2002 08:44:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B1E99294233; Thu, 5 Sep 2002 00:38:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (dsl-208-151-246-47.dsl.easystreet.com [208.151.246.47]) by xent.com + (Postfix) with ESMTP id 92FAB294221 for ; Thu, + 5 Sep 2002 00:37:34 -0700 (PDT) +Received: (from karl@localhost) by localhost.localdomain (8.11.6/8.11.6) + id g857qCu12404; Thu, 5 Sep 2002 00:52:12 -0700 +X-Authentication-Warning: localhost.localdomain: karl set sender to + kra@monkey.org using -f +To: "Jim Whitehead" +Cc: "FoRK" +Subject: Re: CD player UI for toddlers +References: +From: Karl Anderson +Organization: Ape Mgt. +In-Reply-To: "Jim Whitehead"'s message of "Wed, 4 Sep 2002 11:03:03 -0700" +Message-Id: +Lines: 15 +User-Agent: Gnus/5.0802 (Gnus v5.8.2) Emacs/20.7 +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 05 Sep 2002 00:52:12 -0700 +X-Spam-Status: No, hits=-18.5 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +"Jim Whitehead" writes: + +> The CD player we have combines play and pause in a single button, but +> doesn't provide *instantaneous* feedback that the button was pushed, instead +> requiring you to wait until the music starts, 5-10 seconds. This is a UI +> disaster. Since Tatum doesn't get feedback right away, she presses the +> button again, thereby pausing the CD before it even plays. She'll only ever +> get music if she presses the button an odd number of times. This happens a +> surprising amount of the time, since she eventually hits the button again +> when the music doesn't play. + +Nice to hear that somebody else does this too. + +-- +Karl Anderson kra@monkey.org http://www.monkey.org/~kra/ + diff --git a/machine-learning-ex6/ex6/easy_ham/0494.cd5e6c1b93cf9492002689b4ea2e8520 b/machine-learning-ex6/ex6/easy_ham/0494.cd5e6c1b93cf9492002689b4ea2e8520 new file mode 100644 index 0000000..9461386 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0494.cd5e6c1b93cf9492002689b4ea2e8520 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Thu Sep 5 11:31:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B103316F22 + for ; Thu, 5 Sep 2002 11:28:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g859B1Z12257 for ; + Thu, 5 Sep 2002 10:11:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6A358294221; Thu, 5 Sep 2002 02:08:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 3012B2940AA for + ; Thu, 5 Sep 2002 02:07:57 -0700 (PDT) +Received: (qmail 31095 invoked by uid 508); 5 Sep 2002 09:09:56 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.112) by + venus.phpwebhosting.com with SMTP; 5 Sep 2002 09:09:56 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8599qg28673; Thu, 5 Sep 2002 11:09:52 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Tom +Cc: +Subject: Re: Adam dont job for no one, see. +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 11:09:52 +0200 (CEST) +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Wed, 4 Sep 2002, Tom wrote: + +> A groys gesheft zol er hobn mit shroyre vus er hot, zol men bay im nit +> fregn, un vos men fregt zol er nisht hobn, and if that aint the truth +> nutin is. + +A nice curse. Don't get "shroyre", though. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0495.5c4fb5aab57f610e00c4d3b951216f16 b/machine-learning-ex6/ex6/easy_ham/0495.5c4fb5aab57f610e00c4d3b951216f16 new file mode 100644 index 0000000..1d8012e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0495.5c4fb5aab57f610e00c4d3b951216f16 @@ -0,0 +1,83 @@ +From fork-admin@xent.com Thu Sep 5 11:31:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 02A0716F21 + for ; Thu, 5 Sep 2002 11:28:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:28:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g857d0Z09055 for ; + Thu, 5 Sep 2002 08:39:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 353312940DF; Thu, 5 Sep 2002 00:36:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (dsl-208-151-246-47.dsl.easystreet.com [208.151.246.47]) by xent.com + (Postfix) with ESMTP id 4F30B2940AA for ; Thu, + 5 Sep 2002 00:35:33 -0700 (PDT) +Received: (from karl@localhost) by localhost.localdomain (8.11.6/8.11.6) + id g857oAO12400; Thu, 5 Sep 2002 00:50:10 -0700 +X-Authentication-Warning: localhost.localdomain: karl set sender to + kra@monkey.org using -f +To: bitbitch@magnesium.net +Cc: "'fork@example.com'" +Subject: Re: Re[2]: Java is for kiddies +References: <80CE2C46294CD61198BA00508BADCA830FD384@mis-exchange.mv.timesten.com> + <143118772134.20020904230741@magnesium.net> +From: Karl Anderson +Organization: Ape Mgt. +In-Reply-To: bitbitch@magnesium.net's message of + "Wed, 4 Sep 2002 23:07:41 -0400" +Message-Id: +Lines: 21 +User-Agent: Gnus/5.0802 (Gnus v5.8.2) Emacs/20.7 +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 05 Sep 2002 00:50:10 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g857d0Z09055 +X-Spam-Status: No, hits=-18.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02,USER_AGENT, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +bitbitch@magnesium.net writes: + +> SL> +> SL> Misc rants about finding jobs, java vs C, what makes a good programmer, etc. +> SL> +> +> SL> Okay, hmm, I thought twice about this, but what the hey, jobs are hard to +> SL> come by. There's a company hiring in Mountain View, looking for a few good +> +> +> I give Adam an hour or so to come up with an adequate number of +> excuses as to why -this- job isn't worth it. :) + +http://www.netli.com/careers/index.htm + +>* Along with your resume, please answer this question: What does this “C” statement do? #define XY(s, m) (&((s *)0)->m) + +Besides provide job security? + +-- +Karl Anderson kra@monkey.org http://www.monkey.org/~kra/ + diff --git a/machine-learning-ex6/ex6/easy_ham/0496.397e015dabee7ac3c6e655ad9bf66052 b/machine-learning-ex6/ex6/easy_ham/0496.397e015dabee7ac3c6e655ad9bf66052 new file mode 100644 index 0000000..260aa11 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0496.397e015dabee7ac3c6e655ad9bf66052 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Thu Sep 5 17:23:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 59B7A16F69 + for ; Thu, 5 Sep 2002 17:22:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 17:22:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85Ds1Z22871 for ; + Thu, 5 Sep 2002 14:54:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4BB8329424F; Thu, 5 Sep 2002 06:51:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (oe57.law12.hotmail.com [64.4.18.192]) by + xent.com (Postfix) with ESMTP id 7ED7A2940AA for ; + Thu, 5 Sep 2002 06:50:01 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 5 Sep 2002 06:52:35 -0700 +X-Originating-Ip: [66.92.145.79] +Reply-To: "Bill Kearney" +From: "Bill Kearney" +To: +References: <20020905132642.29383.47386.Mailman@lair.xent.com> +Subject: Re: CD player UI for toddlers +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Message-Id: +X-Originalarrivaltime: 05 Sep 2002 13:52:35.0281 (UTC) FILETIME=[7D17B410:01C254E3] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 09:52:33 -0400 +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +> Now for Benjamin, yea id love to have something like the amazingly cool +> Fisher Price My First (cd, casset, vasectomy, dirtybomb) products. Perhaps +> the My First Cd might work...time to let ebay do the walking. + +Sony makes such a line of products. + +My father was legendary for his abilty to break things. His 'thumbs of death' +would rival anything a toddler could do to devices. After countless numbers of +Walkman devices having their lids broken or buttons pressed into oblivion I +found the Sony devices. I got him a "My First Sony" (be afraid of the +marketing) CD player. It was /fire engine red/ but was completely +indestructible. I hacked a headphone jack into it and gave it to him. He +complained of it's looks but used it nonetheless. I also gave him a pack of +headphones as there's no such things indestuctible headphones that aren't +obscenely bulky. + +Now that we're riding up the curve of an ever increasing geezer population, how +soon before device makers get wise? Not to be morbid, but would the marketing +be "My Last Sony"? + +-Bill Kearney + diff --git a/machine-learning-ex6/ex6/easy_ham/0497.d2e2ede58f425a59fef51395e0248b1b b/machine-learning-ex6/ex6/easy_ham/0497.d2e2ede58f425a59fef51395e0248b1b new file mode 100644 index 0000000..39a7499 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0497.d2e2ede58f425a59fef51395e0248b1b @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Sep 5 17:23:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 770FD16F70 + for ; Thu, 5 Sep 2002 17:22:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 17:22:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85EoEZ24987 for ; + Thu, 5 Sep 2002 15:50:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 599BB294276; Thu, 5 Sep 2002 07:47:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-146-23.ny5030.east.verizon.net [162.83.146.23]) by xent.com + (Postfix) with ESMTP id 62AE52940AA for ; Thu, + 5 Sep 2002 07:46:41 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g85Eh2j06377; Thu, 5 Sep 2002 10:43:02 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Ouch... +In-Reply-To: <200209050922.11995.eh@mad.scientist.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 10:43:02 -0400 (EDT) +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_OSIRUSOFT_COM,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING,X_OSIRU_DUL,X_OSIRU_DUL_FH + version=2.50-cvs +X-Spam-Level: + +Eirikur said: +> This incident is an interesting microcosm of how society and law develop. +> The women of this town are attempting to regulate competition. The social +> standards mechanisms (I expect that shame has already been tried) have +> failed, so legal is next. + +The point could also be to hassle the sunbather for reasons not given in +the story. The sunbather has probably pissed off the complainers in other +ways, too. + +Law and society are wholeheartedly trivial. Big fuzzy concepts like +"sluts vs. moms" are convenient vehicles for petty disputes as often as +not. + +- Lucas + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0498.5ab81a2472012da0dca18090925d6524 b/machine-learning-ex6/ex6/easy_ham/0498.5ab81a2472012da0dca18090925d6524 new file mode 100644 index 0000000..5891afc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0498.5ab81a2472012da0dca18090925d6524 @@ -0,0 +1,97 @@ +From fork-admin@xent.com Thu Sep 5 17:23:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E4F9C16F6F + for ; Thu, 5 Sep 2002 17:22:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 17:22:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g85Eh1Z24688 for ; + Thu, 5 Sep 2002 15:43:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 38C7D29424A; Thu, 5 Sep 2002 07:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id C53832940AA for ; + Thu, 5 Sep 2002 07:39:04 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g85EfYE13663 for ; + Thu, 5 Sep 2002 10:41:34 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: RE: Re[2]: Java is for kiddies +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 8bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 10:40:04 -0400 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,TO_ADDRESS_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Karl +> Anderson +> Sent: Thursday, September 05, 2002 3:50 AM +> To: bitbitch@magnesium.net +> Cc: 'fork@example.com' +> Subject: Re: Re[2]: Java is for kiddies +> +> +> bitbitch@magnesium.net writes: +> +> > SL> +> > SL> Misc rants about finding jobs, java vs C, what makes a good +> programmer, etc. +> > SL> +> > +> > SL> Okay, hmm, I thought twice about this, but what the hey, +> jobs are hard to +> > SL> come by. There's a company hiring in Mountain View, looking +> for a few good +> > +> > +> > I give Adam an hour or so to come up with an adequate number of +> > excuses as to why -this- job isn't worth it. :) +> +> http://www.netli.com/careers/index.htm +> +> >* Along with your resume, please answer this question: What does +> this C statement do? #define XY(s, m) (&((s *)0)->m) +> +> Besides provide job security? + +This is more useful... + +#define CONTAINING_RECORD(address, type, field) ((type *)( \ + (PCHAR)(address) - \ + (PCHAR)(&((type +*)0)->field))) + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0499.48dbec905e8b9da9434b9802132576c1 b/machine-learning-ex6/ex6/easy_ham/0499.48dbec905e8b9da9434b9802132576c1 new file mode 100644 index 0000000..d5371ed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0499.48dbec905e8b9da9434b9802132576c1 @@ -0,0 +1,128 @@ +From fork-admin@xent.com Fri Sep 6 11:41:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1859C16F1B + for ; Fri, 6 Sep 2002 11:39:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:19 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868GaW25080 for + ; Fri, 6 Sep 2002 09:16:37 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id IAA20644 for ; Fri, 6 Sep 2002 08:43:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DACCF29427B; Fri, 6 Sep 2002 00:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 2EFA029409F for + ; Fri, 6 Sep 2002 00:39:12 -0700 (PDT) +Received: (qmail 12774 invoked by uid 501); 6 Sep 2002 07:41:48 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 6 Sep 2002 07:41:48 -0000 +From: CDale +To: bitbitch@magnesium.net +Cc: "Adam L. Beberg" , +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <155207191859.20020905234116@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 02:41:48 -0500 (CDT) +X-Spam-Status: No, hits=-12.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +I dunno, BB. Women who like to be thought of this way should have the +right to choose to be treated this way. Men too... ahem. (: My boy +cleans, washes clothes, cooks, fixes stuff, etc, and works the same number +of hours I do, sometimes more, if he has to catch up with me. (: I +close him because he is industrious and creative, and because he +unfailingly makes my bed the minute I get out of it. And boy #2 will be +here soon to help boy #1 with other things such as pedicures, backrubs, +and sure, fucking. LOL! (along with the aforementioned "chores") Adam can +have his cake and eat it too, if he can only find the right girl who has +the same beliefs about gender roles that he has. Of course, he has NO +clue where to look, so we will be constantly laughing at him while he +stumbles around in the dark. +Cindy +P.S. the numbers do not in any way indicate importance or favor -- only +the order in which they move into my house. -smiles at chris- +P.S. #2. I'm moving. Going to New Orleans. Can't handle any more cab +driving. The summer sucked here on the MS Gulf Coast, instead of rocking +like it normally does. Wish me luck. I'm going to look for another +computer job. Le Sigh. (: + +On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: + +> Hello Adam, +> +> Thursday, September 05, 2002, 11:33:18 PM, you wrote: +> +> +> ALB> So, you're saying that product bundling works? Good point. +> +> Sometimes I wish I was still in CA. You deserve a good beating every +> so often... (anyone else want to do the honors?) +> +> ALB> And how is this any different from "normal" marriage exactly? Other then +> ALB> that the woman not only gets a man, but one in a country where both she and +> ALB> her offspring will have actual opportunities? Oh and the lack of +> ALB> "de-feminized, over-sized, self-centered, mercenary-minded" choices? +> +> Mmkay. For the nth time Adam, we don't live in the land of +> Adam-fantasy. Women actually are allowed to do things productive, +> independent and entirely free of their male counterparts. They aren't +> forced to cook and clean and merely be sexual vessels. Sometimes, +> and this will come as a shock to you, no doubt, men and women even +> find -love- (which is the crucial distinction between this system) and +> they marry one another for the satisfaction of being together. I +> know, far-fetched and idealistically crazy as it is, but such things +> do happen. I can guarantee you, if my mother was approached by my +> father, and 25 years ago, he commented on her cleaning ability as a +> motivator for marrying her, we would not be having this conversation +> now. +> +> If guys still have silly antequated ideas about 'women's role' then +> their opportunities for finding women _will_ be scarce. Again, these +> situations are great, provided everyone is aware that the relationship +> is a contractual one -- he wants a maid, a dog and a prostitute he +> doesn't have to pay, and she wants a country that isn't impoverished +> and teeming with AIDS. A contract, versus a true love-interest +> marriage. +> +> Egh. I really need to stop analyzing your posts to this extent. I +> blame law school and my cat. +> +> -BB +> +> ALB> - Adam L. "Duncan" Beberg +> ALB> http://www.mithral.com/~beberg/ +> ALB> beberg@mithral.com +> +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0500.26e81584fd9c739be4898acd4870143e b/machine-learning-ex6/ex6/easy_ham/0500.26e81584fd9c739be4898acd4870143e new file mode 100644 index 0000000..f13e0f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0500.26e81584fd9c739be4898acd4870143e @@ -0,0 +1,89 @@ +From fork-admin@xent.com Fri Sep 6 11:41:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A94F516F6A + for ; Fri, 6 Sep 2002 11:39:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:24 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868GQW25062 for + ; Fri, 6 Sep 2002 09:16:27 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id IAA20662 for ; Fri, 6 Sep 2002 08:48:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 99094294282; Fri, 6 Sep 2002 00:42:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 7A103294280 for + ; Fri, 6 Sep 2002 00:41:32 -0700 (PDT) +Received: (qmail 13057 invoked by uid 501); 6 Sep 2002 07:44:06 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 6 Sep 2002 07:44:06 -0000 +From: CDale +To: "Adam L. Beberg" +Cc: bitbitch@magnesium.net, +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 02:44:06 -0500 (CDT) +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +It's a fair trade, IMO. Same for some mid-east bloke who's dying to marry +American so he can start his own business. But BB is right. When the +thrill is gone, she should take his shit. LOL +CindyDrinking + +On Thu, 5 Sep 2002, Adam L. Beberg wrote: + +> On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: +> +> > Again, these situations are great, provided everyone is aware that the +> > relationship is a contractual one -- he wants a maid, a dog and a +> > prostitute he doesn't have to pay, and she wants a country that isn't +> > impoverished and teeming with AIDS. +> +> You assume that they just match people up and marry them off, and neither is +> attracted to the other, which is not the case. Even this has arranged +> marrage beat by a long way. +> +> Males gets: A wife for a while, and if they actually like each other, for a +> long time. +> Female gets: Into Britan, out of a country with no real rights for women, no +> opportunities for her or her children, out of the polution, AIDS, and an +> uncountable number of scary tropical diseases. Not to mention in most cases +> living conditions that us spoiled Americans cannot even comprehend. +> +> Yea, the women is definately getting tha bad end of the deal here. +> +> You're so easy to taunt :) +> +> - Adam L. "Duncan" Beberg +> http://www.mithral.com/~beberg/ +> beberg@mithral.com +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0501.343d33b8816a38b17fa642fbf07457fc b/machine-learning-ex6/ex6/easy_ham/0501.343d33b8816a38b17fa642fbf07457fc new file mode 100644 index 0000000..18d65b0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0501.343d33b8816a38b17fa642fbf07457fc @@ -0,0 +1,53 @@ +From fork-admin@xent.com Fri Sep 6 11:41:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9356016F6B + for ; Fri, 6 Sep 2002 11:39:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g868ORW25414 for ; + Fri, 6 Sep 2002 09:24:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 049C229410C; Fri, 6 Sep 2002 00:58:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id C651029409F for + ; Fri, 6 Sep 2002 00:57:46 -0700 (PDT) +Received: (qmail 15153 invoked by uid 501); 6 Sep 2002 08:00:13 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 6 Sep 2002 08:00:13 -0000 +From: CDale +To: fork@example.com +Subject: EFnet #fork +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 03:00:13 -0500 (CDT) +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Someone has taken it. Mostly newtel users. I think we can take the. +C + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0502.9e78d7d003ceeef52c70ac7e7b786ef9 b/machine-learning-ex6/ex6/easy_ham/0502.9e78d7d003ceeef52c70ac7e7b786ef9 new file mode 100644 index 0000000..841c67f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0502.9e78d7d003ceeef52c70ac7e7b786ef9 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Fri Sep 6 11:41:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 871DF16F6C + for ; Fri, 6 Sep 2002 11:39:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:30 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868U5W25638 for + ; Fri, 6 Sep 2002 09:30:32 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id JAA20751 for ; Fri, 6 Sep 2002 09:30:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C7045294283; Fri, 6 Sep 2002 01:27:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id 1F2C629427E for ; + Fri, 6 Sep 2002 01:26:10 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + DDBB83F4EB; Fri, 6 Sep 2002 04:26:37 -0400 (EDT) +From: kragen@pobox.com (Kragen Sitaker) +To: fork@example.com +Subject: Re: Ouch... [Bebergflame] +Message-Id: <20020906082637.DDBB83F4EB@panacea.canonical.org> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 04:26:37 -0400 (EDT) +X-Spam-Status: No, hits=-4.1 required=7.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Adam Beberg writes: +> Shouldn't a politician know not to tell the truth? Odds he's impeached by + +As the article you forwarded explained in the second line of text, +this politician is a woman. + +> next Monday? [ob: no-clue-how-they-remove-mayors-in-italy] + +ob: no-clue-full-stop, as in nearly all Adam Beberg posts. + +-- + Kragen Sitaker +Edsger Wybe Dijkstra died in August of 2002. The world has lost a great +man. See http://advogato.org/person/raph/diary.html?start=252 and +http://www.kode-fu.com/geek/2002_08_04_archive.shtml for details. + diff --git a/machine-learning-ex6/ex6/easy_ham/0503.5364d68940343b854595410487aaa1ba b/machine-learning-ex6/ex6/easy_ham/0503.5364d68940343b854595410487aaa1ba new file mode 100644 index 0000000..cbe9737 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0503.5364d68940343b854595410487aaa1ba @@ -0,0 +1,75 @@ +From fork-admin@xent.com Fri Sep 6 11:41:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6500616F6D + for ; Fri, 6 Sep 2002 11:39:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:32 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868VuW25829 for + ; Fri, 6 Sep 2002 09:32:00 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id FAA20207 for ; Fri, 6 Sep 2002 05:18:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DEADF2940A1; Thu, 5 Sep 2002 21:15:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id C0E2929409F for ; + Thu, 5 Sep 2002 21:14:19 -0700 (PDT) +Received: (qmail 23553 invoked by uid 1111); 6 Sep 2002 04:16:51 -0000 +From: "Adam L. Beberg" +To: +Cc: +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <155207191859.20020905234116@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 21:16:51 -0700 (PDT) +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: + +> Again, these situations are great, provided everyone is aware that the +> relationship is a contractual one -- he wants a maid, a dog and a +> prostitute he doesn't have to pay, and she wants a country that isn't +> impoverished and teeming with AIDS. + +You assume that they just match people up and marry them off, and neither is +attracted to the other, which is not the case. Even this has arranged +marrage beat by a long way. + +Males gets: A wife for a while, and if they actually like each other, for a +long time. +Female gets: Into Britan, out of a country with no real rights for women, no +opportunities for her or her children, out of the polution, AIDS, and an +uncountable number of scary tropical diseases. Not to mention in most cases +living conditions that us spoiled Americans cannot even comprehend. + +Yea, the women is definately getting tha bad end of the deal here. + +You're so easy to taunt :) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0504.0e89cec7d885514336483e016e07ccec b/machine-learning-ex6/ex6/easy_ham/0504.0e89cec7d885514336483e016e07ccec new file mode 100644 index 0000000..ea35dbf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0504.0e89cec7d885514336483e016e07ccec @@ -0,0 +1,130 @@ +From fork-admin@xent.com Fri Sep 6 11:41:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E8CAD16F6F + for ; Fri, 6 Sep 2002 11:39:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g868XVW25919 for ; + Fri, 6 Sep 2002 09:33:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 429D3294289; Fri, 6 Sep 2002 01:27:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id 7586129427E for ; + Fri, 6 Sep 2002 01:26:11 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + 9369B3F4EB; Fri, 6 Sep 2002 04:26:44 -0400 (EDT) +From: kragen@pobox.com (Kragen Sitaker) +To: fork@example.com +Subject: Re: asynchronous I/O (was Re: Gasp!) +Message-Id: <20020906082644.9369B3F4EB@panacea.canonical.org> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 04:26:44 -0400 (EDT) +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Adam Beberg writes: +> On Tue, 3 Sep 2002, Kragen Sitaker wrote: +> > Unix acquired nonblocking I/O in the form of select() about 23 years +> > ago, and Solaris has had the particular aio_* calls we are discussing +> > for many years. +> +> select() "scaling" is a joke at best, and I know you know that. poll() is +> only a bit better. + +Not only do I know that, the post to which you were responding +explained that, with somewhat more detail than "a joke". As you +should know, but evidently don't, poll() isn't even "a bit better" --- +in fact, it's about an order of magnitude worse --- for dense file +descriptor sets, which is the normal case. (Except on operating +systems where select() isn't a system call but a library routine that +calls poll().) + +> > Very few applications need the aio_* calls --- essentially only +> > high-performance RDBMS servers even benefit from them at all, and +> > most of those have been faking it fine for a while with multiple +> > threads or processes. This just provides a modicum of extra +> > performance. +> +> Wrong, it makes a huge difference in even what I consider small programs. + +Why don't you explain this in more detail? + +> > Although I don't have a copy of the spec handy, I think the aio_* APIs +> > come from the POSIX spec IEEE Std 1003.1-1990, section 6.7.9, which is +> > 13 years old, and which I think documented then-current practice. +> > They might be even older than that. +> +> Yes, SGI has a patch to the linux kernel to implement the aio_ interfaces, +> but it's still not built in, who knows when it will be. The point is it's +> not portable in either case. + +You originally said: + + Could it be? After 20 years without this feature UNIX finally + catches up to Windows and has I/O that doesnt [sic] totally suck for + nontrivial apps? No way! + +The point --- my point, the point I was discussing; please don't try +to tell me you were trying to make a different point, because I don't +care --- is that you had no clue what you were talking about; Unix +hasn't been without this feature, and in fact has had it since you +were in elementary school, and operating systems without it don't +"totally suck for nontrivial apps". + +For what it's worth, glibc has actually implemented the aio_* calls +for a while, just in a way that doesn't scale to large numbers of +concurrent I/O requests. I find references to the glibc +implementation as far back as 1999 and glibc 2.1.1, and I could +probably find much earlier references if I had time: +http://sources.redhat.com/ml/libc-hacker/1999-12/msg00070.html + +(more details at +http://www.atnf.csiro.au/people/rgooch/linux/docs/io-events.html; +details on the SGI patch are at +http://oss.sgi.com/projects/kaio/faq.html) + +> > Unix has been multiprocess since 1969, and most Unix implementations +> > have supported multithreading for a decade or more. +> +> And most UNIX is still kinda-sorta supporting the pthreads (POSIX) +> interface, each in their own 7/8 implementation. You're safe if you +> stick to the basics. + +Your original complaint was that Unix didn't do multithreading or +multiprogramming well. Now that I've pointed out how obviously +idiotic that claim is, you've amended your complaint: now, although +individual Unixes do these things well, you complain that their +implementations are not entirely conformant with the POSIX threads +specification. Well, that's probably true, but I haven't written +pthreads programs in C much myself, so I can't confirm it from my own +experience. But, even if it's true, it's not a very good reason to +prefer Windows. + +I'm sure you can provide examples of bugs in particular threading +implementations. Spare us. Just shut up. + +-- + Kragen Sitaker +Edsger Wybe Dijkstra died in August of 2002. The world has lost a great +man. See http://advogato.org/person/raph/diary.html?start=252 and +http://www.kode-fu.com/geek/2002_08_04_archive.shtml for details. + diff --git a/machine-learning-ex6/ex6/easy_ham/0505.724c1270fd6c1382c93cc208c05dc9dc b/machine-learning-ex6/ex6/easy_ham/0505.724c1270fd6c1382c93cc208c05dc9dc new file mode 100644 index 0000000..9f6ab9b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0505.724c1270fd6c1382c93cc208c05dc9dc @@ -0,0 +1,68 @@ +From fork-admin@xent.com Fri Sep 6 11:41:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AFF3616F70 + for ; Fri, 6 Sep 2002 11:39:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:36 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868Y3W25987 for + ; Fri, 6 Sep 2002 09:34:33 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id EAA20098 for ; Fri, 6 Sep 2002 04:34:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B4DF82940AA; Thu, 5 Sep 2002 20:31:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id C71A029409F for ; + Thu, 5 Sep 2002 20:30:46 -0700 (PDT) +Received: (qmail 23335 invoked by uid 1111); 6 Sep 2002 03:33:18 -0000 +From: "Adam L. Beberg" +To: +Cc: +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <77205735221.20020905231659@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 20:33:18 -0700 (PDT) +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: + +> Yet another case where 'marriage' is actually an inappropriate word +> for these guys. What they want is 'housekeeper' 'dog' and +> 'prostitute'. + +So, you're saying that product bundling works? Good point. + +And how is this any different from "normal" marriage exactly? Other then +that the woman not only gets a man, but one in a country where both she and +her offspring will have actual opportunities? Oh and the lack of +"de-feminized, over-sized, self-centered, mercenary-minded" choices? + + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0506.8ebe39ef91080b2445bef0118d7c9b0c b/machine-learning-ex6/ex6/easy_ham/0506.8ebe39ef91080b2445bef0118d7c9b0c new file mode 100644 index 0000000..c811fbc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0506.8ebe39ef91080b2445bef0118d7c9b0c @@ -0,0 +1,113 @@ +From fork-admin@xent.com Fri Sep 6 11:41:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6DB4416F71 + for ; Fri, 6 Sep 2002 11:39:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:38 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868YnW26014 for + ; Fri, 6 Sep 2002 09:34:51 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id EAA20104 for ; Fri, 6 Sep 2002 04:43:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E666C2940C2; Thu, 5 Sep 2002 20:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc02.attbi.com (sccrmhc02.attbi.com [204.127.202.62]) + by xent.com (Postfix) with ESMTP id A06A229409F for ; + Thu, 5 Sep 2002 20:39:33 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + sccrmhc02.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020906034209.EOBI13899.sccrmhc02.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Fri, 6 Sep 2002 03:42:09 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <155207191859.20020905234116@magnesium.net> +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 23:41:16 -0400 +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + +Hello Adam, + +Thursday, September 05, 2002, 11:33:18 PM, you wrote: + + +ALB> So, you're saying that product bundling works? Good point. + +Sometimes I wish I was still in CA. You deserve a good beating every +so often... (anyone else want to do the honors?) + +ALB> And how is this any different from "normal" marriage exactly? Other then +ALB> that the woman not only gets a man, but one in a country where both she and +ALB> her offspring will have actual opportunities? Oh and the lack of +ALB> "de-feminized, over-sized, self-centered, mercenary-minded" choices? + +Mmkay. For the nth time Adam, we don't live in the land of +Adam-fantasy. Women actually are allowed to do things productive, +independent and entirely free of their male counterparts. They aren't +forced to cook and clean and merely be sexual vessels. Sometimes, +and this will come as a shock to you, no doubt, men and women even +find -love- (which is the crucial distinction between this system) and +they marry one another for the satisfaction of being together. I +know, far-fetched and idealistically crazy as it is, but such things +do happen. I can guarantee you, if my mother was approached by my +father, and 25 years ago, he commented on her cleaning ability as a +motivator for marrying her, we would not be having this conversation +now. + +If guys still have silly antequated ideas about 'women's role' then +their opportunities for finding women _will_ be scarce. Again, these +situations are great, provided everyone is aware that the relationship +is a contractual one -- he wants a maid, a dog and a prostitute he +doesn't have to pay, and she wants a country that isn't impoverished +and teeming with AIDS. A contract, versus a true love-interest +marriage. + +Egh. I really need to stop analyzing your posts to this extent. I +blame law school and my cat. + +-BB + +ALB> - Adam L. "Duncan" Beberg +ALB> http://www.mithral.com/~beberg/ +ALB> beberg@mithral.com + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0507.3e5a5811fbfca49dc665f982e81ea271 b/machine-learning-ex6/ex6/easy_ham/0507.3e5a5811fbfca49dc665f982e81ea271 new file mode 100644 index 0000000..574bd21 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0507.3e5a5811fbfca49dc665f982e81ea271 @@ -0,0 +1,244 @@ +From fork-admin@xent.com Fri Sep 6 11:41:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4EFDF16F72 + for ; Fri, 6 Sep 2002 11:39:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:40 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868Z9W26065 for + ; Fri, 6 Sep 2002 09:35:10 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id EAA20073 for ; Fri, 6 Sep 2002 04:19:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7824F294258; Thu, 5 Sep 2002 20:16:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id E22432940AA for ; + Thu, 5 Sep 2002 20:15:14 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + sccrmhc01.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020906031744.ORWY11061.sccrmhc01.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Fri, 6 Sep 2002 03:17:44 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <77205735221.20020905231659@magnesium.net> +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 23:16:59 -0400 +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + +Ah yes.. + +Yet another case where 'marriage' is actually an inappropriate word +for these guys. What they want is 'housekeeper' 'dog' and +'prostitute'. + +All I can say, is I hope these girls come out, take the men for what +they have, be glorified housekeepers for as short a term as possible, +and enjoy the free travel. + +Love my arse. + +-BB +ALB> ...an alternative to the "kind of de-feminized, over-sized, self-centered, +ALB> mercenary-minded lady available on the British singles scene," + +ALB> Glad to see American culture is making it's way into the British bars too :) +ALB> God bless us uncivilized bastards, every one. + +ALB> Still, definately something not right about the below. People are now +ALB> cheaper then a decent laptop? (ok, so we knew that already) + +ALB> ------------- + +ALB> Selling Wedded Bliss Big Business in Thailand +ALB> Thu Aug 29,10:19 AM ET +ALB> By Andrew Marshall + +ALB> BANGKOK, Thailand (Reuters) - English dentist Ken Moylan came to Thailand +ALB> looking for a wife. It took two hours to find her. + +ALB> "The first day I went out with Wan, she came back to my hotel and hung all +ALB> my clothes up and tidied the room. I thought it was marvelous," he said. "I +ALB> knew then there was something special." + +ALB> Moylan, 49, is one of thousands of men who use introduction agencies to meet +ALB> -- and marry -- Thai women. He lives in England now with 28-year-old Wan, +ALB> who is expecting their first child. + +ALB> Critics of marriage agencies say they exploit the grinding poverty of women +ALB> in developing countries, offering dreams of a new life in the West that +ALB> often turn sour. But Moylan says he has no regrets about coming to Thailand +ALB> in search of a wife. + +ALB> "I got to Thailand at 2 p.m., and by 4 p.m. I'd met Wan," he said. "I knew I +ALB> found her attractive. I could tell straight away that she was very caring." + +ALB> Moylan spent a week in Thailand, and after returning to England kept in +ALB> touch with Wan by phone and mail. Six months later she came to England and +ALB> the couple married. + +ALB> MR. MARRIAGE + +ALB> Lawrence Lynch, 49, runs Thai Professional Introduction Services, the agency +ALB> Moylan used to meet his wife. Lynch, who calls himself "Mr. Marriage," +ALB> started the company after also marrying a Thai woman through an introduction +ALB> agency. + +ALB> Since then he has helped set up hundreds of marriages. + +ALB> "In the last five years we've done about 400," he said. "To the best of my +ALB> knowledge, they have all been successful." + +ALB> Male clients pay $2,213 for the service, although men from countries that +ALB> require them to handle some of the visa work on their own get a discount. +ALB> Clients then get to view catalogs and videos of hundreds of Thai women +ALB> looking for a husband. If they like what they see they come to Bangkok. + +ALB> Clients are introduced to several women in chaperoned meetings in Lynch's +ALB> office -- encounters that can often be awkward given mutual shyness and +ALB> language problems. + +ALB> "We find that the gentlemen are usually just as nervous as the ladies," +ALB> Lynch said. "But once they start meeting the ladies they soon relax." + +ALB> After the first meeting, couples can decide to go on dates to get to know +ALB> each other better. Within two weeks of arrival, Lynch says, almost every +ALB> client has found a potential wife. + +ALB> "At the end of a fortnight it's very, very rare for a guy to go back and +ALB> think he hasn't made his mind up," he said. In most cases, marriage follows, +ALB> usually within the next year. + +ALB> Roongthip Kamchat, managing director of Thai No. 1 Connections, a +ALB> Bangkok-based agency, says she has introduced about 1,000 couples, and less +ALB> than 10 percent have broken up. + +ALB> Roongthip says she sometimes has a difficult time calming men who have just +ALB> arrived in Bangkok looking for a wife. + +ALB> "Sometimes they are very nervous," she said. "And sometimes they are very +ALB> impatient and say 'Give me a lady, I want to get married now.' I say: 'Calm +ALB> down, OK, we'll talk."' + +ALB> But if men are really in a hurry, Roongthip says, she can find them a wife +ALB> and get them married within a week. Lynch says clients he has found wives +ALB> for include a blind man, a man with one leg and a man with post-traumatic +ALB> stress disorder. + +ALB> WHY? + +ALB> Similar marriage agencies can be found in many developing countries. Critics +ALB> say they thrive on the neediness of lonely Western men who are unable to +ALB> form relationships in their own country, and on the desperation of +ALB> impoverished women who believe they can find a better life in the West. + +ALB> But Moylan says that if the arrangement makes both partners happy, there is +ALB> no reason to object. "If you talk about people who are needy, I think +ALB> everybody wants someone to love them, and wants someone to love, so yes, I +ALB> need Wan," he said. + +ALB> "Thai women are dissatisfied with life in Thailand. I think there's no +ALB> secret there. They are looking for a better life. I don't have a problem +ALB> with that. In return they are willing to give a lot of love and care to +ALB> their future husband." + +ALB> Lynch says men are dissatisfied with Western women too, and that is why they +ALB> choose to use his agency. + +ALB> His brochure promises an alternative to the "kind of de-feminized, +ALB> over-sized, self-centered, mercenary-minded lady available on the British +ALB> singles scene," and says he can make dreams come true even for men who are +ALB> not "God's gift to women." + +ALB> Roongthip said many Western men found it difficult to meet women in their +ALB> own countries -- and found Thai women attractive. + +ALB> "They don't know how to meet women. Even if they go to pubs or discotheques +ALB> or restaurants or department stores, how can they ask people to marry them? +ALB> Impossible," she said. + +ALB> "Many Thai girls are slim, have long hair, black eyes, small nose. They are +ALB> good at taking care and joking and laughing, not strict. Different from +ALB> ladies from other countries." + +ALB> Although many couples married through agencies have a considerable age gap, +ALB> the agencies say this is not a problem. They say language problems are also +ALB> not a major obstacle. + +ALB> "Thai ladies are not ageist, and they have no qualms whatsoever about having +ALB> a husband who is significantly older," Lynch said. "When I met my wife she +ALB> couldn't speak a word of English. We muddled along with a phonetic +ALB> dictionary. The ladies are very keen to learn English and they pick it up +ALB> very quickly." + +ALB> Many agencies also offer tuition for woman on what to expect when they move +ALB> to the West. + +ALB> "We have kitchens, we have study classes," Roongthip said. "We teach them +ALB> how to eat, and when to make tea." + +ALB> PITFALLS + +ALB> But not all dreams come true. "Bee" is a 26-year-old Thai woman who went to +ALB> Switzerland two years ago with a man she met through an agency. Now she is +ALB> back in Bangkok, sad and angry. + +ALB> "He had no friends, and I was so lonely," she said. "I tried to make him +ALB> happy but he just wanted sex and somebody to keep his house clean. He never +ALB> spoke to me." + +ALB> Bee came back to Bangkok earlier this year. "I thought I would be happy +ALB> there," she said. "But it was the worst time of my life." + +ALB> Lynch says that while some agencies are badly run, he makes checks to ensure +ALB> unsuitable candidates are weeded out. + +ALB> "We are ethical and professional," he said. "We will not take on all +ALB> comers." + +ALB> Moylan says that despite possible pitfalls, his own marriage is proof the +ALB> arrangement can work. Wan's sister has just signed up with Lynch's company, +ALB> looking for a foreign husband. + +ALB> "Perhaps there are cases of women being exploited. I'm sure there are," +ALB> Moylan said. "But in the majority of cases the women get a good deal." + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0508.4f7509bdf6a597ddb34f15df3bf2c227 b/machine-learning-ex6/ex6/easy_ham/0508.4f7509bdf6a597ddb34f15df3bf2c227 new file mode 100644 index 0000000..23caddd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0508.4f7509bdf6a597ddb34f15df3bf2c227 @@ -0,0 +1,164 @@ +From fork-admin@xent.com Fri Sep 6 11:41:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0D18E16F1F + for ; Fri, 6 Sep 2002 11:39:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:28 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868U2W25611 for + ; Fri, 6 Sep 2002 09:30:02 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id GAA20300 for ; Fri, 6 Sep 2002 06:00:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D5E902940CD; Thu, 5 Sep 2002 21:57:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id C333829409F for + ; Thu, 5 Sep 2002 21:56:22 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17nBCo-00014G-00; + Fri, 06 Sep 2002 00:58:54 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net (Unverified) +Message-Id: +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: Electric car an Edsel... +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 21:27:18 -0400 +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=DATE_IN_PAST_03_06,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Ouch.... hooooo.... + +Cheers, +RAH + +--- begin forwarded text + + +Status: RO +Date: Thu, 5 Sep 2002 09:17:13 -0700 +From: Same Guy +Subject: Re: Electric car an Edsel... +To: "R. A. Hettinga" + +Bob, + +This guy's an idiot. + +I design loads for systems with the 50 kV capacitors. One of those has 864 +of such capacitors and stores only 10 megajoules, which means 11 kilojoules +each. They weigh 125 kg. + +You need high energy per unit mass, and the capacitive system I picked +maximizes that. + +It is precisely the system that Maxwell is touting for electrical braking +and power augmentation for regenerative use in automobiles. You also need +voltage you can use in a DC motor, which is why though the actual +capacitors in the system are charged to 2.5 volts, the system has them +arranged in series to boost the voltage. + +Ignore him. He's a waste of my time. + + + +------------------------ + From: "R. A. Hettinga" + Subject: Re: Electric car an Edsel... + Date: Wed, 4 Sep 2002 15:31:39 -0400 + To: Some people... + + + +--- begin forwarded text + + +Status: RO +Date: Wed, 4 Sep 2002 07:59:10 -0700 (PDT) +From: "Adam L. Beberg" +To: "R. A. Hettinga" +cc: +Subject: Re: Electric car an Edsel... + +On Wed, 4 Sep 2002, R. A. Hettinga wrote: + +> Maxwell (www.maxwell.com) makes and sells high energy density capacitors, +> called ultracapacitors. They deliver them in an air-cooled, voltage +> regulated module that will charge to 42 V and hold 128 kilojoules -- roughly +> the energy in 2 teaspoons of sugar or a bite of a donut -- and weighs 16 +> kilograms. If that electrical energy could all be converted to kinetic +> energy, there's enough to get the capacitor module up to about 200 mph -- in +> a vacuum. + +Since the energy you can pack into a capacitor is something like +1/2*C*(V^2), you want to design your system with the lowest voltage possible +to fully exploit that V^2 ;) So yea, a 42V system will only be useful for +accelerating insects, not cars. That must be why 40kV is standard not 42. +(the joke of putting 42 into goggle to find that model was not missed BTW) + +Most production systems use a mix of batteries and capacitors, as very few +real world applications run for less then 10 seconds like the car we were +talking about originally. Even 10 seconds is pushing the "capactior is the +wrong choice" limits. Thats why the landspeed record model is a battery one, +it's got to run for a much longer period of time and needs a steady +discharge curve. + +But it should be safe to say that most people want the Indy 500 version, not +the 1/4 mile sprint version when they are looking for a vehice :) For those +you dont want a battery or a capacitor, you want to take advantage of whole +atoms, not just electrons. Then you can suck off the electrons you need with +a fuel cell. However, you will use both capacitors for the braking/accel, +and batteries to not just dump excess energy in the design. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + +---------------End of Original Message----------------- + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + diff --git a/machine-learning-ex6/ex6/easy_ham/0509.905ad1e9516c02082472a79f474f726c b/machine-learning-ex6/ex6/easy_ham/0509.905ad1e9516c02082472a79f474f726c new file mode 100644 index 0000000..28576c7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0509.905ad1e9516c02082472a79f474f726c @@ -0,0 +1,244 @@ +From fork-admin@xent.com Fri Sep 6 11:41:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9364716F73 + for ; Fri, 6 Sep 2002 11:39:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:43 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868Z9W26065 for + ; Fri, 6 Sep 2002 09:35:10 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id EAA20073 for ; Fri, 6 Sep 2002 04:19:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7824F294258; Thu, 5 Sep 2002 20:16:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id E22432940AA for ; + Thu, 5 Sep 2002 20:15:14 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + sccrmhc01.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020906031744.ORWY11061.sccrmhc01.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Fri, 6 Sep 2002 03:17:44 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <77205735221.20020905231659@magnesium.net> +To: "Adam L. Beberg" +Cc: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 23:16:59 -0400 +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + +Ah yes.. + +Yet another case where 'marriage' is actually an inappropriate word +for these guys. What they want is 'housekeeper' 'dog' and +'prostitute'. + +All I can say, is I hope these girls come out, take the men for what +they have, be glorified housekeepers for as short a term as possible, +and enjoy the free travel. + +Love my arse. + +-BB +ALB> ...an alternative to the "kind of de-feminized, over-sized, self-centered, +ALB> mercenary-minded lady available on the British singles scene," + +ALB> Glad to see American culture is making it's way into the British bars too :) +ALB> God bless us uncivilized bastards, every one. + +ALB> Still, definately something not right about the below. People are now +ALB> cheaper then a decent laptop? (ok, so we knew that already) + +ALB> ------------- + +ALB> Selling Wedded Bliss Big Business in Thailand +ALB> Thu Aug 29,10:19 AM ET +ALB> By Andrew Marshall + +ALB> BANGKOK, Thailand (Reuters) - English dentist Ken Moylan came to Thailand +ALB> looking for a wife. It took two hours to find her. + +ALB> "The first day I went out with Wan, she came back to my hotel and hung all +ALB> my clothes up and tidied the room. I thought it was marvelous," he said. "I +ALB> knew then there was something special." + +ALB> Moylan, 49, is one of thousands of men who use introduction agencies to meet +ALB> -- and marry -- Thai women. He lives in England now with 28-year-old Wan, +ALB> who is expecting their first child. + +ALB> Critics of marriage agencies say they exploit the grinding poverty of women +ALB> in developing countries, offering dreams of a new life in the West that +ALB> often turn sour. But Moylan says he has no regrets about coming to Thailand +ALB> in search of a wife. + +ALB> "I got to Thailand at 2 p.m., and by 4 p.m. I'd met Wan," he said. "I knew I +ALB> found her attractive. I could tell straight away that she was very caring." + +ALB> Moylan spent a week in Thailand, and after returning to England kept in +ALB> touch with Wan by phone and mail. Six months later she came to England and +ALB> the couple married. + +ALB> MR. MARRIAGE + +ALB> Lawrence Lynch, 49, runs Thai Professional Introduction Services, the agency +ALB> Moylan used to meet his wife. Lynch, who calls himself "Mr. Marriage," +ALB> started the company after also marrying a Thai woman through an introduction +ALB> agency. + +ALB> Since then he has helped set up hundreds of marriages. + +ALB> "In the last five years we've done about 400," he said. "To the best of my +ALB> knowledge, they have all been successful." + +ALB> Male clients pay $2,213 for the service, although men from countries that +ALB> require them to handle some of the visa work on their own get a discount. +ALB> Clients then get to view catalogs and videos of hundreds of Thai women +ALB> looking for a husband. If they like what they see they come to Bangkok. + +ALB> Clients are introduced to several women in chaperoned meetings in Lynch's +ALB> office -- encounters that can often be awkward given mutual shyness and +ALB> language problems. + +ALB> "We find that the gentlemen are usually just as nervous as the ladies," +ALB> Lynch said. "But once they start meeting the ladies they soon relax." + +ALB> After the first meeting, couples can decide to go on dates to get to know +ALB> each other better. Within two weeks of arrival, Lynch says, almost every +ALB> client has found a potential wife. + +ALB> "At the end of a fortnight it's very, very rare for a guy to go back and +ALB> think he hasn't made his mind up," he said. In most cases, marriage follows, +ALB> usually within the next year. + +ALB> Roongthip Kamchat, managing director of Thai No. 1 Connections, a +ALB> Bangkok-based agency, says she has introduced about 1,000 couples, and less +ALB> than 10 percent have broken up. + +ALB> Roongthip says she sometimes has a difficult time calming men who have just +ALB> arrived in Bangkok looking for a wife. + +ALB> "Sometimes they are very nervous," she said. "And sometimes they are very +ALB> impatient and say 'Give me a lady, I want to get married now.' I say: 'Calm +ALB> down, OK, we'll talk."' + +ALB> But if men are really in a hurry, Roongthip says, she can find them a wife +ALB> and get them married within a week. Lynch says clients he has found wives +ALB> for include a blind man, a man with one leg and a man with post-traumatic +ALB> stress disorder. + +ALB> WHY? + +ALB> Similar marriage agencies can be found in many developing countries. Critics +ALB> say they thrive on the neediness of lonely Western men who are unable to +ALB> form relationships in their own country, and on the desperation of +ALB> impoverished women who believe they can find a better life in the West. + +ALB> But Moylan says that if the arrangement makes both partners happy, there is +ALB> no reason to object. "If you talk about people who are needy, I think +ALB> everybody wants someone to love them, and wants someone to love, so yes, I +ALB> need Wan," he said. + +ALB> "Thai women are dissatisfied with life in Thailand. I think there's no +ALB> secret there. They are looking for a better life. I don't have a problem +ALB> with that. In return they are willing to give a lot of love and care to +ALB> their future husband." + +ALB> Lynch says men are dissatisfied with Western women too, and that is why they +ALB> choose to use his agency. + +ALB> His brochure promises an alternative to the "kind of de-feminized, +ALB> over-sized, self-centered, mercenary-minded lady available on the British +ALB> singles scene," and says he can make dreams come true even for men who are +ALB> not "God's gift to women." + +ALB> Roongthip said many Western men found it difficult to meet women in their +ALB> own countries -- and found Thai women attractive. + +ALB> "They don't know how to meet women. Even if they go to pubs or discotheques +ALB> or restaurants or department stores, how can they ask people to marry them? +ALB> Impossible," she said. + +ALB> "Many Thai girls are slim, have long hair, black eyes, small nose. They are +ALB> good at taking care and joking and laughing, not strict. Different from +ALB> ladies from other countries." + +ALB> Although many couples married through agencies have a considerable age gap, +ALB> the agencies say this is not a problem. They say language problems are also +ALB> not a major obstacle. + +ALB> "Thai ladies are not ageist, and they have no qualms whatsoever about having +ALB> a husband who is significantly older," Lynch said. "When I met my wife she +ALB> couldn't speak a word of English. We muddled along with a phonetic +ALB> dictionary. The ladies are very keen to learn English and they pick it up +ALB> very quickly." + +ALB> Many agencies also offer tuition for woman on what to expect when they move +ALB> to the West. + +ALB> "We have kitchens, we have study classes," Roongthip said. "We teach them +ALB> how to eat, and when to make tea." + +ALB> PITFALLS + +ALB> But not all dreams come true. "Bee" is a 26-year-old Thai woman who went to +ALB> Switzerland two years ago with a man she met through an agency. Now she is +ALB> back in Bangkok, sad and angry. + +ALB> "He had no friends, and I was so lonely," she said. "I tried to make him +ALB> happy but he just wanted sex and somebody to keep his house clean. He never +ALB> spoke to me." + +ALB> Bee came back to Bangkok earlier this year. "I thought I would be happy +ALB> there," she said. "But it was the worst time of my life." + +ALB> Lynch says that while some agencies are badly run, he makes checks to ensure +ALB> unsuitable candidates are weeded out. + +ALB> "We are ethical and professional," he said. "We will not take on all +ALB> comers." + +ALB> Moylan says that despite possible pitfalls, his own marriage is proof the +ALB> arrangement can work. Wan's sister has just signed up with Lynch's company, +ALB> looking for a foreign husband. + +ALB> "Perhaps there are cases of women being exploited. I'm sure there are," +ALB> Moylan said. "But in the majority of cases the women get a good deal." + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0510.4c08a0b5d860b948679e50edc7220e02 b/machine-learning-ex6/ex6/easy_ham/0510.4c08a0b5d860b948679e50edc7220e02 new file mode 100644 index 0000000..3f351f6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0510.4c08a0b5d860b948679e50edc7220e02 @@ -0,0 +1,213 @@ +From fork-admin@xent.com Fri Sep 6 11:41:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 47A3A16F74 + for ; Fri, 6 Sep 2002 11:39:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:47 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86923C27140 for + ; Fri, 6 Sep 2002 10:02:03 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id DAA19743 for ; Fri, 6 Sep 2002 03:09:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E8FBD294171; Thu, 5 Sep 2002 19:06:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 6A03A2940AA for ; + Thu, 5 Sep 2002 19:05:13 -0700 (PDT) +Received: (qmail 22974 invoked by uid 1111); 6 Sep 2002 02:07:40 -0000 +From: "Adam L. Beberg" +To: +Subject: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 19:07:40 -0700 (PDT) +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +...an alternative to the "kind of de-feminized, over-sized, self-centered, +mercenary-minded lady available on the British singles scene," + +Glad to see American culture is making it's way into the British bars too :) +God bless us uncivilized bastards, every one. + +Still, definately something not right about the below. People are now +cheaper then a decent laptop? (ok, so we knew that already) + +------------- + +Selling Wedded Bliss Big Business in Thailand +Thu Aug 29,10:19 AM ET +By Andrew Marshall + +BANGKOK, Thailand (Reuters) - English dentist Ken Moylan came to Thailand +looking for a wife. It took two hours to find her. + +"The first day I went out with Wan, she came back to my hotel and hung all +my clothes up and tidied the room. I thought it was marvelous," he said. "I +knew then there was something special." + +Moylan, 49, is one of thousands of men who use introduction agencies to meet +-- and marry -- Thai women. He lives in England now with 28-year-old Wan, +who is expecting their first child. + +Critics of marriage agencies say they exploit the grinding poverty of women +in developing countries, offering dreams of a new life in the West that +often turn sour. But Moylan says he has no regrets about coming to Thailand +in search of a wife. + +"I got to Thailand at 2 p.m., and by 4 p.m. I'd met Wan," he said. "I knew I +found her attractive. I could tell straight away that she was very caring." + +Moylan spent a week in Thailand, and after returning to England kept in +touch with Wan by phone and mail. Six months later she came to England and +the couple married. + +MR. MARRIAGE + +Lawrence Lynch, 49, runs Thai Professional Introduction Services, the agency +Moylan used to meet his wife. Lynch, who calls himself "Mr. Marriage," +started the company after also marrying a Thai woman through an introduction +agency. + +Since then he has helped set up hundreds of marriages. + +"In the last five years we've done about 400," he said. "To the best of my +knowledge, they have all been successful." + +Male clients pay $2,213 for the service, although men from countries that +require them to handle some of the visa work on their own get a discount. +Clients then get to view catalogs and videos of hundreds of Thai women +looking for a husband. If they like what they see they come to Bangkok. + +Clients are introduced to several women in chaperoned meetings in Lynch's +office -- encounters that can often be awkward given mutual shyness and +language problems. + +"We find that the gentlemen are usually just as nervous as the ladies," +Lynch said. "But once they start meeting the ladies they soon relax." + +After the first meeting, couples can decide to go on dates to get to know +each other better. Within two weeks of arrival, Lynch says, almost every +client has found a potential wife. + +"At the end of a fortnight it's very, very rare for a guy to go back and +think he hasn't made his mind up," he said. In most cases, marriage follows, +usually within the next year. + +Roongthip Kamchat, managing director of Thai No. 1 Connections, a +Bangkok-based agency, says she has introduced about 1,000 couples, and less +than 10 percent have broken up. + +Roongthip says she sometimes has a difficult time calming men who have just +arrived in Bangkok looking for a wife. + +"Sometimes they are very nervous," she said. "And sometimes they are very +impatient and say 'Give me a lady, I want to get married now.' I say: 'Calm +down, OK, we'll talk."' + +But if men are really in a hurry, Roongthip says, she can find them a wife +and get them married within a week. Lynch says clients he has found wives +for include a blind man, a man with one leg and a man with post-traumatic +stress disorder. + +WHY? + +Similar marriage agencies can be found in many developing countries. Critics +say they thrive on the neediness of lonely Western men who are unable to +form relationships in their own country, and on the desperation of +impoverished women who believe they can find a better life in the West. + +But Moylan says that if the arrangement makes both partners happy, there is +no reason to object. "If you talk about people who are needy, I think +everybody wants someone to love them, and wants someone to love, so yes, I +need Wan," he said. + +"Thai women are dissatisfied with life in Thailand. I think there's no +secret there. They are looking for a better life. I don't have a problem +with that. In return they are willing to give a lot of love and care to +their future husband." + +Lynch says men are dissatisfied with Western women too, and that is why they +choose to use his agency. + +His brochure promises an alternative to the "kind of de-feminized, +over-sized, self-centered, mercenary-minded lady available on the British +singles scene," and says he can make dreams come true even for men who are +not "God's gift to women." + +Roongthip said many Western men found it difficult to meet women in their +own countries -- and found Thai women attractive. + +"They don't know how to meet women. Even if they go to pubs or discotheques +or restaurants or department stores, how can they ask people to marry them? +Impossible," she said. + +"Many Thai girls are slim, have long hair, black eyes, small nose. They are +good at taking care and joking and laughing, not strict. Different from +ladies from other countries." + +Although many couples married through agencies have a considerable age gap, +the agencies say this is not a problem. They say language problems are also +not a major obstacle. + +"Thai ladies are not ageist, and they have no qualms whatsoever about having +a husband who is significantly older," Lynch said. "When I met my wife she +couldn't speak a word of English. We muddled along with a phonetic +dictionary. The ladies are very keen to learn English and they pick it up +very quickly." + +Many agencies also offer tuition for woman on what to expect when they move +to the West. + +"We have kitchens, we have study classes," Roongthip said. "We teach them +how to eat, and when to make tea." + +PITFALLS + +But not all dreams come true. "Bee" is a 26-year-old Thai woman who went to +Switzerland two years ago with a man she met through an agency. Now she is +back in Bangkok, sad and angry. + +"He had no friends, and I was so lonely," she said. "I tried to make him +happy but he just wanted sex and somebody to keep his house clean. He never +spoke to me." + +Bee came back to Bangkok earlier this year. "I thought I would be happy +there," she said. "But it was the worst time of my life." + +Lynch says that while some agencies are badly run, he makes checks to ensure +unsuitable candidates are weeded out. + +"We are ethical and professional," he said. "We will not take on all +comers." + +Moylan says that despite possible pitfalls, his own marriage is proof the +arrangement can work. Wan's sister has just signed up with Lynch's company, +looking for a foreign husband. + +"Perhaps there are cases of women being exploited. I'm sure there are," +Moylan said. "But in the majority of cases the women get a good deal." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0511.7c59aca5d737ae0f1a94b8e08d5def67 b/machine-learning-ex6/ex6/easy_ham/0511.7c59aca5d737ae0f1a94b8e08d5def67 new file mode 100644 index 0000000..dda1713 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0511.7c59aca5d737ae0f1a94b8e08d5def67 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Fri Sep 6 11:42:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ABC3916F76 + for ; Fri, 6 Sep 2002 11:39:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g869e8C28612 for ; + Fri, 6 Sep 2002 10:40:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 10D7D294291; Fri, 6 Sep 2002 02:37:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id DDED7294290 for + ; Fri, 6 Sep 2002 02:36:04 -0700 (PDT) +Received: (qmail 31903 invoked by uid 508); 6 Sep 2002 09:38:40 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.31) by + venus.phpwebhosting.com with SMTP; 6 Sep 2002 09:38:40 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g869caH32655; Fri, 6 Sep 2002 11:38:36 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: +Cc: "Adam L. Beberg" , +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <155207191859.20020905234116@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 11:38:36 +0200 (CEST) +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: + +> If guys still have silly antequated ideas about 'women's role' then +> their opportunities for finding women _will_ be scarce. + +What is silly and antiquated depends a lot on which country you live in. + +I don't have statistics on the love half life, but it seems long-term +relationships use something else for glue. + +Clearly our non-silly non-antiquated ideas about relationships have +resulted in mostly short-duration relationships and single-parented, +dysfunctional kids (not enough of them too boot, so to keep our +demographics from completely keeling over we're importing them from places +with mostly silly and antiquated ideas). + +At least from the viewpoint of demographics sustainability and +counterpressure to gerontocracy and resulting innovatiophobia we're doing +something wrong. + +Maybe we should really go dirty Tleilaxu all the way. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0512.17bff8553d7e8f6c668166afe149795b b/machine-learning-ex6/ex6/easy_ham/0512.17bff8553d7e8f6c668166afe149795b new file mode 100644 index 0000000..9a67405 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0512.17bff8553d7e8f6c668166afe149795b @@ -0,0 +1,186 @@ +Replied: Fri, 06 Sep 2002 12:26:24 +0100 +Replied: Hussein Kanji +Replied: fork@example.com +From fork-admin@xent.com Fri Sep 6 11:42:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 42C4F16F77 + for ; Fri, 6 Sep 2002 11:39:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:53 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869r9C29228 for + ; Fri, 6 Sep 2002 10:53:09 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id XAA19090 for ; Thu, 5 Sep 2002 23:41:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8052829425A; Thu, 5 Sep 2002 15:06:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta03-svc.ntlworld.com (mta03-svc.ntlworld.com + [62.253.162.43]) by xent.com (Postfix) with ESMTP id 12F792940AA for + ; Thu, 5 Sep 2002 15:05:12 -0700 (PDT) +Received: from cynosure.stanford.edu ([80.7.27.124]) by + mta03-svc.ntlworld.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020905220745.IIXA23840.mta03-svc.ntlworld.com@cynosure.stanford.edu> + for ; Thu, 5 Sep 2002 23:07:45 +0100 +Message-Id: <5.1.0.14.2.20020905150722.054fb3c8@rescomp.stanford.edu> +X-Sender: extant@rescomp.stanford.edu (Unverified) +X-Mailer: QUALCOMM Windows Eudora Version 5.1 +To: fork@example.com +From: Hussein Kanji +Subject: RE: sprint delivers the next big thing?? +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 05 Sep 2002 15:07:44 -0700 +X-Spam-Status: No, hits=-2.9 required=7.0 + tests=KNOWN_MAILING_LIST,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_00_01,SUPERLONG_LINE + version=2.50-cvs +X-Spam-Level: + +i agree with rob. i think if the phones (and mms is building traction in europe in handsets), this might be interesting. bottom line is will it a) help sell phones and b) bill enough time on the wcarriers networks? + +anyone remember the polariod photo sticker fad? low quality, small in size. but kids totally dug that stuff. seems like every adolescent girl had that stuff at one point. and it never replaced or aimed to replace digital cameras or normal photographs. i don't think mms photos will be a substitute for other photography - developed at the local 1 hour joint or digital photos on your pc. i think it expands the market and forms a new category. the extent of the category size is the big question (will it be a fad or will it a sustained market). that's consumer behavior and marketing. but i don't think the technology adoption will follow a substitution of another product on the market (in this case, digital photos or normal photos). europe's the one to watch - more teenagers have wireless phones and if the pricing and marketing is right, they'll figure out what to do with it once the carriers how to figure out how to market it to them. + +-h + +>From: "Rob Shavell" +>To: "'Mike Masnick'" +>Cc: +>Subject: RE: sprint delivers the next big thing?? +>Date: Wed, 21 Aug 2002 01:10:50 -0700 +> +>right Mike, +> +>i will agree to disagree but i take your comments to heart. my opinion is +>only that this is one of the last frontiers of communications ('instant +>show') that we cross easily (though you are right as rain on pricing). i am +>mildly amused at the level of skepticism and innatention it is getting. +> +>my premise is that the world will change in dramatic and unexpected ways +>once there are a billion 'eye's' which can instantly share what they see +>amongst each other. that doesn't mean that people will stop talking on +>their phones, or that people will spend more time w/images than voice. just +>that it is fundamental. from news to crime to privacy to dating to family +>life to bloopers and practical jokes, i believe there will be an explosion +>of images unleashed specifically by cell phone integrated lenses because of +>their utter ubiquity that dwarfs all pictures taken in the history of +>photography by orders of magnitude and in short order. and yes, changes +>things 'big time'. +> +>rgds, +>rob +> +> +>-----Original Message----- +>From: Mike Masnick [mailto:mike@techdirt.com] +>Sent: Tuesday, August 20, 2002 11:58 PM +>To: Rob Shavell +>Cc: fork@example.com +>Subject: RE: sprint delivers the next big thing?? +> +> +>Not to keep harping on this, but... +> +>At 11:36 PM 8/20/02 -0700, Rob Shavell wrote: +> +>>content: who cares about content? that no one can think of 'useful' +>content +>>is always the business persons mistake. the content is the users +>>communications. its anything and everything. avg person could easily send +>>half dozen pics to a dozen people a day. mainly humorous i'd guess. who +>>cares if content is trivial in nature. picture speaks a thousand words. +> +>This does nothing to answer my question. I *do* care about content. Hell, +>if I could be convinced that people would send stupid pics back and forth +>all day, I'd have a different opinion of this. I just am not convinced +>that they will (stupid or not). +> +>While a picture may be worth a thousand words (and this is the same +>argument the guy who works for me made), how many people do you know who +>communicate by pictures? Sure, it sounds nice to say that a picture is +>such an efficient messaging mechanism, but how often do you actually find +>yourself drawing someone a picture to explain something? +> +>I don't buy it. +> +>For most messages, text works fine and is the most efficient +>mechanism. For some messages, pictures do the job, but I would say not +>nearly as often as words. Why do you think Pictionary and Charades and +>such are games? Because images are usually not the most efficient way to +>get a message across. +> +>>misc ramblings: i suppose you skeptical forkers would have said the same +>>thing about '1 hour photo' processing. trivial, who needs it, i get better +>>resultion elswhere. and yet, it had great decentralizing impact - the +>plant +>>had to be downsized and pushed to the retail operation - the digital +>camera, +>>and finally the integrated digital camera phone brings this cycle of +>>decentralization in photography to a logical conclusion (which will put the +>>photo giants to bed) and change the world in a meaningful way. also, SMS +>>didn't take off because its easy, it took off because it costs less. its +>>greatly ironic the carriers often trumpet the 'profitabilty' of their SMS +>>traffic over others because of its ratio of cost to bandwidth. in reality, +>>SMS cannibilizes the voice rev's they bought their networks to handle. +> +>Again, this is the same argument my colleague made (along with "you just +>don't understand kids today, and they'll run with this"). I wasn't saying +>that MMS wouldn't take off because it wasn't high quality or that it wasn't +>easy. I was saying that I couldn't see why people would use it in a way +>that "changed the face of communications". +> +>I'm looking for the compelling reason (even if it's a stupid one) why +>people would want to do this. Sure, if they integrate cameras into the +>phone, and the quality improves (even only marginally) I can certainly see +>people taking pictures with their cameras and occasionally sending them to +>other people. But, mostly, I don't see what the benefit is to this over +>sending them to someone's email address, or putting together an online (or +>offline) photoalbum. +> +>I don't think 1 hour photos are trivial. People want to see their own pics +>right away, and the quality is plenty good enough for snapshots. That's +>one of the main reasons why digital cameras are catching on. The instant +>view part. I'm guessing your argument is that people not only want +>"instant view", but also "instant show". Which is what this service +>offers. I'm not convinced that most people want "instant show". I think +>people like to package their pictures and show them. That's why people put +>together fancy albums, and sit there and force you to go through them while +>they explain every picture. Sure, occasionally "instant show" is nice, but +>it's just "nice" on occasion. I still can't see how it becomes a integral +>messaging method. +> +>What's the specific benefit of taking a picture and immediately sending it +>from one phone to another? There has to be *some* benefit, even if it's +>silly if people are going to flock to it. +> +>I'm searching... no one has given me a straight answer yet. +> +>The *only* really intriguing idea I've heard about things like MMS lately +>are Dan Gillmor's assertion that one day in the near future some news event +>will happen, and a bunch of people will snap pictures with their mobile +>phones, from all different angles, and those photos tell the real story of +>what happened - before the press even gets there. +> +>Willing to be proven wrong, +>Mike +> +>PS If the wireless carriers continue to price these services as stupidly as +>they currently are, then MMS is *never* going to catch on. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0513.c04bc05369ac4583d82e9a6b6ffc3972 b/machine-learning-ex6/ex6/easy_ham/0513.c04bc05369ac4583d82e9a6b6ffc3972 new file mode 100644 index 0000000..54124a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0513.c04bc05369ac4583d82e9a6b6ffc3972 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Fri Sep 6 11:42:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 787CB16F20 + for ; Fri, 6 Sep 2002 11:39:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:56 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869s7C29392 for + ; Fri, 6 Sep 2002 10:54:07 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id XAA18922 for ; Thu, 5 Sep 2002 23:08:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0662B294209; Thu, 5 Sep 2002 14:38:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id CB37C2940AA for + ; Thu, 5 Sep 2002 14:37:48 -0700 (PDT) +Received: (qmail 3166 invoked by uid 501); 5 Sep 2002 21:40:13 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 5 Sep 2002 21:40:13 -0000 +From: CDale +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Ouch... +In-Reply-To: <200209051432.42151.eh@mad.scientist.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 16:40:13 -0500 (CDT) +X-Spam-Status: No, hits=-13.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +LOL! They're not doomed at all. Thousands of men wear cb2000s to work +every day (along with other chastity devices). They are not just +decorations. You will not get a woody or have an orgasm until your +keyholder allows you to. Anyhow, I know better than to have this +type of conversation with a 'nilla, but these men wear these happily, and +consensually. (: There is little power struggle in the lifestyles of the +people who use these. There is power exchange instead. Lots of +variations on the definition, but this one's from Gloria Brame's site: + +Power exchange: the consensual transfer of power by the submissive to the +dominant. The exchange takes place when the returned energy from the +dominant empowers the submissive. + +Anyhow, there are tons of informative sites out there for anyone who cares +to read them, but I assure you, the chastity device business is doing very +well, and it is illegal to force someone to wear one. It's not coercion, +it is creative sensuality. (: +Cindy + +On Thu, 5 Sep 2002, Eirikur Hallgrimsson wrote: + +> On Wednesday 04 September 2002 10:59 pm, CDale wrote: +> > Someone needs to tell the mayor about this: +> > http://www.cb-2000.com/ +> +> "Chastity" technologies were doomed from the start, and I'll add chemical +> ones to the trash heap. (Yeah, Cindy, these are decorative toys for the +> subculture, but....) +> +> Generally,someone is attempting to preserve a relationship with this +> nonsense, when quite plainly the the relationship is in a state where +> preserving it is of little value. Hardware is of no real use save for +> playing the power-struggle game. I don't want to see the future of this. +> "Invisible Fence" for your mate. "Must wear" location transponders and +> endocrine monitors. More movies like "Minority Report." +> +> It seems so automatic for people to reach for coercive solutions. So +> surprizing given the low absolute effectiveness of coercion in the absense +> of overwhelming force advantage. +> +> Eirikur +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0514.ddb5b986101b81aa277dda7a6032019c b/machine-learning-ex6/ex6/easy_ham/0514.ddb5b986101b81aa277dda7a6032019c new file mode 100644 index 0000000..bec42cc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0514.ddb5b986101b81aa277dda7a6032019c @@ -0,0 +1,80 @@ +From fork-admin@xent.com Fri Sep 6 11:42:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9946E16F78 + for ; Fri, 6 Sep 2002 11:39:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:58 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869r6C29218 for + ; Fri, 6 Sep 2002 10:53:06 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id XAA19142 for ; Thu, 5 Sep 2002 23:58:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 515A5294174; Thu, 5 Sep 2002 11:31:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id AABDC2940AA for ; + Thu, 5 Sep 2002 11:30:34 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc51.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020905183308.ZUIL1399.rwcrmhc51.attbi.com@Intellistation> for + ; Thu, 5 Sep 2002 18:33:08 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK +Subject: Re: Ouch... +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209051432.42151.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 14:32:42 -0400 +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SPAM_PHRASE_02_03,TO_LOCALPART_EQ_REAL,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Wednesday 04 September 2002 10:59 pm, CDale wrote: +> Someone needs to tell the mayor about this: +> http://www.cb-2000.com/ + +"Chastity" technologies were doomed from the start, and I'll add chemical +ones to the trash heap. (Yeah, Cindy, these are decorative toys for the +subculture, but....) + +Generally,someone is attempting to preserve a relationship with this +nonsense, when quite plainly the the relationship is in a state where +preserving it is of little value. Hardware is of no real use save for +playing the power-struggle game. I don't want to see the future of this. +"Invisible Fence" for your mate. "Must wear" location transponders and +endocrine monitors. More movies like "Minority Report." + +It seems so automatic for people to reach for coercive solutions. So +surprizing given the low absolute effectiveness of coercion in the absense +of overwhelming force advantage. + +Eirikur + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0515.7c5179be4289820f5b060e1ff2a38ab3 b/machine-learning-ex6/ex6/easy_ham/0515.7c5179be4289820f5b060e1ff2a38ab3 new file mode 100644 index 0000000..2a2f1cd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0515.7c5179be4289820f5b060e1ff2a38ab3 @@ -0,0 +1,96 @@ +From fork-admin@xent.com Fri Sep 6 11:42:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E1CA16F6E + for ; Fri, 6 Sep 2002 11:40:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:40:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86A2wC30579 for ; + Fri, 6 Sep 2002 11:02:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 47990294295; Fri, 6 Sep 2002 03:00:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 95CCF294294 for + ; Fri, 6 Sep 2002 02:59:19 -0700 (PDT) +Received: (qmail 30958 invoked by uid 501); 6 Sep 2002 10:01:51 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 6 Sep 2002 10:01:51 -0000 +From: CDale +To: Eugen Leitl +Cc: bitbitch@magnesium.net, "Adam L. Beberg" , + +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 05:01:51 -0500 (CDT) +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Eugen Leitl wrote: + +> On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: +> +> > If guys still have silly antequated ideas about 'women's role' then +> > their opportunities for finding women _will_ be scarce. +> +> What is silly and antiquated depends a lot on which country you live in. + +It also depends on what the fad is or what is in style. (: + +> I don't have statistics on the love half life, but it seems long-term +> relationships use something else for glue. +> +> Clearly our non-silly non-antiquated ideas about relationships have +> resulted in mostly short-duration relationships and single-parented, +> dysfunctional kids (not enough of them too boot, so to keep our +> demographics from completely keeling over we're importing them from places +> with mostly silly and antiquated ideas). + +Actualy our silly antiquated ideas about relationships and love have +resulted in the bleedings of many upon many a page (and musical instrumnet, +and canvas) What's the problem if we dash a little Mrs. Dash on them? (: +Or cayenne. Or ginger. (mm ask me about ginger root play). + +And let me tell you this: just because a child happens to be +single-parented (what a word), does not mean that child is dysfunctional +or lives in a dysfunctional home. The govt/media/church has tried to make +it look like there is a disintegration, when in fact, there is a coming +together of other family members and friends to raise children. It's not +decaying -- it's changing. Nothing wrong with change. + + +> At least from the viewpoint of demographics sustainability and +> counterpressure to gerontocracy and resulting innovatiophobia we're doing +> something wrong. +> +> Maybe we should really go dirty Tleilaxu all the way. +> + +Maybe y'all should buy m-w some more bandwidth. +C +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0516.3b4b9b147de3e2b7ee1ca08792a9d948 b/machine-learning-ex6/ex6/easy_ham/0516.3b4b9b147de3e2b7ee1ca08792a9d948 new file mode 100644 index 0000000..ba6134e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0516.3b4b9b147de3e2b7ee1ca08792a9d948 @@ -0,0 +1,92 @@ +From fork-admin@xent.com Fri Sep 6 11:42:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 034B916F16 + for ; Fri, 6 Sep 2002 11:40:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:40:02 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869qHC29143 for + ; Fri, 6 Sep 2002 10:52:17 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id AAA19167 for ; Fri, 6 Sep 2002 00:04:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 08AF9294250; Thu, 5 Sep 2002 16:01:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 28EA02940AA for ; + Thu, 5 Sep 2002 16:00:25 -0700 (PDT) +Received: (qmail 22247 invoked by uid 1111); 5 Sep 2002 23:02:55 -0000 +From: "Adam L. Beberg" +To: +Subject: Pitch Dark Bar Opens for Blind Dates +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 16:02:55 -0700 (PDT) +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +This is preaty neat. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + +Pitch Dark Bar Opens for Blind Dates +Thu Sep 5,10:09 AM ET + +BERLIN (Reuters) - Diners at Berlin's newest restaurant cannot see what they +are eating and have to be guided to their table by blind waiters because the +bar is pitch black. + +The restaurant, which opened Wednesday, aims to make guests concentrate on +senses other than sight. + +Holding on to one another, the first visitors followed waiter Roland +Zimmermann, 33, into the dining room. Although the PhD student has been +blind since childhood, he is the only one able to point out chairs, cutlery +and drinks. + +"I'm putting your plate right in front of you," Zimmermann said. "I can't +find my mouth," one voice replied out of the dark. "I wonder what this dish +is -- Lasagne? Or some casserole?" another invisible guest said. + +In the "unsicht-Bar," which means invisible in German, diners cannot choose +complete dishes from the menu but can only indicate whether they would like +a fish, meat or vegetarian option. + +"We want people to have an extraordinary experience of tasting, feeling and +smelling," said Manfred Scharbach, head of the organization for blind and +sight-restricted people, which is running the bar. + +"People are surprised that their tongues and taste senses are taking over +and are sending signals, which their eyes would normally have sent," he +added. + +Of the 30 staff, 22 are blind. + +An average meal lasts about three hours and the waiters are always around to +help, Scharnbach said. + +And at the end of the night, they will even reveal what customers have +actually been eating. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0517.a379a642533f85c04e63d9f3a0813b63 b/machine-learning-ex6/ex6/easy_ham/0517.a379a642533f85c04e63d9f3a0813b63 new file mode 100644 index 0000000..a78e679 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0517.a379a642533f85c04e63d9f3a0813b63 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Fri Sep 6 11:42:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3777816F75 + for ; Fri, 6 Sep 2002 11:39:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:39:50 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869VOC28104 for + ; Fri, 6 Sep 2002 10:31:24 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id KAA20920 for ; Fri, 6 Sep 2002 10:23:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4DB6229428D; Fri, 6 Sep 2002 02:20:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id BB54729428C for + ; Fri, 6 Sep 2002 02:19:27 -0700 (PDT) +Received: (qmail 25953 invoked by uid 501); 6 Sep 2002 09:21:45 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 6 Sep 2002 09:21:45 -0000 +From: CDale +To: Kragen Sitaker +Cc: fork@example.com +Subject: Re: Ouch... [Bebergflame] +In-Reply-To: <20020906082637.DDBB83F4EB@panacea.canonical.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 04:21:45 -0500 (CDT) +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Kragen Sitaker wrote: + +> Adam Beberg writes: +> > Shouldn't a politician know not to tell the truth? Odds he's impeached by +> +> As the article you forwarded explained in the second line of text, +> this politician is a woman. +> +> > next Monday? [ob: no-clue-how-they-remove-mayors-in-italy] +> +> ob: no-clue-full-stop, as in nearly all Adam Beberg posts. + +posts, or pouts? +in rare webster form, +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/0518.def6dfc3c2204dda12270b0ca97f0fc5 b/machine-learning-ex6/ex6/easy_ham/0518.def6dfc3c2204dda12270b0ca97f0fc5 new file mode 100644 index 0000000..92d1a69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0518.def6dfc3c2204dda12270b0ca97f0fc5 @@ -0,0 +1,183 @@ +From fork-admin@xent.com Fri Sep 6 11:42:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C62F416F21 + for ; Fri, 6 Sep 2002 11:40:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:40:03 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869sQC29417 for + ; Fri, 6 Sep 2002 10:54:27 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id WAA18845 for ; Thu, 5 Sep 2002 22:59:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0EA7B294256; Thu, 5 Sep 2002 14:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta03-svc.ntlworld.com (mta03-svc.ntlworld.com + [62.253.162.43]) by xent.com (Postfix) with ESMTP id BEF662940AA for + ; Thu, 5 Sep 2002 14:55:19 -0700 (PDT) +Received: from cynosure.stanford.edu ([80.7.27.124]) by + mta03-svc.ntlworld.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020905215753.IAUL23840.mta03-svc.ntlworld.com@cynosure.stanford.edu> + for ; Thu, 5 Sep 2002 22:57:53 +0100 +Message-Id: <5.1.0.14.2.20020905040452.04b51b88@rescomp.stanford.edu> +X-Sender: extant@rescomp.stanford.edu (Unverified) +X-Mailer: QUALCOMM Windows Eudora Version 5.1 +To: fork@example.com +From: Hussein Kanji +Subject: RE: sprint delivers the next big thing?? +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 05 Sep 2002 04:14:26 -0700 +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=AWL,DATE_IN_PAST_06_12,KNOWN_MAILING_LIST, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01,SUPERLONG_LINE + version=2.50-cvs +X-Spam-Level: + +i agree with rob. i think if the phones (and mms is building traction in europe in handsets), this might be interesting. bottom line is will it a) help sell phones and b) bill enough time on the wcarriers networks? + +anyone remember the polariod photo sticker fad? low quality, small in size. but kids totally dug that stuff. seems like every adolescent girl had that stuff at one point. and it never replaced or aimed to replace digital cameras or normal photographs. i don't think mms photos will be a substitute for other photography - developed at the local 1 hour joint or digital photos on your pc. i think it expands the market and forms a new category. the extent of the category size is the big question (will it be a fad or will it a sustained market). that's consumer behavior and marketing. but i don't think the technology adoption will follow a substitution of another product on the market (in this case, digital photos or normal photos). europe's the one to watch - more teenagers have wireless phones and if the pricing and marketing is right, they'll figure out what to do with it once the carriers how to figure out how to market it to them. + +-h + +>From: "Rob Shavell" +>To: "'Mike Masnick'" +>Cc: +>Subject: RE: sprint delivers the next big thing?? +>Date: Wed, 21 Aug 2002 01:10:50 -0700 +> +>right Mike, +> +>i will agree to disagree but i take your comments to heart. my opinion is +>only that this is one of the last frontiers of communications ('instant +>show') that we cross easily (though you are right as rain on pricing). i am +>mildly amused at the level of skepticism and innatention it is getting. +> +>my premise is that the world will change in dramatic and unexpected ways +>once there are a billion 'eye's' which can instantly share what they see +>amongst each other. that doesn't mean that people will stop talking on +>their phones, or that people will spend more time w/images than voice. just +>that it is fundamental. from news to crime to privacy to dating to family +>life to bloopers and practical jokes, i believe there will be an explosion +>of images unleashed specifically by cell phone integrated lenses because of +>their utter ubiquity that dwarfs all pictures taken in the history of +>photography by orders of magnitude and in short order. and yes, changes +>things 'big time'. +> +>rgds, +>rob +> +> +>-----Original Message----- +>From: Mike Masnick [mailto:mike@techdirt.com] +>Sent: Tuesday, August 20, 2002 11:58 PM +>To: Rob Shavell +>Cc: fork@example.com +>Subject: RE: sprint delivers the next big thing?? +> +> +>Not to keep harping on this, but... +> +>At 11:36 PM 8/20/02 -0700, Rob Shavell wrote: +> +>>content: who cares about content? that no one can think of 'useful' +>content +>>is always the business persons mistake. the content is the users +>>communications. its anything and everything. avg person could easily send +>>half dozen pics to a dozen people a day. mainly humorous i'd guess. who +>>cares if content is trivial in nature. picture speaks a thousand words. +> +>This does nothing to answer my question. I *do* care about content. Hell, +>if I could be convinced that people would send stupid pics back and forth +>all day, I'd have a different opinion of this. I just am not convinced +>that they will (stupid or not). +> +>While a picture may be worth a thousand words (and this is the same +>argument the guy who works for me made), how many people do you know who +>communicate by pictures? Sure, it sounds nice to say that a picture is +>such an efficient messaging mechanism, but how often do you actually find +>yourself drawing someone a picture to explain something? +> +>I don't buy it. +> +>For most messages, text works fine and is the most efficient +>mechanism. For some messages, pictures do the job, but I would say not +>nearly as often as words. Why do you think Pictionary and Charades and +>such are games? Because images are usually not the most efficient way to +>get a message across. +> +>>misc ramblings: i suppose you skeptical forkers would have said the same +>>thing about '1 hour photo' processing. trivial, who needs it, i get better +>>resultion elswhere. and yet, it had great decentralizing impact - the +>plant +>>had to be downsized and pushed to the retail operation - the digital +>camera, +>>and finally the integrated digital camera phone brings this cycle of +>>decentralization in photography to a logical conclusion (which will put the +>>photo giants to bed) and change the world in a meaningful way. also, SMS +>>didn't take off because its easy, it took off because it costs less. its +>>greatly ironic the carriers often trumpet the 'profitabilty' of their SMS +>>traffic over others because of its ratio of cost to bandwidth. in reality, +>>SMS cannibilizes the voice rev's they bought their networks to handle. +> +>Again, this is the same argument my colleague made (along with "you just +>don't understand kids today, and they'll run with this"). I wasn't saying +>that MMS wouldn't take off because it wasn't high quality or that it wasn't +>easy. I was saying that I couldn't see why people would use it in a way +>that "changed the face of communications". +> +>I'm looking for the compelling reason (even if it's a stupid one) why +>people would want to do this. Sure, if they integrate cameras into the +>phone, and the quality improves (even only marginally) I can certainly see +>people taking pictures with their cameras and occasionally sending them to +>other people. But, mostly, I don't see what the benefit is to this over +>sending them to someone's email address, or putting together an online (or +>offline) photoalbum. +> +>I don't think 1 hour photos are trivial. People want to see their own pics +>right away, and the quality is plenty good enough for snapshots. That's +>one of the main reasons why digital cameras are catching on. The instant +>view part. I'm guessing your argument is that people not only want +>"instant view", but also "instant show". Which is what this service +>offers. I'm not convinced that most people want "instant show". I think +>people like to package their pictures and show them. That's why people put +>together fancy albums, and sit there and force you to go through them while +>they explain every picture. Sure, occasionally "instant show" is nice, but +>it's just "nice" on occasion. I still can't see how it becomes a integral +>messaging method. +> +>What's the specific benefit of taking a picture and immediately sending it +>from one phone to another? There has to be *some* benefit, even if it's +>silly if people are going to flock to it. +> +>I'm searching... no one has given me a straight answer yet. +> +>The *only* really intriguing idea I've heard about things like MMS lately +>are Dan Gillmor's assertion that one day in the near future some news event +>will happen, and a bunch of people will snap pictures with their mobile +>phones, from all different angles, and those photos tell the real story of +>what happened - before the press even gets there. +> +>Willing to be proven wrong, +>Mike +> +>PS If the wireless carriers continue to price these services as stupidly as +>they currently are, then MMS is *never* going to catch on. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0519.3a28a99fa8dd275d13742144dc05ff57 b/machine-learning-ex6/ex6/easy_ham/0519.3a28a99fa8dd275d13742144dc05ff57 new file mode 100644 index 0000000..bd43d11 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0519.3a28a99fa8dd275d13742144dc05ff57 @@ -0,0 +1,101 @@ +From fork-admin@xent.com Fri Sep 6 11:42:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 453DE16F22 + for ; Fri, 6 Sep 2002 11:40:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:40:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86AI4C31652 for ; + Fri, 6 Sep 2002 11:18:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 958CC294299; Fri, 6 Sep 2002 03:15:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 5B8F9294298 for + ; Fri, 6 Sep 2002 03:14:50 -0700 (PDT) +Received: (qmail 10193 invoked by uid 508); 6 Sep 2002 10:16:34 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.31) by + venus.phpwebhosting.com with SMTP; 6 Sep 2002 10:16:34 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g86AGUi01401; Fri, 6 Sep 2002 12:16:30 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: CDale +Cc: , "Adam L. Beberg" , + +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 12:16:29 +0200 (CEST) +X-Spam-Status: No, hits=-11.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, CDale wrote: + +> It also depends on what the fad is or what is in style. (: + +DNA's idea of fads is on the 100 kiloyear scale, unfortunately. As long as +current fads don't involve in-vivo rewrite of the genome, homeoboxes +including (now there's a problem for you, homeoboxing the adult), they're +not all that smart an idear. + +> Actualy our silly antiquated ideas about relationships and love have +> resulted in the bleedings of many upon many a page (and musical +> instrumnet, and canvas) What's the problem if we dash a little Mrs. + +Art is sure nice. However, if art is our first priority we're kinda +fux0red, if we've set our sight on a sustainable culture. + +> Dash on them? (: Or cayenne. Or ginger. (mm ask me about ginger +> root play). +> +> And let me tell you this: just because a child happens to be +> single-parented (what a word), does not mean that child is +> dysfunctional or lives in a dysfunctional home. The govt/media/church + +Our firmware is not built to be single-parented. You can counteract that +somewhat by exposing the kid to a community of close friends, but not too +many do that. + +> has tried to make it look like there is a disintegration, when in +> fact, there is a coming together of other family members and friends +> to raise children. It's not decaying -- it's changing. Nothing wrong +> with change. + +I don't know what exactly is wrong, but something is definitely wrong. +This is way too important to be left to just our intuition of what is +right and what is wrong. + +> > At least from the viewpoint of demographics sustainability and +> > counterpressure to gerontocracy and resulting innovatiophobia we're doing +> > something wrong. +> > +> > Maybe we should really go dirty Tleilaxu all the way. +> > +> +> Maybe y'all should buy m-w some more bandwidth. + +m-w? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0520.db2ae930623e1db4c9cf60676f96c4e5 b/machine-learning-ex6/ex6/easy_ham/0520.db2ae930623e1db4c9cf60676f96c4e5 new file mode 100644 index 0000000..6a69a75 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0520.db2ae930623e1db4c9cf60676f96c4e5 @@ -0,0 +1,54 @@ +From fork-admin@xent.com Fri Sep 6 15:28:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4F35B16F6B + for ; Fri, 6 Sep 2002 15:26:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Ck4C07281 for ; + Fri, 6 Sep 2002 13:46:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C255B29429D; Fri, 6 Sep 2002 05:43:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-m10.mx.aol.com (imo-m10.mx.aol.com [64.12.136.165]) by + xent.com (Postfix) with ESMTP id 7F28229429C for ; + Fri, 6 Sep 2002 05:42:08 -0700 (PDT) +Received: from ThosStew@aol.com by imo-m10.mx.aol.com (mail_out_v34.10.) + id 9.ac.2ce1f831 (30950); Fri, 6 Sep 2002 08:44:38 -0400 (EDT) +From: ThosStew@aol.com +Message-Id: +Subject: Re: sprint delivers the next big thing?? +To: hussein@stanfordalumni.org, fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 08:44:38 EDT +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,SPAM_PHRASE_00_01, + USER_AGENT_AOL + version=2.50-cvs +X-Spam-Level: + +these are being advertised all over the UK/ Chief come-on seems to be to the +same people who use phones for text messaging--i.e. teenagers. "Hi, we're at +the beach and I met this awesome guy--here's his pic" + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0521.56b24a33e65cd045de37e6bec5ec30e3 b/machine-learning-ex6/ex6/easy_ham/0521.56b24a33e65cd045de37e6bec5ec30e3 new file mode 100644 index 0000000..35b5979 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0521.56b24a33e65cd045de37e6bec5ec30e3 @@ -0,0 +1,78 @@ +From fork-admin@xent.com Fri Sep 6 15:28:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5D3C16F6C + for ; Fri, 6 Sep 2002 15:26:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Dh7C09364 for ; + Fri, 6 Sep 2002 14:43:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C420A2942A1; Fri, 6 Sep 2002 06:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f229.law15.hotmail.com [64.4.23.229]) by + xent.com (Postfix) with ESMTP id 88E6C2942A0 for ; + Fri, 6 Sep 2002 06:39:09 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 6 Sep 2002 06:41:46 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Fri, 06 Sep 2002 13:41:46 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 06 Sep 2002 13:41:46.0632 (UTC) FILETIME=[24E17880:01C255AB] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 06 Sep 2002 13:41:46 +0000 +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Eugen Leitl: +>Clearly our non-silly non-antiquated ideas about relationships have +>resulted in mostly short-duration relationships and single-parented, +>dysfunctional kids .. + +Don't swallow too quickly what you have read about +more traditional cultures, today or in the past. Do +we have any statistics on the poor man's divorce from +centuries past? Are you so sure that the kids in 18th +century England were any more "functional" than those +today? What about 20th century Saudi Arabia? + +>At least from the viewpoint of demographics sustainability and +>counterpressure to gerontocracy and resulting innovatiophobia we're doing +>something wrong. + +Granting your first two points, I'm skeptical about +the last. Do you see ANY signs that America specifically +or the west generally are suffering from lack of +innovation, vis-a-vis youth nations such as Iran? The +last I read, the third generation of the revolution all +(a) want to move to America, and (b) failing that, are +importing everything they can American. + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0522.19fc2c700f36b246f3e1fb0807ce03fa b/machine-learning-ex6/ex6/easy_ham/0522.19fc2c700f36b246f3e1fb0807ce03fa new file mode 100644 index 0000000..0d5d097 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0522.19fc2c700f36b246f3e1fb0807ce03fa @@ -0,0 +1,104 @@ +From fork-admin@xent.com Fri Sep 6 15:28:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8507E16F6D + for ; Fri, 6 Sep 2002 15:26:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Dx4C09730 for ; + Fri, 6 Sep 2002 14:59:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 617C82942A3; Fri, 6 Sep 2002 06:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id EC5C22941F0 for + ; Fri, 6 Sep 2002 06:55:15 -0700 (PDT) +Received: (qmail 18986 invoked by uid 508); 6 Sep 2002 13:57:51 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.31) by + venus.phpwebhosting.com with SMTP; 6 Sep 2002 13:57:51 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g86DvlS07637; Fri, 6 Sep 2002 15:57:47 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Russell Turpin +Cc: +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 15:57:47 +0200 (CEST) +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Russell Turpin wrote: + +> Don't swallow too quickly what you have read about +> more traditional cultures, today or in the past. Do + +I don't swallow ;> + +I was just offering anecdotal first-hand experiences from a number of +cultures indicating 1) we apparently have a problem 2) which requires more +than ad hoc hand-waving approach (it's trivial! it's obvious! all we have +to do is XY!). + +> we have any statistics on the poor man's divorce from +> centuries past? Are you so sure that the kids in 18th + +That's easy. Divorce didn't happen. The church and the society looked +after that. Only relatively recently that privilege was granted to kings, +and only very recently to commoners. + +> century England were any more "functional" than those +> today? What about 20th century Saudi Arabia? + +Is Saudi Arabia a meaningful emigration source? + +> >At least from the viewpoint of demographics sustainability and +> >counterpressure to gerontocracy and resulting innovatiophobia we're doing +> >something wrong. +> +> Granting your first two points, I'm skeptical about +> the last. Do you see ANY signs that America specifically + +I wasn't talking about the US specifically. (Though the demographics +problem exists there as well, albeit not in that extent we Eurotrash are +facing right now). + +> or the west generally are suffering from lack of +> innovation, vis-a-vis youth nations such as Iran? The + +1) I'm seeing lack of innovation, and -- more disturbing -- trend towards +even less innovation by an autocatalytic process (gerontocracy favors +gerontocracy). + +> last I read, the third generation of the revolution all +> (a) want to move to America, and (b) failing that, are +> importing everything they can American. + +My point was that the west, US first and foremost, importing innovation +carriers and working against bad trend in the demographics by large scale +import. While this kinda, sorta works on the short run, this is not +something sustainable. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0523.ae1df35c0bf85f059e5a08b9b7453999 b/machine-learning-ex6/ex6/easy_ham/0523.ae1df35c0bf85f059e5a08b9b7453999 new file mode 100644 index 0000000..020b638 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0523.ae1df35c0bf85f059e5a08b9b7453999 @@ -0,0 +1,89 @@ +From fork-admin@xent.com Fri Sep 6 15:28:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CD1FC16F03 + for ; Fri, 6 Sep 2002 15:26:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:06 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869uDC29684 for + ; Fri, 6 Sep 2002 10:56:14 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id WAA18500 for ; Thu, 5 Sep 2002 22:03:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B4C442940CF; Thu, 5 Sep 2002 14:00:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id 63F082940AA for ; + Thu, 5 Sep 2002 13:59:20 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g85L1cq01833 for + ; Thu, 5 Sep 2002 14:01:38 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: SoE at UCSC looking for an experienced IT support person +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 5 Sep 2002 13:59:19 -0700 +X-Spam-Status: No, hits=-4.2 required=7.0 + tests=DEAR_SOMEBODY,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +Hi all, + +We're looking for an experienced IT support person in the School of +Engineering at UC Santa Cruz -- please foward to anyone who you think might +be interested. + +- Jim + +-----Original Message----- +From: Michael Perrone [mailto:mperrone@cs.ucsc.edu] +Sent: Thursday, September 05, 2002 12:31 PM +To: techstaff@cse.ucsc.edu +Subject: Recruiting for PAIII-IV Supervisor + + + +Dear SoE Community, + +Forgive the spam, but I wanted to make sure that everyone is aware that +we are recruiting to replace the position vacated by Gary Moro. + +This is a technical position with supervisor responsibilities. The focus is +on Solaris and Linux systems administration with Veritas and Irix experience +a plus. + +The posting is here: + +http://www2.ucsc.edu/staff_hr/employment/listings/020809.htm + +Regards, + +Michael Perrone + + diff --git a/machine-learning-ex6/ex6/easy_ham/0524.1276996048a3e02ffbed1e2df5d13848 b/machine-learning-ex6/ex6/easy_ham/0524.1276996048a3e02ffbed1e2df5d13848 new file mode 100644 index 0000000..21ed988 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0524.1276996048a3e02ffbed1e2df5d13848 @@ -0,0 +1,83 @@ +From fork-admin@xent.com Fri Sep 6 15:28:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 281FE16F6E + for ; Fri, 6 Sep 2002 15:26:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86EPWC10780 for ; + Fri, 6 Sep 2002 15:25:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1C3CB2942AA; Fri, 6 Sep 2002 07:18:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-146-23.ny5030.east.verizon.net [162.83.146.23]) by xent.com + (Postfix) with ESMTP id 9CC6B2942A9 for ; Fri, + 6 Sep 2002 07:17:28 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g86EE0508904 for ; + Fri, 6 Sep 2002 10:14:01 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 10:14:00 -0400 (EDT) +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + RCVD_IN_OSIRUSOFT_COM,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING,X_OSIRU_DUL,X_OSIRU_DUL_FH + version=2.50-cvs +X-Spam-Level: + + +Related anecdote: + +I was eating in a restaurant in chinatown in Boston. The place was empty. +The only other customer was a white guy reading an asian-language +newspaper. The guy asked the waiter for help translating a word. +Eventually his story came out. + +He had married an asian woman through one of these introduction services. +after about a year of marriage she had charged him with assault and left +him, leaving no contact information. He was hanging around in Chinatown, +asking random asians for help finding her. + +I obviously don't know if he did assault her, but what struck me was that +the possibility of mutual exploitation is high. + +Anecdote number two: + +In college I had a job as a street vendor. There was a guy I worked with +who was a lifer in the job. He was a noticably messed up guy. Among +other odd characteristics he fawned on women customers, doing stuff like +offering them flowers. + +I asked him about it. He said that he'd never had sex with a woman who +wasn't a prostitute, and his dream was to save up enough money to get a +mail order bride. + +I was really moved. The guy was a loon, but he wanted a companion as much +as anyone else and he was realistic about his chances. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0525.e70ff5bbd69f7400b460ebe5ed77398f b/machine-learning-ex6/ex6/easy_ham/0525.e70ff5bbd69f7400b460ebe5ed77398f new file mode 100644 index 0000000..05a0d4c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0525.e70ff5bbd69f7400b460ebe5ed77398f @@ -0,0 +1,58 @@ +From fork-admin@xent.com Fri Sep 6 15:28:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5C8216F1C + for ; Fri, 6 Sep 2002 15:26:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86EK4C10630 for ; + Fri, 6 Sep 2002 15:20:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 90D1129429A; Fri, 6 Sep 2002 07:17:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id BEACE2941EC for ; Fri, + 6 Sep 2002 07:16:44 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 033B23ED7E; + Fri, 6 Sep 2002 10:22:35 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 01C213ED56 for ; Fri, + 6 Sep 2002 10:22:34 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: The Needle and the damage done +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 10:22:34 -0400 (EDT) +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +>>From the Hoax or Hack Dept: +Digital Needle - A Virtual Gramophone , a reported method to scan yourr +old LPs on a flat bed scanner and then use the resulting images to make +MP3's of the fine playing conatined therein. Its all still sketchy to the +point of possible hoaxdom, but the idea is dang interesting. + +http://www.cs.huji.ac.il/~springer/ + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0526.615f918b4860d437577f6aa66c9b37cf b/machine-learning-ex6/ex6/easy_ham/0526.615f918b4860d437577f6aa66c9b37cf new file mode 100644 index 0000000..3c91ea7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0526.615f918b4860d437577f6aa66c9b37cf @@ -0,0 +1,85 @@ +From fork-admin@xent.com Fri Sep 6 18:24:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 45BAE16F1A + for ; Fri, 6 Sep 2002 18:23:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 18:23:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86G14C13913 for ; + Fri, 6 Sep 2002 17:01:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D9ACF2940B7; Fri, 6 Sep 2002 08:58:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f66.law15.hotmail.com [64.4.23.66]) by + xent.com (Postfix) with ESMTP id CEB102940AE for ; + Fri, 6 Sep 2002 08:57:57 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 6 Sep 2002 09:00:35 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Fri, 06 Sep 2002 16:00:34 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 06 Sep 2002 16:00:35.0000 (UTC) FILETIME=[88F99380:01C255BE] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 06 Sep 2002 16:00:34 +0000 +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Turpin: +>>Do we have any statistics on the poor man's divorce from centuries past? + +Eugen Leitl: +>That's easy. Divorce didn't happen. + +You seem not to know what a "poor man's divorce" is. +It is an old term, from the time when divorce was +difficult, but walking was easy, and identity was +not so locked down as it is today. Not every widow +had a dead husband. + +>I'm seeing lack of innovation .. + +That doesn't tell us anything except what is +happening in Eugen Leitl's life. The more common +observation is that the rate of change is increasing. +Do you have any data that might persuade us that what +you see is more telling than what others see? + +>gerontocracy favors gerontocracy. + +I would have thought that gerontocracy favors biotech +research and plenty of young workers to pay taxes. +Note that the fertility rate doesn't result from +decisions made by the old, but by the young. If we +want more kids, we have to convince people who are +in their twenties to become parents. + + + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0527.fb030532024e5534f13993d88b5923a0 b/machine-learning-ex6/ex6/easy_ham/0527.fb030532024e5534f13993d88b5923a0 new file mode 100644 index 0000000..88506c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0527.fb030532024e5534f13993d88b5923a0 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Fri Sep 6 18:35:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C343816F03 + for ; Fri, 6 Sep 2002 18:35:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 18:35:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86HO6C16793 for ; + Fri, 6 Sep 2002 18:24:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D61E22940BD; Fri, 6 Sep 2002 10:21:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 7796729409E for + ; Fri, 6 Sep 2002 10:20:47 -0700 (PDT) +Received: (qmail 32622 invoked by uid 508); 6 Sep 2002 17:19:18 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.31) by + venus.phpwebhosting.com with SMTP; 6 Sep 2002 17:19:18 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g86HJEt13411; Fri, 6 Sep 2002 19:19:14 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Russell Turpin +Cc: +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 19:19:14 +0200 (CEST) +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Russell Turpin wrote: + +> You seem not to know what a "poor man's divorce" is. + +I know very little in general. I hope you can excuse me for that. + +> It is an old term, from the time when divorce was +> difficult, but walking was easy, and identity was +> not so locked down as it is today. Not every widow +> had a dead husband. + +Yeah, you could always run away, strangle your wife, your wife could +always poison you, scooby dooby doo. It wasn't the rule, and I don't feel +like desintegrating into a nitpicking orgy. You win. + +> >I'm seeing lack of innovation .. +> +> That doesn't tell us anything except what is +> happening in Eugen Leitl's life. The more common + +Yeah, I happen to live in a small hole, under the roots of an old oak +tree. You don't, so innovation is a global phenomenon. + +> observation is that the rate of change is increasing. +> Do you have any data that might persuade us that what +> you see is more telling than what others see? +> +> >gerontocracy favors gerontocracy. +> +> I would have thought that gerontocracy favors biotech +> research and plenty of young workers to pay taxes. + +So thought I, but apparently all it favours is a lot of whining about good +old times, the inability of youngn's to pay for your pension and the +health insurance, and the generic influx of uncouth furriners, which must +be stopped, Somehow. + +> Note that the fertility rate doesn't result from +> decisions made by the old, but by the young. If we + +Uh, I'm kinda aware of that. + +> want more kids, we have to convince people who are +> in their twenties to become parents. + +Now we're talking. Got a plan? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0528.bb4c2a959983406354ff8d5b8f499eb8 b/machine-learning-ex6/ex6/easy_ham/0528.bb4c2a959983406354ff8d5b8f499eb8 new file mode 100644 index 0000000..9044ef8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0528.bb4c2a959983406354ff8d5b8f499eb8 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Fri Sep 6 18:46:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BE30A16F16 + for ; Fri, 6 Sep 2002 18:46:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 18:46:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Hk6C18090 for ; + Fri, 6 Sep 2002 18:46:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B620029429E; Fri, 6 Sep 2002 10:43:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 58941294296 for ; + Fri, 6 Sep 2002 10:42:24 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g86GvAT00774 for + ; Fri, 6 Sep 2002 09:57:11 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Googlecooking +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 09:54:52 -0700 +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +Originally linked by Dave's Scripting News: + +http://www.megnut.com/archive.asp?which=2002_09_01_archive.inc#000194 + +We've got Googlewhacking, Googlebombing and now we can add Googlecooking to +our lexicon. My mother types whatever ingredients she has on hand into +Google and then picks the most appealing recipe returned in the results. +What a good idea! + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0529.39faaedc75738c375b3de0c0a5766498 b/machine-learning-ex6/ex6/easy_ham/0529.39faaedc75738c375b3de0c0a5766498 new file mode 100644 index 0000000..ce5b14b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0529.39faaedc75738c375b3de0c0a5766498 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Fri Sep 6 18:46:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7F8BB16F03 + for ; Fri, 6 Sep 2002 18:46:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 18:46:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Hf4C17954 for ; + Fri, 6 Sep 2002 18:41:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9ED6F29428A; Fri, 6 Sep 2002 10:38:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 28C23294288 for ; + Fri, 6 Sep 2002 10:37:46 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g86HTJT04034 for + ; Fri, 6 Sep 2002 10:29:19 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Hoag's Object +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 10:27:00 -0700 +X-Spam-Status: No, hits=-3.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +http://oposite.stsci.edu/pubinfo/pr/2002/21/ +(Shows a picture of a wheel within a wheel galaxy). + +The universe is a strange and wonderful place. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0530.014c92ec73f7fcebe322a69b59fbe205 b/machine-learning-ex6/ex6/easy_ham/0530.014c92ec73f7fcebe322a69b59fbe205 new file mode 100644 index 0000000..ed2d034 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0530.014c92ec73f7fcebe322a69b59fbe205 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Sat Sep 7 21:52:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6087E16EFC + for ; Sat, 7 Sep 2002 21:52:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86JS5C20937 for ; + Fri, 6 Sep 2002 20:28:06 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 270F329409F; Fri, 6 Sep 2002 12:25:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 78BE729409E for ; Fri, + 6 Sep 2002 12:24:50 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 7462C3ED61; + Fri, 6 Sep 2002 15:30:42 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 72E0A3ED56; Fri, 6 Sep 2002 15:30:42 -0400 (EDT) +From: Tom +To: Russell Turpin +Cc: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 15:30:42 -0400 (EDT) +X-Spam-Status: No, hits=-5.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Russell Turpin wrote: +--]want more kids, we have to convince people who are +--]in their twenties to become parents. +--] + +Hey give me a break, I was working on finding the right mate. Once I did, +boomsky theres a puppy and if you would kindly not put on So much preasure +there culd well be another. +3 is a magic number...yes it is , its a magic number + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0531.f459d23aa065d859c1cc4a6b2c19cddb b/machine-learning-ex6/ex6/easy_ham/0531.f459d23aa065d859c1cc4a6b2c19cddb new file mode 100644 index 0000000..a636e00 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0531.f459d23aa065d859c1cc4a6b2c19cddb @@ -0,0 +1,85 @@ +From fork-admin@xent.com Sat Sep 7 21:52:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 568B316F16 + for ; Sat, 7 Sep 2002 21:52:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86Jl5C21549 for ; + Fri, 6 Sep 2002 20:47:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 20ACF294172; Fri, 6 Sep 2002 12:44:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 7303329409E for ; + Fri, 6 Sep 2002 12:43:25 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g86HQXT03756; Fri, + 6 Sep 2002 10:26:33 -0700 (PDT) +From: "Jim Whitehead" +To: "Eugen Leitl" , +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 10:24:14 -0700 +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +> Clearly our non-silly non-antiquated ideas about relationships have +> resulted in mostly short-duration relationships and single-parented, +> dysfunctional kids (not enough of them too boot, so to keep our +> demographics from completely keeling over we're importing them from places +> with mostly silly and antiquated ideas). +> +> At least from the viewpoint of demographics sustainability and +> counterpressure to gerontocracy and resulting innovatiophobia we're doing +> something wrong. + +There was a fascinating article in the Economist 1-2 weeks back (the issue +with a pregnant-looking Statue of Liberty on the Front) that stated that +even for the native US population, fertility had jumped in the last decade +and a half. I think the current figure for the US is a little over 2, but +not quite the ~2.1 of replacement rate. Combined with the very fertile +non-native population, the article implied the US was going to have a +significant increase in population over earlier predictions. As well, the +population would overall be more youthful, with associated implications for +being able to fund social programs, military spending, consumer spending, +etc. + +Europe did not show the same increase in fertility. + +Some actual data for the US are here: + +http://www.census.gov/population/pop-profile/2000/chap04.pdf +Part of: +http://www.census.gov/population/www/pop-profile/profile2000.html + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0532.0a4c127cb659ebad1f4366cf3eb93b83 b/machine-learning-ex6/ex6/easy_ham/0532.0a4c127cb659ebad1f4366cf3eb93b83 new file mode 100644 index 0000000..a92e803 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0532.0a4c127cb659ebad1f4366cf3eb93b83 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Sat Sep 7 21:52:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 086B516F17 + for ; Sat, 7 Sep 2002 21:52:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:18 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86KG4C22437 for ; + Fri, 6 Sep 2002 21:16:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BA2A92940AE; Fri, 6 Sep 2002 13:13:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id 15ADE29409E for ; + Fri, 6 Sep 2002 13:12:53 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g86K17q07388 for + ; Fri, 6 Sep 2002 13:01:08 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Google? Not in China +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 12:58:46 -0700 +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +In a slightly old news story, it turns out the Chinese government has banned +all access to the Google and AltaVista search engines. + +http://www.nytimes.com/2002/09/04/international/asia/04BEIJ.html +http://www.bayarea.com/mld/bayarea/business/3996218.htm +http://news.bbc.co.uk/1/hi/technology/2233229.stm +http://news.bbc.co.uk/1/hi/technology/2238236.stm + +The reason appears to be the Google cache feature. I can only imagine the +Internet Archive will soon follow, if it isn't already blocked. + +Seems that governments do have some power over the Web, after all. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0533.adb2f50e664e9db319a7e802c862ba31 b/machine-learning-ex6/ex6/easy_ham/0533.adb2f50e664e9db319a7e802c862ba31 new file mode 100644 index 0000000..b4eb7d3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0533.adb2f50e664e9db319a7e802c862ba31 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Sat Sep 7 21:52:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C977A16F03 + for ; Sat, 7 Sep 2002 21:52:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86JWFC21196 for ; + Fri, 6 Sep 2002 20:32:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A3DE294176; Fri, 6 Sep 2002 12:29:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 7218E294172 for ; Fri, + 6 Sep 2002 12:28:48 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 92ED43ED61; + Fri, 6 Sep 2002 15:34:40 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 9083D3ED56; Fri, 6 Sep 2002 15:34:40 -0400 (EDT) +From: Tom +To: Jim Whitehead +Cc: FoRK +Subject: Re: Googlecooking +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 15:34:40 -0400 (EDT) +X-Spam-Status: No, hits=-5.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Jim Whitehead wrote: +--]We've got Googlewhacking, Googlebombing and now we can add Googlecooking to +--]our lexicon. My mother types whatever ingredients she has on hand into +--]Google and then picks the most appealing recipe returned in the results. +--]What a good idea! + + +Dude, this is at least two years old and probably older. Of course we had +a more catchy phrase for it, we call it Iron Chef Google. + +When the garden was in full bloom a few summers back Dawn and I would +google the ingrediants we just grew to come up with tasty recipes, or more +often ideas from recipes from which toi make our own. + +Fight the hypebuzzword war, be an army of one:)- + +-tom (iron che tempah)wsmf + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0534.a2b4731ea39251d3db3b433ed81b1087 b/machine-learning-ex6/ex6/easy_ham/0534.a2b4731ea39251d3db3b433ed81b1087 new file mode 100644 index 0000000..b0a00c9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0534.a2b4731ea39251d3db3b433ed81b1087 @@ -0,0 +1,126 @@ +From fork-admin@xent.com Sat Sep 7 21:52:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8281416F18 + for ; Sat, 7 Sep 2002 21:52:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86KLLC22654 for ; + Fri, 6 Sep 2002 21:21:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 21833294287; Fri, 6 Sep 2002 13:16:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm0-8.sba1.netlojix.net + [207.71.218.8]) by xent.com (Postfix) with ESMTP id 55EC929427E for + ; Fri, 6 Sep 2002 13:15:34 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id NAA21491; + Fri, 6 Sep 2002 13:25:33 -0700 +Message-Id: <200209062025.NAA21491@maltesecat> +To: fork@example.com +Subject: Re: asynchronous I/O (was Re: Gasp!) +In-Reply-To: Message from fork-request@xent.com of + "Fri, 06 Sep 2002 06:25:37 PDT." + <20020906132537.6311.58517.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 06 Sep 2002 13:25:32 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + + +> Wrong, [VMS-like async io] makes a huge difference in even what I +> consider small programs. + +So it sounds as if, to your thinking, +most useful apps are also trivial. +Unless each key on my keyboard were +(to the apps) distinct event sources, +I can't think of any of my usual job +mix that would need hundreds, or even +tens, of async requests; perhaps you +can explain how nontrivial apps will +be compellingly useful? + +> but it's still not built in, who knows when it will be. The point is it's +> not portable in either case. + +Does that lack of portability imply it +isn't generally useful? (When it was +apparent that TCP networks were useful, +berkeley sockets could be found even +on VMS and Win 3.1 boxen) + +Why would early Unix have run with the +idea that, if one wishes to do multiple +things at the same time, one can use a +group of processes to do them? + +- they had Multics as a counterexample? + +- in the days of tiny memories and tapes, + people were more accustomed to writing + programs that didn't run entirely in a + single address space? + +- one is a great number for an interface, + as log(1) is 0, and specification can + be implicit? + +- some combination of the above? + +Now, as Hoare says: +> There are two ways of constructing a software design. One way is to make +> it so simple that there are obviously no deficiencies and the other is to +> make it so complicated that there are no obvious deficiencies. + +As programmers, we've been able to make +our lives complicated for at least half +a century; the hardware interrupt gives +us the rope. + +Part of Dijkstra's inspiration for THE +was the counterexample of IBM's multi- +programmed boxes (were these the same +ones that inspired Mythical Man Month?) +and I suppose he would say the question +is how not to make a mess of it -- how +should we structure computations so if +we try to do ten times as many things +at the same time, reasoning about the +resulting system is at most ten times +more complex -- not one hundred, and +certainly not three and a half million +times more. + +Compared to that project, the prospect +of writing a driver library for various +vendors' aio implementations seems to +be truly trivial. + +-Dave + +(Oracle, in their quest for portability, +used to use raw disks for the database. +This finessed the filesystem issue; did +it also allow them to roll their own set +of async drivers?) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0535.e5e6e90ce659ed0f9d4063350a836201 b/machine-learning-ex6/ex6/easy_ham/0535.e5e6e90ce659ed0f9d4063350a836201 new file mode 100644 index 0000000..74a0357 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0535.e5e6e90ce659ed0f9d4063350a836201 @@ -0,0 +1,128 @@ +From fork-admin@xent.com Sat Sep 7 21:52:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4938B16F1A + for ; Sat, 7 Sep 2002 21:52:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g871S7C02024 for ; + Sat, 7 Sep 2002 02:28:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1F1F42940A2; Fri, 6 Sep 2002 18:25:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 31EAE29409E for + ; Fri, 6 Sep 2002 18:24:02 -0700 (PDT) +Received: (qmail 16015 invoked by uid 501); 7 Sep 2002 01:26:31 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Sep 2002 01:26:31 -0000 +From: CDale +To: Eugen Leitl +Cc: bitbitch@magnesium.net, "Adam L. Beberg" , + +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 20:26:31 -0500 (CDT) +X-Spam-Status: No, hits=-12.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 6 Sep 2002, Eugen Leitl wrote: + +> On Fri, 6 Sep 2002, CDale wrote: +> +> > It also depends on what the fad is or what is in style. (: +> +> DNA's idea of fads is on the 100 kiloyear scale, unfortunately. As long as +> current fads don't involve in-vivo rewrite of the genome, homeoboxes +> including (now there's a problem for you, homeoboxing the adult), they're +> not all that smart an idear. + +I forgot what we were taking about. (: + +> +> > Actualy our silly antiquated ideas about relationships and love have +> > resulted in the bleedings of many upon many a page (and musical +> > instrumnet, and canvas) What's the problem if we dash a little Mrs. +> +> Art is sure nice. However, if art is our first priority we're kinda +> fux0red, if we've set our sight on a sustainable culture. + +Nah, didn't say art's our priority. Said our ideas about relationships +and love are. + +> > And let me tell you this: just because a child happens to be +> > single-parented (what a word), does not mean that child is +> > dysfunctional or lives in a dysfunctional home. The govt/media/church +> +> Our firmware is not built to be single-parented. You can counteract that +> somewhat by exposing the kid to a community of close friends, but not too +> many do that. + +I see it a lot in the south. Also family. + +> +> > has tried to make it look like there is a disintegration, when in +> > fact, there is a coming together of other family members and friends +> > to raise children. It's not decaying -- it's changing. Nothing wrong +> > with change. +> +> I don't know what exactly is wrong, but something is definitely wrong. +> This is way too important to be left to just our intuition of what is +> right and what is wrong. + +One thing that's wrong is who some of us choose as babysitters. Too many +kids are put in front of the television for hours each day, to be +influenced by what the media and government thinks is important. I +learned a long time ago that what they think is important and what is are +two different things. I threw the TV out when Xi was 9. She's got her +own place now, and still doesn't have one. YaY! Another thing that's +wrong is what goes on in public schools. Some allow a bit of +individuality, but only for a class or a short period of time, depending +on the teachers, most of the time. I dunno how many times I've seen Xi +come home from school absolutely miserable or outraged about something +that happened at school. She made it to college, though, whew. It's a +big problem to tackle, and I don't know the answer. I like the idea of +the voucher system, because in a way it is a way parents can vote more +efficiently for how their kids are taught. + + +> > > > At least from the viewpoint of demographics sustainability and +> > > counterpressure to gerontocracy and resulting innovatiophobia we're doing +> > > something wrong. +> > > +> > > Maybe we should really go dirty Tleilaxu all the way. +> > > +> > +> > Maybe y'all should buy m-w some more bandwidth. +> +> m-w? +> +merriam-webster. (: +C + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0536.ba3a7bb7f4797867867494246c8f6dec b/machine-learning-ex6/ex6/easy_ham/0536.ba3a7bb7f4797867867494246c8f6dec new file mode 100644 index 0000000..eea248b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0536.ba3a7bb7f4797867867494246c8f6dec @@ -0,0 +1,82 @@ +From fork-admin@xent.com Sat Sep 7 21:52:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 51EE716F1B + for ; Sat, 7 Sep 2002 21:52:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8721FC02762 for ; + Sat, 7 Sep 2002 03:01:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6472E2940B0; Fri, 6 Sep 2002 18:58:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id BA46729409E for ; + Fri, 6 Sep 2002 18:57:38 -0700 (PDT) +Received: (qmail 21595 invoked from network); 7 Sep 2002 02:00:15 -0000 +Received: from unknown (HELO maya.dyndns.org) (165.154.190.91) by + smtp1.superb.net with SMTP; 7 Sep 2002 02:00:15 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 9307D1C0B3; + Fri, 6 Sep 2002 21:54:41 -0400 (EDT) +To: "Jim Whitehead" +Cc: "FoRK" +Subject: Re: Google? Not in China +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 06 Sep 2002 21:54:41 -0400 +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == Jim Whitehead writes: + + J> Seems that governments do have some power over the + J> Web, after all. + +At the 1993 ITAC "Roadwork" Conference, Peter Mansbridge asked the +panel of experts how it might be possible to censor the internet. All +of the panelists laughed except Bill Buxton. Peter asked him if he +knew something the others didn't. Bill replied that it /was/ possible +to censor the internet, which drew a gasp from the audience. "All you +need is a global government more Draconian than any that has occured +before in history" + +Scientology DMCA suits against Norwegians, legal RIAA file-trading +virii, Bush's Homeland Insecurity, Canada using ISPs as spies, RIAA +suing Prodigy for P2P users and having Foreign sites barred from the +US, France tempers Yahoo, China IP-filters Google ... + +Seems Bill didn't know much about how Government really works. Either +that, or there's a smelly similarity between Buxton's global Big +Brother and the US and Chinese. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0537.882248ddfd0af3420b98e12fe3f9e7cb b/machine-learning-ex6/ex6/easy_ham/0537.882248ddfd0af3420b98e12fe3f9e7cb new file mode 100644 index 0000000..062c770 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0537.882248ddfd0af3420b98e12fe3f9e7cb @@ -0,0 +1,157 @@ +From fork-admin@xent.com Sat Sep 7 21:53:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0AE8916F1C + for ; Sat, 7 Sep 2002 21:52:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g872JEC03279 for ; + Sat, 7 Sep 2002 03:19:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7B44E2940BB; Fri, 6 Sep 2002 19:16:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id CF27929409E for ; + Fri, 6 Sep 2002 19:15:28 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17nVB4-0006lz-00; Fri, 06 Sep 2002 22:18:27 -0400 +From: "Geege Schuman" +To: "CDale" , +Cc: "Adam L. Beberg" , +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 22:16:46 -0400 +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +quitcherbraggin. + +:-) +gg + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +Sent: Friday, September 06, 2002 3:42 AM +To: bitbitch@magnesium.net +Cc: Adam L. Beberg; fork@example.com +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) + + +I dunno, BB. Women who like to be thought of this way should have the +right to choose to be treated this way. Men too... ahem. (: My boy +cleans, washes clothes, cooks, fixes stuff, etc, and works the same number +of hours I do, sometimes more, if he has to catch up with me. (: I +close him because he is industrious and creative, and because he +unfailingly makes my bed the minute I get out of it. And boy #2 will be +here soon to help boy #1 with other things such as pedicures, backrubs, +and sure, fucking. LOL! (along with the aforementioned "chores") Adam can +have his cake and eat it too, if he can only find the right girl who has +the same beliefs about gender roles that he has. Of course, he has NO +clue where to look, so we will be constantly laughing at him while he +stumbles around in the dark. +Cindy +P.S. the numbers do not in any way indicate importance or favor -- only +the order in which they move into my house. -smiles at chris- +P.S. #2. I'm moving. Going to New Orleans. Can't handle any more cab +driving. The summer sucked here on the MS Gulf Coast, instead of rocking +like it normally does. Wish me luck. I'm going to look for another +computer job. Le Sigh. (: + +On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: + +> Hello Adam, +> +> Thursday, September 05, 2002, 11:33:18 PM, you wrote: +> +> +> ALB> So, you're saying that product bundling works? Good point. +> +> Sometimes I wish I was still in CA. You deserve a good beating every +> so often... (anyone else want to do the honors?) +> +> ALB> And how is this any different from "normal" marriage exactly? Other +then +> ALB> that the woman not only gets a man, but one in a country where both +she and +> ALB> her offspring will have actual opportunities? Oh and the lack of +> ALB> "de-feminized, over-sized, self-centered, mercenary-minded" choices? +> +> Mmkay. For the nth time Adam, we don't live in the land of +> Adam-fantasy. Women actually are allowed to do things productive, +> independent and entirely free of their male counterparts. They aren't +> forced to cook and clean and merely be sexual vessels. Sometimes, +> and this will come as a shock to you, no doubt, men and women even +> find -love- (which is the crucial distinction between this system) and +> they marry one another for the satisfaction of being together. I +> know, far-fetched and idealistically crazy as it is, but such things +> do happen. I can guarantee you, if my mother was approached by my +> father, and 25 years ago, he commented on her cleaning ability as a +> motivator for marrying her, we would not be having this conversation +> now. +> +> If guys still have silly antequated ideas about 'women's role' then +> their opportunities for finding women _will_ be scarce. Again, these +> situations are great, provided everyone is aware that the relationship +> is a contractual one -- he wants a maid, a dog and a prostitute he +> doesn't have to pay, and she wants a country that isn't impoverished +> and teeming with AIDS. A contract, versus a true love-interest +> marriage. +> +> Egh. I really need to stop analyzing your posts to this extent. I +> blame law school and my cat. +> +> -BB +> +> ALB> - Adam L. "Duncan" Beberg +> ALB> http://www.mithral.com/~beberg/ +> ALB> beberg@mithral.com +> +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0538.59939f403bfb0f553e02f77abfb38846 b/machine-learning-ex6/ex6/easy_ham/0538.59939f403bfb0f553e02f77abfb38846 new file mode 100644 index 0000000..a33d9dd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0538.59939f403bfb0f553e02f77abfb38846 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Sat Sep 7 21:52:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 71A1E16F19 + for ; Sat, 7 Sep 2002 21:52:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g86LG7C24176 for ; + Fri, 6 Sep 2002 22:16:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B80DC29417A; Fri, 6 Sep 2002 14:13:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id AA50F29409E for ; + Fri, 6 Sep 2002 14:12:33 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g86Kugq11953 for + ; Fri, 6 Sep 2002 13:56:43 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Online contents of Electronic Publishing journal +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 13:54:21 -0700 +X-Spam-Status: No, hits=-1.9 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,PORN_4,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +I recently stumbled across the contents of the journal, "Electronic +Publishing", which was published from January, 1988 through December, 1995. +All papers are available online in PDF (this was apparently one of the first +journals to disseminate in PDF, in 1994). The journal also reprints some of +the better papers from the Electronic Publishing conferences, held bi-yearly +from 1986-1992 (EP86, EP88, EP90, EP92). + +http://cajun.cs.nott.ac.uk/compsci/epo/papers/epoddtoc.html + +Today's reader might look at the contents and wonder about their relevance, +since they don't directly discuss the Web. As an academic, I find this +journal valuable, since the papers are of generally high quality (by top +researchers), and they provide lots of pointers to the evolution of the +ideas that led to many Web technologies. It's one source among many for +sifting through the intellectual lineage of electronic publishing +technologies. + +Rohit and Adam might find the following papers especially relevant, in the +context of their WWW7 "Evolution of Document Species" paper: + +Page Description Languages: Development, Implementation and Standardization: +A. L. Oakley and A. C. Norris +http://cajun.cs.nott.ac.uk/compsci/epo/papers/volume1/issue2/epalo012.pdf + +Important papers in the history of document preparation systems: basic +sources: +Richard K. Furuta +http://cajun.cs.nott.ac.uk/compsci/epo/papers/volume5/issue1/ep057rf.pdf +(Excellent overview of sources) + +Several of the authors of papers in this journal are now involved in the ACM +Document Engineering conference series: +http://www.documentengineering.org/ + +- Jim + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0539.6430d7b1bde02782a28fef081b4224fc b/machine-learning-ex6/ex6/easy_ham/0539.6430d7b1bde02782a28fef081b4224fc new file mode 100644 index 0000000..a181832 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0539.6430d7b1bde02782a28fef081b4224fc @@ -0,0 +1,155 @@ +From fork-admin@xent.com Sat Sep 7 21:53:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 19E2716F1E + for ; Sat, 7 Sep 2002 21:52:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g872ONC03451 for ; + Sat, 7 Sep 2002 03:24:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 46EAD2940E5; Fri, 6 Sep 2002 19:19:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id DDBAB2940D8 for + ; Fri, 6 Sep 2002 19:18:46 -0700 (PDT) +Received: (qmail 22857 invoked by uid 501); 7 Sep 2002 02:21:09 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Sep 2002 02:21:09 -0000 +From: CDale +To: Geege Schuman +Cc: bitbitch@magnesium.net, "Adam L. Beberg" , + +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 6 Sep 2002 21:21:09 -0500 (CDT) +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Why should I? (: +C + +On Fri, 6 Sep 2002, Geege Schuman wrote: + +> quitcherbraggin. +> +> :-) +> gg +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +> Sent: Friday, September 06, 2002 3:42 AM +> To: bitbitch@magnesium.net +> Cc: Adam L. Beberg; fork@example.com +> Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +> +> +> I dunno, BB. Women who like to be thought of this way should have the +> right to choose to be treated this way. Men too... ahem. (: My boy +> cleans, washes clothes, cooks, fixes stuff, etc, and works the same number +> of hours I do, sometimes more, if he has to catch up with me. (: I +> close him because he is industrious and creative, and because he +> unfailingly makes my bed the minute I get out of it. And boy #2 will be +> here soon to help boy #1 with other things such as pedicures, backrubs, +> and sure, fucking. LOL! (along with the aforementioned "chores") Adam can +> have his cake and eat it too, if he can only find the right girl who has +> the same beliefs about gender roles that he has. Of course, he has NO +> clue where to look, so we will be constantly laughing at him while he +> stumbles around in the dark. +> Cindy +> P.S. the numbers do not in any way indicate importance or favor -- only +> the order in which they move into my house. -smiles at chris- +> P.S. #2. I'm moving. Going to New Orleans. Can't handle any more cab +> driving. The summer sucked here on the MS Gulf Coast, instead of rocking +> like it normally does. Wish me luck. I'm going to look for another +> computer job. Le Sigh. (: +> +> On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: +> +> > Hello Adam, +> > +> > Thursday, September 05, 2002, 11:33:18 PM, you wrote: +> > +> > +> > ALB> So, you're saying that product bundling works? Good point. +> > +> > Sometimes I wish I was still in CA. You deserve a good beating every +> > so often... (anyone else want to do the honors?) +> > +> > ALB> And how is this any different from "normal" marriage exactly? Other +> then +> > ALB> that the woman not only gets a man, but one in a country where both +> she and +> > ALB> her offspring will have actual opportunities? Oh and the lack of +> > ALB> "de-feminized, over-sized, self-centered, mercenary-minded" choices? +> > +> > Mmkay. For the nth time Adam, we don't live in the land of +> > Adam-fantasy. Women actually are allowed to do things productive, +> > independent and entirely free of their male counterparts. They aren't +> > forced to cook and clean and merely be sexual vessels. Sometimes, +> > and this will come as a shock to you, no doubt, men and women even +> > find -love- (which is the crucial distinction between this system) and +> > they marry one another for the satisfaction of being together. I +> > know, far-fetched and idealistically crazy as it is, but such things +> > do happen. I can guarantee you, if my mother was approached by my +> > father, and 25 years ago, he commented on her cleaning ability as a +> > motivator for marrying her, we would not be having this conversation +> > now. +> > +> > If guys still have silly antequated ideas about 'women's role' then +> > their opportunities for finding women _will_ be scarce. Again, these +> > situations are great, provided everyone is aware that the relationship +> > is a contractual one -- he wants a maid, a dog and a prostitute he +> > doesn't have to pay, and she wants a country that isn't impoverished +> > and teeming with AIDS. A contract, versus a true love-interest +> > marriage. +> > +> > Egh. I really need to stop analyzing your posts to this extent. I +> > blame law school and my cat. +> > +> > -BB +> > +> > ALB> - Adam L. "Duncan" Beberg +> > ALB> http://www.mithral.com/~beberg/ +> > ALB> beberg@mithral.com +> > +> > +> > +> > +> > +> > +> +> -- +> "I don't take no stocks in mathematics, anyway" --Huckleberry Finn +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0540.e0eb7ff6a98c054571e07addde3cc4de b/machine-learning-ex6/ex6/easy_ham/0540.e0eb7ff6a98c054571e07addde3cc4de new file mode 100644 index 0000000..8855f7e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0540.e0eb7ff6a98c054571e07addde3cc4de @@ -0,0 +1,71 @@ +From fork-admin@xent.com Sat Sep 7 21:53:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6060316F1F + for ; Sat, 7 Sep 2002 21:52:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g875g8C08186 for ; + Sat, 7 Sep 2002 06:42:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 624FC2940CE; Fri, 6 Sep 2002 22:39:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id D4B0F29409E for ; + Fri, 6 Sep 2002 22:38:28 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020907054108.EMT9751.sccrmhc01.attbi.com@Intellistation> for + ; Sat, 7 Sep 2002 05:41:08 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: FoRK@xent.com +Subject: Re: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209070140.32845.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 01:40:32 -0400 +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Friday 06 September 2002 06:16 am, Eugen Leitl wrote: +> I don't know what exactly is wrong, but something is definitely wrong. +> This is way too important to be left to just our intuition of what is +> right and what is wrong. + +This is one of those formally difficult points from a philosophy +perspective. You can't really throw out intuition and emotion because +reason really only gets you answers that reflect the genome and the +ancestral environment. Going forward requires creativity and experiment. + +Eirikur + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0541.ab739b149f085a5830ec76c633db2850 b/machine-learning-ex6/ex6/easy_ham/0541.ab739b149f085a5830ec76c633db2850 new file mode 100644 index 0000000..2b37409 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0541.ab739b149f085a5830ec76c633db2850 @@ -0,0 +1,184 @@ +From fork-admin@xent.com Sat Sep 7 21:53:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6F27F16F20 + for ; Sat, 7 Sep 2002 21:52:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87Df8C21641 for ; + Sat, 7 Sep 2002 14:41:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 231932940E9; Sat, 7 Sep 2002 06:38:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 0852229409E for + ; Sat, 7 Sep 2002 06:37:46 -0700 (PDT) +Received: (qmail 10557 invoked by uid 501); 7 Sep 2002 13:40:16 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Sep 2002 13:40:16 -0000 +From: CDale +To: Geege Schuman +Cc: bitbitch@magnesium.net, "Adam L. Beberg" , + +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 08:40:16 -0500 (CDT) +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +If it's unwritten, how'm I supposed to know unless someone CALLS me up and +tells me/ hint hint. LOL (: Well, I reckon it's a written rule now, +since it's on the internet in text format w/ your name attached, but then +again, when have I ever followed any damned rules??? (: +C + +On Sat, 7 Sep 2002, Geege Schuman wrote: + +> unwritten rule. 8-) +> +> gg +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +> Sent: Friday, September 06, 2002 10:21 PM +> To: Geege Schuman +> Cc: bitbitch@magnesium.net; Adam L. Beberg; fork@example.com +> Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +> +> +> Why should I? (: +> C +> +> On Fri, 6 Sep 2002, Geege Schuman wrote: +> +> > quitcherbraggin. +> > +> > :-) +> > gg +> > +> > -----Original Message----- +> > From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +> > Sent: Friday, September 06, 2002 3:42 AM +> > To: bitbitch@magnesium.net +> > Cc: Adam L. Beberg; fork@example.com +> > Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +> > +> > +> > I dunno, BB. Women who like to be thought of this way should have the +> > right to choose to be treated this way. Men too... ahem. (: My boy +> > cleans, washes clothes, cooks, fixes stuff, etc, and works the same number +> > of hours I do, sometimes more, if he has to catch up with me. (: I +> > close him because he is industrious and creative, and because he +> > unfailingly makes my bed the minute I get out of it. And boy #2 will be +> > here soon to help boy #1 with other things such as pedicures, backrubs, +> > and sure, fucking. LOL! (along with the aforementioned "chores") Adam can +> > have his cake and eat it too, if he can only find the right girl who has +> > the same beliefs about gender roles that he has. Of course, he has NO +> > clue where to look, so we will be constantly laughing at him while he +> > stumbles around in the dark. +> > Cindy +> > P.S. the numbers do not in any way indicate importance or favor -- only +> > the order in which they move into my house. -smiles at chris- +> > P.S. #2. I'm moving. Going to New Orleans. Can't handle any more cab +> > driving. The summer sucked here on the MS Gulf Coast, instead of rocking +> > like it normally does. Wish me luck. I'm going to look for another +> > computer job. Le Sigh. (: +> > +> > On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: +> > +> > > Hello Adam, +> > > +> > > Thursday, September 05, 2002, 11:33:18 PM, you wrote: +> > > +> > > +> > > ALB> So, you're saying that product bundling works? Good point. +> > > +> > > Sometimes I wish I was still in CA. You deserve a good beating every +> > > so often... (anyone else want to do the honors?) +> > > +> > > ALB> And how is this any different from "normal" marriage exactly? Other +> > then +> > > ALB> that the woman not only gets a man, but one in a country where both +> > she and +> > > ALB> her offspring will have actual opportunities? Oh and the lack of +> > > ALB> "de-feminized, over-sized, self-centered, mercenary-minded" +> choices? +> > > +> > > Mmkay. For the nth time Adam, we don't live in the land of +> > > Adam-fantasy. Women actually are allowed to do things productive, +> > > independent and entirely free of their male counterparts. They aren't +> > > forced to cook and clean and merely be sexual vessels. Sometimes, +> > > and this will come as a shock to you, no doubt, men and women even +> > > find -love- (which is the crucial distinction between this system) and +> > > they marry one another for the satisfaction of being together. I +> > > know, far-fetched and idealistically crazy as it is, but such things +> > > do happen. I can guarantee you, if my mother was approached by my +> > > father, and 25 years ago, he commented on her cleaning ability as a +> > > motivator for marrying her, we would not be having this conversation +> > > now. +> > > +> > > If guys still have silly antequated ideas about 'women's role' then +> > > their opportunities for finding women _will_ be scarce. Again, these +> > > situations are great, provided everyone is aware that the relationship +> > > is a contractual one -- he wants a maid, a dog and a prostitute he +> > > doesn't have to pay, and she wants a country that isn't impoverished +> > > and teeming with AIDS. A contract, versus a true love-interest +> > > marriage. +> > > +> > > Egh. I really need to stop analyzing your posts to this extent. I +> > > blame law school and my cat. +> > > +> > > -BB +> > > +> > > ALB> - Adam L. "Duncan" Beberg +> > > ALB> http://www.mithral.com/~beberg/ +> > > ALB> beberg@mithral.com +> > > +> > > +> > > +> > > +> > > +> > > +> > +> > -- +> > "I don't take no stocks in mathematics, anyway" --Huckleberry Finn +> > +> > +> > +> > +> > +> +> -- +> "I don't take no stocks in mathematics, anyway" --Huckleberry Finn +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0542.9a7c09acf3e7748e4ae90a48959e731f b/machine-learning-ex6/ex6/easy_ham/0542.9a7c09acf3e7748e4ae90a48959e731f new file mode 100644 index 0000000..ca37729 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0542.9a7c09acf3e7748e4ae90a48959e731f @@ -0,0 +1,59 @@ +From fork-admin@xent.com Sat Sep 7 21:53:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CE34616F16 + for ; Sat, 7 Sep 2002 21:52:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87Du7C22075 for ; + Sat, 7 Sep 2002 14:56:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AD1A32940A0; Sat, 7 Sep 2002 06:53:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 4B03129409E for ; Sat, 7 Sep 2002 06:52:10 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 7E5CBC44D; + Sat, 7 Sep 2002 15:52:57 +0200 (CEST) +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: <20020907135257.7E5CBC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 15:52:57 +0200 (CEST) +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +CDale URLed thusly: +>http://www.news.harvard.edu/gazette/2000/10.19/01_monogamy.html + +>The assumption that females of all species tend to be less promiscuous +>than males simply does not fit the facts, Hrdy contended. + +Well, DUH!!! + +It is perfectly obvious that (heterosexual) promiscuity is exactly, +precisely identical between males and females. + +Of course the shapes of the distributions may differ. + + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0543.5070e5e197736112782da156d46f6357 b/machine-learning-ex6/ex6/easy_ham/0543.5070e5e197736112782da156d46f6357 new file mode 100644 index 0000000..e953b82 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0543.5070e5e197736112782da156d46f6357 @@ -0,0 +1,88 @@ +From fork-admin@xent.com Sat Sep 7 21:53:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2FAF116F21 + for ; Sat, 7 Sep 2002 21:52:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87F73C23979 for ; + Sat, 7 Sep 2002 16:07:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9FE482940E7; Sat, 7 Sep 2002 08:04:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f221.law15.hotmail.com [64.4.23.221]) by + xent.com (Postfix) with ESMTP id 6573229409E for ; + Sat, 7 Sep 2002 08:03:10 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 7 Sep 2002 08:05:51 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Sat, 07 Sep 2002 15:05:51 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 07 Sep 2002 15:05:51.0647 (UTC) FILETIME=[0E5B6AF0:01C25680] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 07 Sep 2002 15:05:51 +0000 +X-Spam-Status: No, hits=-2.4 required=7.0 + tests=AWL,HOTMAIL_FOOTER5,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Robert Harley: +>It is perfectly obvious that (heterosexual) promiscuity is exactly, +>precisely identical between males and females. + +Yeah, assuming approximately equal populations. +But that obscures the different modes of +promiscuity. Both the person who gives sex for +money or power or companionship and the person +who uses money and power and companionship to +get sex are promiscuous, in the broadest sense +of the word. But their motives and behavior are +quite different. + +Langur monkeys were the example in the cited +article. "Dominant males .. kill babies that +are not their own." "The dominant male monkey +.. seeks to defend his harem of females." But +cozying up to the current dominant male isn't +the best strategy for female langurs, because +"dominant males are dethroned by rivals every +27 months or so." "By mating with as many +extra-group males as possible, female langurs +ensure their offspring against infanticide," +by the male who is likely next to rule the +roost. + +Maybe it's just me, but that doesn't paint a +picture of carefree females engaged in joyously +promiscuous couplings. The dom cab driver who +is taking her two boy toys to New Orleans is a +better picture of that. ;-) + + + + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0544.6498586c31db44aac98902ffc6cee696 b/machine-learning-ex6/ex6/easy_ham/0544.6498586c31db44aac98902ffc6cee696 new file mode 100644 index 0000000..0f10b6b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0544.6498586c31db44aac98902ffc6cee696 @@ -0,0 +1,185 @@ +From fork-admin@xent.com Sat Sep 7 21:53:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E6A6716EFC + for ; Sat, 7 Sep 2002 21:52:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87DA8C20610 for ; + Sat, 7 Sep 2002 14:10:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C6F7E2940D8; Sat, 7 Sep 2002 06:07:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 50B0D29409E for ; + Sat, 7 Sep 2002 06:06:56 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17nfLB-0006QR-00; Sat, 07 Sep 2002 09:09:33 -0400 +From: "Geege Schuman" +To: "CDale" , + "Geege Schuman" +Cc: , "Adam L. Beberg" , + +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 09:07:50 -0400 +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +unwritten rule. 8-) + +gg + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +Sent: Friday, September 06, 2002 10:21 PM +To: Geege Schuman +Cc: bitbitch@magnesium.net; Adam L. Beberg; fork@example.com +Subject: RE: Re[2]: Selling Wedded Bliss (was Re: Ouch...) + + +Why should I? (: +C + +On Fri, 6 Sep 2002, Geege Schuman wrote: + +> quitcherbraggin. +> +> :-) +> gg +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of CDale +> Sent: Friday, September 06, 2002 3:42 AM +> To: bitbitch@magnesium.net +> Cc: Adam L. Beberg; fork@example.com +> Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +> +> +> I dunno, BB. Women who like to be thought of this way should have the +> right to choose to be treated this way. Men too... ahem. (: My boy +> cleans, washes clothes, cooks, fixes stuff, etc, and works the same number +> of hours I do, sometimes more, if he has to catch up with me. (: I +> close him because he is industrious and creative, and because he +> unfailingly makes my bed the minute I get out of it. And boy #2 will be +> here soon to help boy #1 with other things such as pedicures, backrubs, +> and sure, fucking. LOL! (along with the aforementioned "chores") Adam can +> have his cake and eat it too, if he can only find the right girl who has +> the same beliefs about gender roles that he has. Of course, he has NO +> clue where to look, so we will be constantly laughing at him while he +> stumbles around in the dark. +> Cindy +> P.S. the numbers do not in any way indicate importance or favor -- only +> the order in which they move into my house. -smiles at chris- +> P.S. #2. I'm moving. Going to New Orleans. Can't handle any more cab +> driving. The summer sucked here on the MS Gulf Coast, instead of rocking +> like it normally does. Wish me luck. I'm going to look for another +> computer job. Le Sigh. (: +> +> On Thu, 5 Sep 2002 bitbitch@magnesium.net wrote: +> +> > Hello Adam, +> > +> > Thursday, September 05, 2002, 11:33:18 PM, you wrote: +> > +> > +> > ALB> So, you're saying that product bundling works? Good point. +> > +> > Sometimes I wish I was still in CA. You deserve a good beating every +> > so often... (anyone else want to do the honors?) +> > +> > ALB> And how is this any different from "normal" marriage exactly? Other +> then +> > ALB> that the woman not only gets a man, but one in a country where both +> she and +> > ALB> her offspring will have actual opportunities? Oh and the lack of +> > ALB> "de-feminized, over-sized, self-centered, mercenary-minded" +choices? +> > +> > Mmkay. For the nth time Adam, we don't live in the land of +> > Adam-fantasy. Women actually are allowed to do things productive, +> > independent and entirely free of their male counterparts. They aren't +> > forced to cook and clean and merely be sexual vessels. Sometimes, +> > and this will come as a shock to you, no doubt, men and women even +> > find -love- (which is the crucial distinction between this system) and +> > they marry one another for the satisfaction of being together. I +> > know, far-fetched and idealistically crazy as it is, but such things +> > do happen. I can guarantee you, if my mother was approached by my +> > father, and 25 years ago, he commented on her cleaning ability as a +> > motivator for marrying her, we would not be having this conversation +> > now. +> > +> > If guys still have silly antequated ideas about 'women's role' then +> > their opportunities for finding women _will_ be scarce. Again, these +> > situations are great, provided everyone is aware that the relationship +> > is a contractual one -- he wants a maid, a dog and a prostitute he +> > doesn't have to pay, and she wants a country that isn't impoverished +> > and teeming with AIDS. A contract, versus a true love-interest +> > marriage. +> > +> > Egh. I really need to stop analyzing your posts to this extent. I +> > blame law school and my cat. +> > +> > -BB +> > +> > ALB> - Adam L. "Duncan" Beberg +> > ALB> http://www.mithral.com/~beberg/ +> > ALB> beberg@mithral.com +> > +> > +> > +> > +> > +> > +> +> -- +> "I don't take no stocks in mathematics, anyway" --Huckleberry Finn +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0545.f3614ca8b5095f9b69b7a3ff336d5aac b/machine-learning-ex6/ex6/easy_ham/0545.f3614ca8b5095f9b69b7a3ff336d5aac new file mode 100644 index 0000000..3089bfc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0545.f3614ca8b5095f9b69b7a3ff336d5aac @@ -0,0 +1,117 @@ +From fork-admin@xent.com Sat Sep 7 21:53:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D58E016F17 + for ; Sat, 7 Sep 2002 21:52:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87Ht9C28092 for ; + Sat, 7 Sep 2002 18:55:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F7BA2940A6; Sat, 7 Sep 2002 10:52:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id C7E4B29409E for ; + Sat, 7 Sep 2002 10:51:16 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17njmv-0005z1-00; Sat, 07 Sep 2002 13:54:30 -0400 +From: "Geege Schuman" +To: "Russell Turpin" , +Subject: RE: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 13:52:44 -0400 +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=AWL,HOTMAIL_FOOTER5,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +cdale is a double chocolate chip macadamia to my vanilla wafer. wait, maybe +i'm a ginger snap. + + +gg + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +Russell Turpin +Sent: Saturday, September 07, 2002 11:06 AM +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) + + +Robert Harley: +>It is perfectly obvious that (heterosexual) promiscuity is exactly, +>precisely identical between males and females. + +Yeah, assuming approximately equal populations. +But that obscures the different modes of +promiscuity. Both the person who gives sex for +money or power or companionship and the person +who uses money and power and companionship to +get sex are promiscuous, in the broadest sense +of the word. But their motives and behavior are +quite different. + +Langur monkeys were the example in the cited +article. "Dominant males .. kill babies that +are not their own." "The dominant male monkey +.. seeks to defend his harem of females." But +cozying up to the current dominant male isn't +the best strategy for female langurs, because +"dominant males are dethroned by rivals every +27 months or so." "By mating with as many +extra-group males as possible, female langurs +ensure their offspring against infanticide," +by the male who is likely next to rule the +roost. + +Maybe it's just me, but that doesn't paint a +picture of carefree females engaged in joyously +promiscuous couplings. The dom cab driver who +is taking her two boy toys to New Orleans is a +better picture of that. ;-) + + + + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0546.b6bc744eb32a97fdb4005fc1e513cf85 b/machine-learning-ex6/ex6/easy_ham/0546.b6bc744eb32a97fdb4005fc1e513cf85 new file mode 100644 index 0000000..7a21ad8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0546.b6bc744eb32a97fdb4005fc1e513cf85 @@ -0,0 +1,117 @@ +From fork-admin@xent.com Sat Sep 7 21:54:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7EE1D16F49 + for ; Sat, 7 Sep 2002 21:52:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87ID8C28529 for ; + Sat, 7 Sep 2002 19:13:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 45BFE29417C; Sat, 7 Sep 2002 11:10:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id D1A3129409E for + ; Sat, 7 Sep 2002 11:09:10 -0700 (PDT) +Received: (qmail 11729 invoked by uid 501); 7 Sep 2002 18:11:42 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Sep 2002 18:11:42 -0000 +From: CDale +To: Geege Schuman +Cc: Russell Turpin , +Subject: RE: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 13:11:42 -0500 (CDT) +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,HOTMAIL_FOOTER5,HOT_NASTY,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hah. I guess she doesn't want everyone to know about all the kinky sex +she and I have had. LOL +C + +On Sat, 7 Sep 2002, Geege Schuman wrote: + +> cdale is a double chocolate chip macadamia to my vanilla wafer. wait, maybe +> i'm a ginger snap. +> +> +> gg +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +> Russell Turpin +> Sent: Saturday, September 07, 2002 11:06 AM +> To: fork@example.com +> Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +> +> +> Robert Harley: +> >It is perfectly obvious that (heterosexual) promiscuity is exactly, +> >precisely identical between males and females. +> +> Yeah, assuming approximately equal populations. +> But that obscures the different modes of +> promiscuity. Both the person who gives sex for +> money or power or companionship and the person +> who uses money and power and companionship to +> get sex are promiscuous, in the broadest sense +> of the word. But their motives and behavior are +> quite different. +> +> Langur monkeys were the example in the cited +> article. "Dominant males .. kill babies that +> are not their own." "The dominant male monkey +> .. seeks to defend his harem of females." But +> cozying up to the current dominant male isn't +> the best strategy for female langurs, because +> "dominant males are dethroned by rivals every +> 27 months or so." "By mating with as many +> extra-group males as possible, female langurs +> ensure their offspring against infanticide," +> by the male who is likely next to rule the +> roost. +> +> Maybe it's just me, but that doesn't paint a +> picture of carefree females engaged in joyously +> promiscuous couplings. The dom cab driver who +> is taking her two boy toys to New Orleans is a +> better picture of that. ;-) +> +> +> +> +> +> _________________________________________________________________ +> Chat with friends online, try MSN Messenger: http://messenger.msn.com +> +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0547.48bed4a66cbab49616e6d2a8f04a170b b/machine-learning-ex6/ex6/easy_ham/0547.48bed4a66cbab49616e6d2a8f04a170b new file mode 100644 index 0000000..c8c046a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0547.48bed4a66cbab49616e6d2a8f04a170b @@ -0,0 +1,98 @@ +From fork-admin@xent.com Sat Sep 7 21:53:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2604216F22 + for ; Sat, 7 Sep 2002 21:52:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87Fp7C24925 for ; + Sat, 7 Sep 2002 16:51:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DAA892940F2; Sat, 7 Sep 2002 08:48:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id BFFB129409E for + ; Sat, 7 Sep 2002 08:47:11 -0700 (PDT) +Received: (qmail 26499 invoked by uid 501); 7 Sep 2002 15:49:41 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Sep 2002 15:49:41 -0000 +From: CDale +To: Russell Turpin +Cc: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 10:49:41 -0500 (CDT) +X-Spam-Status: No, hits=-12.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,HOTMAIL_FOOTER5,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Oh, well, uh, thank you, Russell. LOL@#! (I think?) +C + +On Sat, 7 Sep 2002, Russell Turpin wrote: + +> Robert Harley: +> >It is perfectly obvious that (heterosexual) promiscuity is exactly, +> >precisely identical between males and females. +> +> Yeah, assuming approximately equal populations. +> But that obscures the different modes of +> promiscuity. Both the person who gives sex for +> money or power or companionship and the person +> who uses money and power and companionship to +> get sex are promiscuous, in the broadest sense +> of the word. But their motives and behavior are +> quite different. +> +> Langur monkeys were the example in the cited +> article. "Dominant males .. kill babies that +> are not their own." "The dominant male monkey +> .. seeks to defend his harem of females." But +> cozying up to the current dominant male isn't +> the best strategy for female langurs, because +> "dominant males are dethroned by rivals every +> 27 months or so." "By mating with as many +> extra-group males as possible, female langurs +> ensure their offspring against infanticide," +> by the male who is likely next to rule the +> roost. +> +> Maybe it's just me, but that doesn't paint a +> picture of carefree females engaged in joyously +> promiscuous couplings. The dom cab driver who +> is taking her two boy toys to New Orleans is a +> better picture of that. ;-) +> +> +> +> +> +> _________________________________________________________________ +> Chat with friends online, try MSN Messenger: http://messenger.msn.com +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0548.02f295e25e8268967c4f00b24ec03236 b/machine-learning-ex6/ex6/easy_ham/0548.02f295e25e8268967c4f00b24ec03236 new file mode 100644 index 0000000..d9c567f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0548.02f295e25e8268967c4f00b24ec03236 @@ -0,0 +1,93 @@ +From fork-admin@xent.com Sat Sep 7 21:54:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8ECCB16F03 + for ; Sat, 7 Sep 2002 21:52:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87KAIC31918 for ; + Sat, 7 Sep 2002 21:10:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 820932940D3; Sat, 7 Sep 2002 13:07:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 394F429409E for ; Sat, + 7 Sep 2002 13:06:04 -0700 (PDT) +Received: (qmail 19746 invoked from network); 7 Sep 2002 20:08:45 -0000 +Received: from adsl-67-119-24-60.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.60) by relay1.pair.com with SMTP; 7 Sep 2002 20:08:45 -0000 +X-Pair-Authenticated: 67.119.24.60 +Message-Id: <005701c256aa$5d12d6e0$640a000a@golden> +From: "Gordon Mohr" +To: +References: <20020907135257.7E5CBC44D@argote.ch> +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 13:08:41 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Definitional nit to pick: + +Robert Harley writes: +> It is perfectly obvious that (heterosexual) promiscuity is exactly, +> precisely identical between males and females. +> +> Of course the shapes of the distributions may differ. + +You've redefined "promiscuity" above as "total" or "average" +activity, which seems to rob it of its common meaning: +activity above some specific threshold (usually "one") or +norm, or involving extra or indiscriminate variety. +"Promiscuity" is thus inherently a description of +distributions rather than averages. + +Consider a population of 3 males and 3 females. Let +there be three pairings which result in each person +having sex once. Then, let one of the males also have +sex with the other two females. + +Sure, the average number of sex acts and sex partners +is equal between the sexes, tautologically. + +But here more women than men are: + - above the single partner threshold + - above the overall average 1.67 acts/partners threshold + - above the overall median 1.5 acts/partners + - above the overall mode 1 acts/partners + +And here women have a higher mode (2) and median (2) +number of partners. + +So in this contrived population, females are more +"promiscuous" than males, unless "promiscuity" is +defined uselessly. + +- Gordon + + diff --git a/machine-learning-ex6/ex6/easy_ham/0549.59f3057eef31f2b8ebb02446556a3f37 b/machine-learning-ex6/ex6/easy_ham/0549.59f3057eef31f2b8ebb02446556a3f37 new file mode 100644 index 0000000..afe6a35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0549.59f3057eef31f2b8ebb02446556a3f37 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Sat Sep 7 21:54:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3236B16F56 + for ; Sat, 7 Sep 2002 21:52:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 21:52:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87J8AC30255 for ; + Sat, 7 Sep 2002 20:08:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4799C294180; Sat, 7 Sep 2002 12:05:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f198.law15.hotmail.com [64.4.23.198]) by + xent.com (Postfix) with ESMTP id 4FCCB29409E for ; + Sat, 7 Sep 2002 12:04:48 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 7 Sep 2002 12:07:30 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Sat, 07 Sep 2002 19:07:29 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: RE: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 07 Sep 2002 19:07:30.0068 (UTC) FILETIME=[D016E540:01C256A1] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 07 Sep 2002 19:07:29 +0000 +X-Spam-Status: No, hits=-1.2 required=7.0 + tests=AWL,HOT_NASTY,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +CDale: +>I guess [Geege] doesn't want everyone to know about all the kinky sex she +>and I have had. + +Yeah, like I'm going to believe that without +seeing the photos. Next, you'll be telling me +that Beberg found a job he likes. + + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0550.8e86f9859287ac9846e3c179b29e0fc1 b/machine-learning-ex6/ex6/easy_ham/0550.8e86f9859287ac9846e3c179b29e0fc1 new file mode 100644 index 0000000..a08b0ec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0550.8e86f9859287ac9846e3c179b29e0fc1 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Sat Sep 7 22:08:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0271B16EFC + for ; Sat, 7 Sep 2002 22:08:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 07 Sep 2002 22:08:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g87Kx8C00526 for ; + Sat, 7 Sep 2002 21:59:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 817592940F3; Sat, 7 Sep 2002 13:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 76A7529409E for ; + Sat, 7 Sep 2002 13:55:20 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17nmf5-0004Ay-00; Sat, 07 Sep 2002 16:58:35 -0400 +From: "Geege Schuman" +To: "Russell Turpin" , +Subject: RE: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 7 Sep 2002 16:56:48 -0400 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,HOT_NASTY,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +intersectedness: i'd be surprised if beberg ever had a BLOWjob he liked. i +mean, it would have involved OTHERS, less EVOLVED others. + +:-) +gg + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +Russell Turpin +Sent: Saturday, September 07, 2002 3:07 PM +To: fork@example.com +Subject: RE: Selling Wedded Bliss (was Re: Ouch...) + + +CDale: +>I guess [Geege] doesn't want everyone to know about all the kinky sex she +>and I have had. + +Yeah, like I'm going to believe that without +seeing the photos. Next, you'll be telling me +that Beberg found a job he likes. + + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0551.5bdfb0c299c60e442e39346dc08bad68 b/machine-learning-ex6/ex6/easy_ham/0551.5bdfb0c299c60e442e39346dc08bad68 new file mode 100644 index 0000000..0eb15de --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0551.5bdfb0c299c60e442e39346dc08bad68 @@ -0,0 +1,57 @@ +From fork-admin@xent.com Sun Sep 8 23:50:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 234FF16F18 + for ; Sun, 8 Sep 2002 23:50:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88F4BC00823 for ; + Sun, 8 Sep 2002 16:04:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 31F1A294294; Sun, 8 Sep 2002 08:01:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 510742940AD for ; Sun, 8 Sep 2002 08:00:52 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 44010C44D; + Sun, 8 Sep 2002 17:01:26 +0200 (CEST) +To: fork@example.com +Subject: The Big Jump +Message-Id: <20020908150126.44010C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 17:01:26 +0200 (CEST) +X-Spam-Status: No, hits=-1.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Today a French officer called Michel Fournier is supposed to get in a +350-metre tall helium balloon, ride it up to the edge of space (40 km +altitude) and jump out. His fall should last 6.5 minutes and reach +speeds of Mach 1.5. He hopes to open his parachute manually at the +end, although with an automatic backup if he is 7 seconds from the +ground and still hasn't opened it. + +R + +ObQuote: + "Vederò, si averò si grossi li coglioni, come ha il re di Franza." + ("Let's see if I've got as much balls as the King of France!") + - Pope Julius II, 2 January 1511 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0552.1ce63d212148c58723cc1f7150b27157 b/machine-learning-ex6/ex6/easy_ham/0552.1ce63d212148c58723cc1f7150b27157 new file mode 100644 index 0000000..ff2a72a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0552.1ce63d212148c58723cc1f7150b27157 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Sun Sep 8 23:50:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B841116F19 + for ; Sun, 8 Sep 2002 23:50:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88FbBC01701 for ; + Sun, 8 Sep 2002 16:37:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D4D772942A0; Sun, 8 Sep 2002 08:34:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id 9C23329429C for ; + Sun, 8 Sep 2002 08:33:18 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + sccrmhc01.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020908153602.IDWF9751.sccrmhc01.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Sun, 8 Sep 2002 15:36:02 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <15861948735.20020908113611@magnesium.net> +To: harley@argote.ch ((Robert Harley)) +Cc: fork@example.com +Subject: Re: The Big Jump +In-Reply-To: <20020908150126.44010C44D@argote.ch> +References: <20020908150126.44010C44D@argote.ch> +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 11:36:11 -0400 +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + + + +So uh, would this qualify for the Darwin awards if he doesn't make it? + +Freaking french people... + :-) +-BB +RH> Today a French officer called Michel Fournier is supposed to get in a +RH> 350-metre tall helium balloon, ride it up to the edge of space (40 km +RH> altitude) and jump out. His fall should last 6.5 minutes and reach +RH> speeds of Mach 1.5. He hopes to open his parachute manually at the +RH> end, although with an automatic backup if he is 7 seconds from the +RH> ground and still hasn't opened it. + +RH> R + +RH> ObQuote: +RH> "Vederò, si averò si grossi li coglioni, come ha il re di Franza." +RH> ("Let's see if I've got as much balls as the King of France!") +RH> - Pope Julius II, 2 January 1511 + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0553.a2487df9e3ff8da0521a962e19bce6d1 b/machine-learning-ex6/ex6/easy_ham/0553.a2487df9e3ff8da0521a962e19bce6d1 new file mode 100644 index 0000000..595a639 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0553.a2487df9e3ff8da0521a962e19bce6d1 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Sun Sep 8 23:50:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BBC216F1A + for ; Sun, 8 Sep 2002 23:50:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88HOEC03926 for ; + Sun, 8 Sep 2002 18:24:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8EA012940F0; Sun, 8 Sep 2002 10:21:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta5.snfc21.pbi.net (mta5.snfc21.pbi.net [206.13.28.241]) + by xent.com (Postfix) with ESMTP id C03002940C4 for ; + Sun, 8 Sep 2002 10:20:34 -0700 (PDT) +Received: from [192.168.123.100] ([64.173.24.253]) by mta5.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H240092BQYV6K@mta5.snfc21.pbi.net> for fork@xent.com; Sun, + 08 Sep 2002 10:23:19 -0700 (PDT) +From: James Rogers +Subject: Re: whoa +In-Reply-To: +To: fork@example.com +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +User-Agent: Microsoft-Entourage/9.0.1.3108 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 08 Sep 2002 00:55:00 -0700 +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=AWL,DATE_IN_PAST_06_12,EMAIL_ATTRIBUTION,INVALID_MSGID, + IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_ENTOURAGE + version=2.50-cvs +X-Spam-Level: + +On 9/8/02 7:38 AM, "Gary Lawrence Murphy" wrote: +> J> ... If you want a region of the globe mapped out to a very +> J> high resolution (e.g. 1-meter), they can scan the area with +> J> aircraft LIDAR and add it to the database, thereby making that +> J> region zoomable to the resolution of the database for that +> J> area. +> +> Can you give us an example of an application where 1-m resolution +> would be worth the considerable expense? + + +An example: Being able to model RF propagation in three dimensions for a +metro area when deploying wireless networks. By having every single tree +and building detail and similar, you can "see" even tiny dead spots due to +physical blockage and signal attenuation. Overlay this with fiber map data +for yourself and your competitors (when you can glean such data), which is +also useful at this resolution, and you have a very slick way of modeling +existing network deployments in excruciating detail and optimizing further +deployments to maximize coverage and bandwidth. Take that and tie it into a +slick geo-physically aware real-time network monitoring and management +system and you've really got something... + +For many applications though, 5-meter data is probably adequate. + + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0554.54333f9154d05593aa58b146b2c717c8 b/machine-learning-ex6/ex6/easy_ham/0554.54333f9154d05593aa58b146b2c717c8 new file mode 100644 index 0000000..f7a79a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0554.54333f9154d05593aa58b146b2c717c8 @@ -0,0 +1,116 @@ +From fork-admin@xent.com Sun Sep 8 23:50:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 14B0816F16 + for ; Sun, 8 Sep 2002 23:50:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88KrDC10175 for ; + Sun, 8 Sep 2002 21:53:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A291F2940E8; Sun, 8 Sep 2002 13:50:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 525372940DA for ; Sun, + 8 Sep 2002 13:49:23 -0700 (PDT) +Received: (qmail 98324 invoked from network); 8 Sep 2002 20:52:07 -0000 +Received: from adsl-67-119-24-60.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.60) by relay1.pair.com with SMTP; 8 Sep 2002 20:52:07 -0000 +X-Pair-Authenticated: 67.119.24.60 +Message-Id: <011e01c25779$96151aa0$640a000a@golden> +From: "Gordon Mohr" +To: +References: <20020908113331.15383C44D@argote.ch> +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 13:52:02 -0700 +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Robert Harley: +> Gordon Mohr wrote: +> >Definitional nit to pick: +> >You've redefined "promiscuity" above as "total" or "average" activity, +> +> I think it's clear that I'm talking about averages, so I'm not sure +> why that nit needs to be picked... + +It was clear you were talking about averages. But it should +be equally clear that that isn't what people mean when they +use the word "promiscuity". + +> >which seems to rob it of its common meaning: +> >activity above some specific threshold (usually "one") +> +> In that case, "promiscous" is a vacuous term in modern Western +> societies (but we knew that :), where people average 7 partners or so +> in their adult lives. + +Not at all. There are still people who only have one partner. +There are many more whoe only have one partner over "long" +periods of time. So it is far from "vacuous" to describe some +people as "promiscuous" and others as "not promiscuous", +especially over a set period. ("He was promiscuous in college. +He is no longer promiscuous.") + +The word has a clear meaning, despite your continuing tendency +to gloss that meaning over with population averages. + +> >Consider a population of 3 males and 3 females. +> >[...] +> >so in this contrived population, females are more "promiscuous" than males, +> +> So 1 girl gets 1 guy, 2 girls get 2 guys, 2 guys get 1 girl, 1 guy +> gets 3 girls. Sounds like six of one versus half a dozen of the other +> to me. + +OK, then. Consider a population of 1,000,000. 500,000 men each +pair off with 500,000 women. Then, 1 man, let's call him "Wilt", +also has sex with the other 499,999 women. + +499,999 women have had more than one partner. 499,999 men have +only had one partner. It is now "perfectly obvious" that in the +common meaning of the term, among this contrived population, +that women are "more promiscuous" than men -- even though the +single "most promiscuous" person, Wilt, is a man. + +"Promiscuity" is not "exactly, perfectly identical between males +and females", except under a degenerate custom definition of +"promiscuity". + +> >unless "promiscuity" is defined uselessly. +> +> Ain't nothin' useless about averages. + +Averages are useful, sure -- but much more so if called by their +actual name, rather than conflated with another concept. + +- Gordon + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0555.1c625d1145e0bce09ed40f363b26ac73 b/machine-learning-ex6/ex6/easy_ham/0555.1c625d1145e0bce09ed40f363b26ac73 new file mode 100644 index 0000000..4aacd14 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0555.1c625d1145e0bce09ed40f363b26ac73 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Sun Sep 8 23:50:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F076316F1B + for ; Sun, 8 Sep 2002 23:50:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88L4BC10410 for ; + Sun, 8 Sep 2002 22:04:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E9AA72940F6; Sun, 8 Sep 2002 14:01:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id AEFF82940EF for + ; Sun, 8 Sep 2002 14:00:20 -0700 (PDT) +Received: (qmail 18694 invoked by uid 508); 8 Sep 2002 21:03:04 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.61) by + venus.phpwebhosting.com with SMTP; 8 Sep 2002 21:03:04 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g88L2vW10429; Sun, 8 Sep 2002 23:02:57 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Gordon Mohr +Cc: +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <011e01c25779$96151aa0$640a000a@golden> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 23:02:57 +0200 (CEST) +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Sun, 8 Sep 2002, Gordon Mohr wrote: + +> OK, then. Consider a population of 1,000,000. 500,000 men each +> pair off with 500,000 women. Then, 1 man, let's call him "Wilt", +> also has sex with the other 499,999 women. + +It is not uncommon to find gay males who had sex with several thousands +partners (there would be more, in fact lots more, probably, but a lot of +them have died). Don't have to be a callboy, if considering that you can +have intercourse with several partners in a single day in a bathouse it +doesn't look particularly difficult to do. + +Clearly this is not something what hets do, prostitution not taken into +account. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0556.f2a384f62a88105a5ea0dee646cf6609 b/machine-learning-ex6/ex6/easy_ham/0556.f2a384f62a88105a5ea0dee646cf6609 new file mode 100644 index 0000000..b715fb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0556.f2a384f62a88105a5ea0dee646cf6609 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Sun Sep 8 23:51:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 62CB316F1C + for ; Sun, 8 Sep 2002 23:50:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:50:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88MIBC13138 for ; + Sun, 8 Sep 2002 23:18:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7EA3B294103; Sun, 8 Sep 2002 15:15:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 843E1294101 for ; + Sun, 8 Sep 2002 15:14:14 -0700 (PDT) +Received: (qmail 21023 invoked from network); 8 Sep 2002 22:17:01 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 8 Sep 2002 22:17:01 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 500C81CC98; + Sun, 8 Sep 2002 18:16:58 -0400 (EDT) +To: James Rogers +Cc: fork@example.com +Subject: Re: whoa +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 08 Sep 2002 18:16:57 -0400 +X-Spam-Status: No, hits=-9.3 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == James Rogers writes: + + J> An example: Being able to model RF propagation in three + J> dimensions for a metro area when deploying wireless networks. + J> By having every single tree and building detail and similar, + J> you can "see" even tiny dead spots due to physical blockage and + J> signal attenuation. + +Hmmm, just as I thought. In other words, it has no practical uses +whatsoever ;) ... do the biz guys in your office /really/ think WISPs +are really going to shell out /their/ money to find a house or two +they can't reach? Experience suggests (a) they won't care and (b) +they will even sign up that errant house and then give them a +run-around blaming the dead-spot on "unsupported vendor equipment". + +Thus, yes, it is 'cool': Expensive toy with no apparent function ;) + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0557.4a673d945072f8ec9ef08a4366f25bc1 b/machine-learning-ex6/ex6/easy_ham/0557.4a673d945072f8ec9ef08a4366f25bc1 new file mode 100644 index 0000000..f0d5897 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0557.4a673d945072f8ec9ef08a4366f25bc1 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 9 10:46:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 995E316F03 + for ; Mon, 9 Sep 2002 10:45:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88NRCC16739 for ; + Mon, 9 Sep 2002 00:27:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D97302941C7; Sun, 8 Sep 2002 16:24:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id 52EE52941C4 for ; + Sun, 8 Sep 2002 16:23:43 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + 51F943F4E8; Sun, 8 Sep 2002 19:24:16 -0400 (EDT) +From: kragen@pobox.com (Kragen Sitaker) +To: fork@example.com +Subject: earthviewer (was Re: whoa} +Message-Id: <20020908232416.51F943F4E8@panacea.canonical.org> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 19:24:16 -0400 (EDT) +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +On 9/8/02 7:38 AM, "Gary Lawrence Murphy" wrote: +> J> ... If you want a region of the globe mapped out to a very +> J> high resolution (e.g. 1-meter), they can scan the area with +> J> aircraft LIDAR and add it to the database, thereby making that +> J> region zoomable to the resolution of the database for that +> J> area. +> +> Can you give us an example of an application where 1-m resolution +> would be worth the considerable expense? + +Planning battle tactics; for this reason, the intelligence press +reports, spy satellites have had 1-meter resolution for many years. + +Finding an individual vehicle in a city might occasionally be possible +with 1-m images and might occasionally also be worth the money. + +For small areas you have legitimate access to, it's probably cheaper +to go there with a digital camera and a GPS and take some snapshots +from ground level. Aerial photos might be cheaper for large areas, +areas where you're not allowed --- or, perhaps, physically able --- to +go, and cases where you don't have time to send a ground guy around +the whole area. + +-- + Kragen Sitaker +Edsger Wybe Dijkstra died in August of 2002. The world has lost a great +man. See http://advogato.org/person/raph/diary.html?start=252 and +http://www.kode-fu.com/geek/2002_08_04_archive.shtml for details. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0558.38c3bacad7e79fdf03dfdfcbfd19e787 b/machine-learning-ex6/ex6/easy_ham/0558.38c3bacad7e79fdf03dfdfcbfd19e787 new file mode 100644 index 0000000..1977d40 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0558.38c3bacad7e79fdf03dfdfcbfd19e787 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Mon Sep 9 10:46:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 02BD716F18 + for ; Mon, 9 Sep 2002 10:45:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g88NtCC17997 for ; + Mon, 9 Sep 2002 00:55:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 59E3B2941CD; Sun, 8 Sep 2002 16:52:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id D90462940C9 for ; + Sun, 8 Sep 2002 16:51:25 -0700 (PDT) +Received: from [192.168.123.100] ([64.173.24.253]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H250058U92AJ5@mta7.pltn13.pbi.net> for fork@xent.com; Sun, + 08 Sep 2002 16:54:10 -0700 (PDT) +From: James Rogers +Subject: Re: whoa +In-Reply-To: +To: fork@example.com +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +User-Agent: Microsoft-Entourage/9.0.1.3108 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 08 Sep 2002 16:54:09 -0700 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,INVALID_MSGID,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01, + USER_AGENT,USER_AGENT_ENTOURAGE + version=2.50-cvs +X-Spam-Level: + +On 9/8/02 3:16 PM, "Gary Lawrence Murphy" wrote: +>>>>>> "J" == James Rogers writes: +> +> J> An example: Being able to model RF propagation in three +> J> dimensions for a metro area when deploying wireless networks. +> J> By having every single tree and building detail and similar, +> J> you can "see" even tiny dead spots due to physical blockage and +> J> signal attenuation. +> +> Hmmm, just as I thought. In other words, it has no practical uses +> whatsoever ;) ... do the biz guys in your office /really/ think WISPs +> are really going to shell out /their/ money to find a house or two +> they can't reach? Experience suggests (a) they won't care and (b) +> they will even sign up that errant house and then give them a +> run-around blaming the dead-spot on "unsupported vendor equipment". + + +Errrr....the biz guys in my office don't care what the "WISPs" want to do +with their little WiFi networks. And the bandwidth shadows in most cities +are surprisingly large and common. They aren't selling the software, which +is pretty pricy as it happens. They are using it to optimize next +generation wireless canopies over metro areas and fiber networks on a large +scale. There are an essentially infinite number of metro wireless +configurations, some of which generate far more dead or marginal spots and +others which are very expensive to operate (due to backhaul transit +considerations) or both. This software can be used as a tool to optimize +the canopy coverage and minimize the actual transit costs since the wireless +is tied into fiber at multiple points. + +The canopies we are talking about aren't short-range wifi technologies, but +a mixture of long-range high-performance wireless networking, with bandwidth +measured in tens to hundreds of mbits and ranges measured in miles (up to +well over a hundred miles on the extreme end). At those ranges and +bandwidth levels, the cost of providing the network can easily vary by an +order of magnitude or more depending on how you manage RF shadows and +proximity to fiber access points. The idea ultimately is to optimize the +cost and performance such that no existing network infrastructure providers +can remotely compete and maintain profitability. This is a surprisingly low +bar, and it is about time networks were designed with this level of +large-scale optimization (cost per mbit, maximizing coverage, and effective +bandwidth available per unit area) in any case. And for this company's +long-term plans, this type of capability will be absolutely necessary to +keep things sane. + +Or at least investors find this capability very sexy and compelling, +especially since we have this lovely visualization engine tied into the +system (CLI batches never have the same effect, even if it is more +efficient). + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0559.2c60829e4147cdc981cf7131088b851d b/machine-learning-ex6/ex6/easy_ham/0559.2c60829e4147cdc981cf7131088b851d new file mode 100644 index 0000000..cc33688 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0559.2c60829e4147cdc981cf7131088b851d @@ -0,0 +1,66 @@ +From fork-admin@xent.com Mon Sep 9 10:46:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 709B616F1A + for ; Mon, 9 Sep 2002 10:45:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8939BC29610 for ; + Mon, 9 Sep 2002 04:09:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EAD422942B4; Sun, 8 Sep 2002 20:06:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id C14BB2941D0 for ; Sun, + 8 Sep 2002 20:05:39 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id B3EB03ED4A; + Sun, 8 Sep 2002 23:11:51 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id B25D63ECDA; Sun, 8 Sep 2002 23:11:51 -0400 (EDT) +From: Tom +To: Eugen Leitl +Cc: Gordon Mohr , +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 23:11:51 -0400 (EDT) +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Sun, 8 Sep 2002, Eugen Leitl wrote: + +--]doesn't look particularly difficult to do. +--] +--]Clearly this is not something what hets do, prostitution not taken into +--]account. + +So lets see, hets dont go to swing clubs, meat markets or the like at all? +Hmm. And being gay means hanging in the bath house being a cum dumpster +while you listen to the Devine Ms M belt one out for the boys? + +Ugh, with thinking like this who needs the bible belt? + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0560.c422e330f8ff3ecf8fdfb5f00e691bf9 b/machine-learning-ex6/ex6/easy_ham/0560.c422e330f8ff3ecf8fdfb5f00e691bf9 new file mode 100644 index 0000000..fde1526 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0560.c422e330f8ff3ecf8fdfb5f00e691bf9 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Mon Sep 9 10:46:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 116F316F19 + for ; Mon, 9 Sep 2002 10:45:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g892IDC28193 for ; + Mon, 9 Sep 2002 03:18:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7DEE32942B0; Sun, 8 Sep 2002 19:15:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 1EB8B2942AE for ; + Sun, 8 Sep 2002 19:14:27 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17oE7b-0005Gg-00 for Fork@xent.com; Sun, 08 Sep 2002 22:17:51 -0400 +From: "Geege Schuman" +To: +Subject: Recommended Viewing +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 22:15:54 -0400 +X-Spam-Status: No, hits=-5.3 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +who watched Lathe of Heaven? (A&E, 8 pm EDT) who has seen the original? + +if it's airing now on the west coast, do catch it. + +gg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0561.7e0c08933efe38c91d293454976e4977 b/machine-learning-ex6/ex6/easy_ham/0561.7e0c08933efe38c91d293454976e4977 new file mode 100644 index 0000000..1edb7e8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0561.7e0c08933efe38c91d293454976e4977 @@ -0,0 +1,107 @@ +From fork-admin@xent.com Mon Sep 9 10:46:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E841C16F1B + for ; Mon, 9 Sep 2002 10:45:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g893E4C29655 for ; + Mon, 9 Sep 2002 04:14:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 218112942B8; Sun, 8 Sep 2002 20:07:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 773FB2942B7 for ; + Sun, 8 Sep 2002 20:06:32 -0700 (PDT) +Received: (qmail 21992 invoked from network); 9 Sep 2002 03:09:21 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 9 Sep 2002 03:09:21 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 1FC381CC98; + Sun, 8 Sep 2002 23:09:17 -0400 (EDT) +To: kragen@pobox.com (Kragen Sitaker) +Cc: fork@example.com +Subject: Re: earthviewer (was Re: whoa} +References: <20020908232416.51F943F4E8@panacea.canonical.org> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 08 Sep 2002 23:09:17 -0400 +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +>>>>> "K" == Kragen Sitaker writes: + + K> Planning battle tactics; for this reason, the intelligence + K> press reports, spy satellites have had 1-meter resolution for + K> many years. + +The military already have these spy satellites; they are basically +Hubble pointed the other way, so I doubt they will be a big enough +customer of this service to justify a next-generation wireless +network rollout for the rest of us. + + K> Finding an individual vehicle in a city might occasionally be + K> possible with 1-m images and might occasionally also be worth + K> the money. + +My car is only just over 1.5 meters across and maybe 3 meters long, so +that means roughly six pixels total surface area. You might find a +16-wheeler this way, but how often do people misplace a 16-wheeler +such that it is _that_ important to get old images of the terrain? +Since they can't send up aircraft to update images in realtime every +time, how is this different from just releasing the map on DVDs? Why +wireless? + +I thought of the common problem of lost prize cattle, but there again, +will there really be business-case for creating a hi-res map of +wyoming on the fly instead of just doing what they do now and hiring a +helicopter for a few hours? + + K> For small areas you have legitimate access to, it's probably + K> cheaper to go there with a digital camera and a GPS and take + K> some snapshots from ground level. Aerial photos might be + K> cheaper for large areas, areas where you're not allowed --- or, + K> perhaps, physically able --- to go, and cases where you don't + K> have time to send a ground guy around the whole area. + +I can see lower-res being useful for Geologists, but considering their +points of interest change only a few times every few million years, +there's not much need to be wireless based on up-to-the-minute data. +I expect most geologists travel with a laptop perfectly capable of DVD +playback, and I also expect the most interesting geology is in regions +where the wireless ain't going to go ;) + +I don't mean to nit-pick, it's just that I'm curious as to (a) the +need for this product that justifies the extreme cost and (b) how we'd +justify the ubiquitous next-generation wireless network that this +product postulates when we /still/ can't find the killer app for 3G. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0562.7dea96e851b897ea041ea242a9d3c119 b/machine-learning-ex6/ex6/easy_ham/0562.7dea96e851b897ea041ea242a9d3c119 new file mode 100644 index 0000000..1df2a29 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0562.7dea96e851b897ea041ea242a9d3c119 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Sep 9 10:46:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D246D16F1C + for ; Mon, 9 Sep 2002 10:45:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g893HIC29684 for ; + Mon, 9 Sep 2002 04:17:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B6EB12942BC; Sun, 8 Sep 2002 20:11:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id B2B352942BB for ; + Sun, 8 Sep 2002 20:10:08 -0700 (PDT) +Received: (qmail 23455 invoked from network); 9 Sep 2002 03:12:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 9 Sep 2002 03:12:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id BDC5C1CC98; + Sun, 8 Sep 2002 23:12:53 -0400 (EDT) +To: James Rogers +Cc: fork@example.com +Subject: Re: whoa +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 08 Sep 2002 23:12:53 -0400 +X-Spam-Status: No, hits=-9.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == James Rogers writes: + + J> ... They aren't selling the software, which is pretty pricy as + J> it happens. They are using it to optimize next generation + J> wireless canopies over metro areas and fiber networks on a + J> large scale. There are an essentially infinite number of metro + J> wireless configurations, some of which generate far more dead + J> or marginal spots and others which are very expensive to + J> operate (due to backhaul transit considerations) or both. This + J> software can be used as a tool to optimize the canopy coverage + J> and minimize the actual transit costs since the wireless is + J> tied into fiber at multiple points. + +So you only need to map a handful of metropolitan areas? + + J> Or at least investors find this capability very sexy and + J> compelling + +Ah ... now /that/ I will believe :) + +Don't mind me; I'm just getting even more cynical in my old age. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0563.cc76540c47ac49aa8dcbe801e8380b36 b/machine-learning-ex6/ex6/easy_ham/0563.cc76540c47ac49aa8dcbe801e8380b36 new file mode 100644 index 0000000..fcf5b37 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0563.cc76540c47ac49aa8dcbe801e8380b36 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Mon Sep 9 10:46:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6466316F1E + for ; Mon, 9 Sep 2002 10:45:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g893aMC30158 for ; + Mon, 9 Sep 2002 04:36:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 59F822942C0; Sun, 8 Sep 2002 20:33:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id B7ADB2942BF for ; + Sun, 8 Sep 2002 20:32:13 -0700 (PDT) +Received: from [192.168.123.100] ([64.173.24.253]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H25005UQJA6KW@mta7.pltn13.pbi.net> for fork@xent.com; Sun, + 08 Sep 2002 20:34:55 -0700 (PDT) +From: James Rogers +Subject: Re: earthviewer (was Re: whoa} +In-Reply-To: +To: fork@example.com +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +User-Agent: Microsoft-Entourage/9.0.1.3108 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 08 Sep 2002 20:34:54 -0700 +X-Spam-Status: No, hits=-10.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,INVALID_MSGID,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05, + USER_AGENT,USER_AGENT_ENTOURAGE + version=2.50-cvs +X-Spam-Level: + +On 9/8/02 8:09 PM, "Gary Lawrence Murphy" wrote: +> My car is only just over 1.5 meters across and maybe 3 meters long, so +> that means roughly six pixels total surface area. You might find a +> 16-wheeler this way, but how often do people misplace a 16-wheeler +> such that it is _that_ important to get old images of the terrain? +> Since they can't send up aircraft to update images in realtime every +> time, how is this different from just releasing the map on DVDs? Why +> wireless? + + +It seems that several people are missing the point that this is NOT an image +database. It is high-resolution topological data rendered in three +dimensions. Images are overlayed on the topological data to help people +navigate familiar terrain visually. In other words, it is not intended as a +wannabe spy satellite. Rather it is a very accurate three dimensional model +of the earth's surface. When a particular region in question is covered in +a city, the buildings in the city are mapped as though they are part of the +earth's surface. The part that makes the app killer is that you can map all +sorts of data layers on top of their core topological data. + +Got it? + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0564.d200fee3d675d75d79f14c8308d631d1 b/machine-learning-ex6/ex6/easy_ham/0564.d200fee3d675d75d79f14c8308d631d1 new file mode 100644 index 0000000..f181877 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0564.d200fee3d675d75d79f14c8308d631d1 @@ -0,0 +1,78 @@ +From fork-admin@xent.com Mon Sep 9 10:46:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ED20116F1F + for ; Mon, 9 Sep 2002 10:45:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g893vGC30619 for ; + Mon, 9 Sep 2002 04:57:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0372F2941CE; Sun, 8 Sep 2002 20:54:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id ABEC92941C9 for + ; Sun, 8 Sep 2002 20:53:40 -0700 (PDT) +Received: (qmail 9858 invoked by uid 501); 9 Sep 2002 03:56:09 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 9 Sep 2002 03:56:09 -0000 +From: CDale +To: Tom +Cc: Eugen Leitl , Gordon Mohr , + +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 22:56:09 -0500 (CDT) +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays are +promiscuous, and so are hets, but I betcha gays are more AIDSphobic than +hets, generally speaking.... +C + +On Sun, 8 Sep 2002, Tom wrote: + +> On Sun, 8 Sep 2002, Eugen Leitl wrote: +> +> --]doesn't look particularly difficult to do. +> --] +> --]Clearly this is not something what hets do, prostitution not taken into +> --]account. +> +> So lets see, hets dont go to swing clubs, meat markets or the like at all? +> Hmm. And being gay means hanging in the bath house being a cum dumpster +> while you listen to the Devine Ms M belt one out for the boys? +> +> Ugh, with thinking like this who needs the bible belt? +> +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0565.881770e64b20fa8ee779d12aeda1fc54 b/machine-learning-ex6/ex6/easy_ham/0565.881770e64b20fa8ee779d12aeda1fc54 new file mode 100644 index 0000000..2fa7341 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0565.881770e64b20fa8ee779d12aeda1fc54 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Mon Sep 9 10:46:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E0F2116F21 + for ; Mon, 9 Sep 2002 10:46:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:46:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8956EC00328 for ; + Mon, 9 Sep 2002 06:06:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D4FC42942C3; Sun, 8 Sep 2002 22:03:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 651382941D9 for ; Sun, + 8 Sep 2002 22:02:12 -0700 (PDT) +Received: (qmail 71750 invoked from network); 9 Sep 2002 05:04:58 -0000 +Received: from adsl-67-119-24-60.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.60) by relay1.pair.com with SMTP; 9 Sep 2002 05:04:58 -0000 +X-Pair-Authenticated: 67.119.24.60 +Message-Id: <02f701c257be$6f1d9e50$640a000a@golden> +From: "Gordon Mohr" +To: +References: +Subject: earthviewer apps Re: whoa +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 8 Sep 2002 22:04:51 -0700 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=AWL,INVALID_MSGID,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy cynicizes: +> Hmmm, just as I thought. In other words, it has no practical uses +> whatsoever ;) + +Tourism is the world's largest industry. Using this +to preview your travels, or figure out where you are, +would be very valuable. + +Online gaming continues to grow. Screw "Britannia", +real-life Britain would be a fun world to wander/ +conquer/explore virtually, in role-playing or real- +time-strategy games. + +And of course, as James Rogers points out, it's an +ideal display substrate for all sorts of other +overlaid data. Maps are great, photrealistic 3-D +maps of everywhere which can have many other static +and dynamic datasets overlaid are spectacular. + +(Combining those last two thoughts: consider the +static world map, in faded colors, with patches +here-and-there covered by live webcams, stitched +over the static info in bright colors... it'd be +like the "fog of war" view in games like Warcraft, +over the real world.) + +- Gordon + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0566.97120c2bc957702e0e1606025799951e b/machine-learning-ex6/ex6/easy_ham/0566.97120c2bc957702e0e1606025799951e new file mode 100644 index 0000000..ac0c8cc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0566.97120c2bc957702e0e1606025799951e @@ -0,0 +1,77 @@ +From fork-admin@xent.com Mon Sep 9 10:46:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5D27316F20 + for ; Mon, 9 Sep 2002 10:45:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:45:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g894fDC32162 for ; + Mon, 9 Sep 2002 05:41:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6A6AC2941D3; Sun, 8 Sep 2002 21:38:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 480DB2941CC for ; + Sun, 8 Sep 2002 21:37:14 -0700 (PDT) +Received: (qmail 22976 invoked from network); 9 Sep 2002 04:40:04 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 9 Sep 2002 04:40:04 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id C7A5D1CC98; + Mon, 9 Sep 2002 00:39:58 -0400 (EDT) +To: James Rogers +Cc: fork@example.com +Subject: Re: earthviewer (was Re: whoa} +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 09 Sep 2002 00:39:58 -0400 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == James Rogers writes: + + J> ... The part that makes the app killer is that you can map all + J> sorts of data layers on top of their core topological data. + + J> Got it? + +Ah, ok ... so some sample applications come to mind, although none of +them require wireless and would do with a DVD, but nonetheless ... + +- Forestry: Maps of the terrain are essential in predicting the spread +of forest fires, esp if this is overlaid with the type of vegetation, +recent waterfall &c + +- farming/conservation can use the high-resolution terrain to overlay +water tables or watershed info. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0567.41bb1a0c6c8c5584844c6baa2612ede2 b/machine-learning-ex6/ex6/easy_ham/0567.41bb1a0c6c8c5584844c6baa2612ede2 new file mode 100644 index 0000000..664e3f3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0567.41bb1a0c6c8c5584844c6baa2612ede2 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 9 14:34:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6FEC016EFC + for ; Mon, 9 Sep 2002 14:34:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:34:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89B4DC10789 for ; + Mon, 9 Sep 2002 12:04:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6B8722941D5; Mon, 9 Sep 2002 04:01:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp01.mrf.mail.rcn.net (smtp01.mrf.mail.rcn.net + [207.172.4.60]) by xent.com (Postfix) with ESMTP id DC76F29409C for + ; Mon, 9 Sep 2002 04:00:08 -0700 (PDT) +Received: from 216-164-236-234.s234.tnt3.frdb.va.dialup.rcn.com + ([216.164.236.234] helo=TOSHIBA-L8QYR7M) by smtp01.mrf.mail.rcn.net with + esmtp (Exim 3.35 #6) id 17oMJg-000417-00 for Fork@xent.com; Mon, + 09 Sep 2002 07:02:52 -0400 +From: "John Evdemon" +To: +MIME-Version: 1.0 +Subject: Re: Recommended Viewing +Message-Id: <3D7C479A.6222.1C08076@localhost> +Priority: normal +In-Reply-To: +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 07:02:50 -0400 +X-Spam-Status: No, hits=-2.0 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +On 8 Sep 2002 at 22:15, Geege Schuman wrote: + +> who watched Lathe of Heaven? (A&E, 8 pm EDT) who has seen +> the original? +> +By "original" if you are referring to the old PBS version, I liked that version much better. Much more thought provoking. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0568.112e1928cfa88de3901d08715fd2e3b3 b/machine-learning-ex6/ex6/easy_ham/0568.112e1928cfa88de3901d08715fd2e3b3 new file mode 100644 index 0000000..9c30317 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0568.112e1928cfa88de3901d08715fd2e3b3 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 9 14:34:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0BCAB16EFC + for ; Mon, 9 Sep 2002 14:34:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:34:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89BAFC11147 for ; + Mon, 9 Sep 2002 12:10:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 470D52942CA; Mon, 9 Sep 2002 04:07:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 514C52942C9 for + ; Mon, 9 Sep 2002 04:06:10 -0700 (PDT) +Received: (qmail 3525 invoked by uid 508); 9 Sep 2002 11:08:55 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.112) by + venus.phpwebhosting.com with SMTP; 9 Sep 2002 11:08:55 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g89B8p201980; Mon, 9 Sep 2002 13:08:51 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: CDale +Cc: Tom , Gordon Mohr , + +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 13:08:51 +0200 (CEST) +X-Spam-Status: No, hits=-10.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Sun, 8 Sep 2002, CDale wrote: + +> I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays + +So how many of your hetero friends had >3 k lovers? + +> are promiscuous, and so are hets, but I betcha gays are more +> AIDSphobic than hets, generally speaking.... + +The virus load issue is orthogonal to the fact. Bzzt. Switch on your +brain, you both. I was mentioning that a subpopulation outside of the sex +industry is/used to be extremely promiscuous, about two orders of +magnitude higher than average. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0569.ef10ce803ff212d76f9dd6148b84a823 b/machine-learning-ex6/ex6/easy_ham/0569.ef10ce803ff212d76f9dd6148b84a823 new file mode 100644 index 0000000..28facc1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0569.ef10ce803ff212d76f9dd6148b84a823 @@ -0,0 +1,83 @@ +From fork-admin@xent.com Mon Sep 9 14:34:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5238816EFC + for ; Mon, 9 Sep 2002 14:34:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:34:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89BSDC11487 for ; + Mon, 9 Sep 2002 12:28:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5384A2942D0; Mon, 9 Sep 2002 04:25:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 1CA9D2942CF for ; + Mon, 9 Sep 2002 04:24:52 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17oMi0-0008Uu-00; Mon, 09 Sep 2002 07:28:01 -0400 +From: "Geege Schuman" +To: "John Evdemon" +Cc: +Subject: RE: Recommended Viewing +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <3D7C479A.6222.1C08076@localhost> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 07:25:59 -0400 +X-Spam-Status: No, hits=-6.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +Agreed, completely. I totally grokked the notion of unintened consequence +with the original. + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Evdemon +Sent: Monday, September 09, 2002 7:03 AM +To: Fork@xent.com +Subject: Re: Recommended Viewing + + +On 8 Sep 2002 at 22:15, Geege Schuman wrote: + +> who watched Lathe of Heaven? (A&E, 8 pm EDT) who has seen +> the original? +> +By "original" if you are referring to the old PBS version, I liked that +version much better. Much more thought provoking. + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0570.17bb9eeb6562425ac2aee464a84f0e4a b/machine-learning-ex6/ex6/easy_ham/0570.17bb9eeb6562425ac2aee464a84f0e4a new file mode 100644 index 0000000..107c5c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0570.17bb9eeb6562425ac2aee464a84f0e4a @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Sep 9 14:34:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2895A16EFC + for ; Mon, 9 Sep 2002 14:34:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:34:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89BrGC12442 for ; + Mon, 9 Sep 2002 12:53:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A94B72942D3; Mon, 9 Sep 2002 04:50:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 53ADC2941D7 for + ; Mon, 9 Sep 2002 04:49:16 -0700 (PDT) +Received: (qmail 4755 invoked by uid 500); 9 Sep 2002 11:51:52 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 9 Sep 2002 11:51:52 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: Eugen Leitl +Cc: CDale , Tom , + Gordon Mohr , +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 07:51:52 -0400 (EDT) +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +ok i read back, thats not a typo, you mean three thousand lovers. +where do you get your data? It seems very unlikely, but if you have +supporting evidence i'd like to see it. + +Chris + +On Mon, 9 Sep 2002, Eugen Leitl wrote: + +> On Sun, 8 Sep 2002, CDale wrote: +> +> > I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays +> +> So how many of your hetero friends had >3 k lovers? +> +> > are promiscuous, and so are hets, but I betcha gays are more +> > AIDSphobic than hets, generally speaking.... +> +> The virus load issue is orthogonal to the fact. Bzzt. Switch on your +> brain, you both. I was mentioning that a subpopulation outside of the sex +> industry is/used to be extremely promiscuous, about two orders of +> magnitude higher than average. +> +> +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0571.d336e43297da0069689d70dec6ff7870 b/machine-learning-ex6/ex6/easy_ham/0571.d336e43297da0069689d70dec6ff7870 new file mode 100644 index 0000000..8e6aa4d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0571.d336e43297da0069689d70dec6ff7870 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 9 14:34:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B86F816EFC + for ; Mon, 9 Sep 2002 14:34:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:34:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89DS9C15806 for ; + Mon, 9 Sep 2002 14:28:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A7D812942D6; Mon, 9 Sep 2002 06:25:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 8E3032940B8 for + ; Mon, 9 Sep 2002 06:24:38 -0700 (PDT) +Received: (qmail 5996 invoked by uid 508); 9 Sep 2002 13:27:23 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.112) by + venus.phpwebhosting.com with SMTP; 9 Sep 2002 13:27:23 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g89DRJu05727; Mon, 9 Sep 2002 15:27:20 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Chris Haun +Cc: CDale , Tom , + Gordon Mohr , +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 15:27:19 +0200 (CEST) +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05,USER_AGENT_PINE, + WEIRD_PORT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002, Chris Haun wrote: + +> ok i read back, thats not a typo, you mean three thousand lovers. +> where do you get your data? It seems very unlikely, but if you have +> supporting evidence i'd like to see it. + +I haven't seen any official data on the web (the high-ranking hits are +overrun by religious bigots), but there's some anecdotal evidence to be +found in + + http://sunsite.berkeley.edu:2020/dynaweb/teiproj/oh/science/aidsnur2/@Generic__BookTextView/5406 + +(search for promiscuity). They mention 300 to 500 partners a year. +(Anecdotally. This is not a statistic). They also mention that this was +specific to gay males. Lesbians don't dig promiscuity in that degree. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0572.ff4614fcac266492c9c3c1a9432cbe89 b/machine-learning-ex6/ex6/easy_ham/0572.ff4614fcac266492c9c3c1a9432cbe89 new file mode 100644 index 0000000..1450bee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0572.ff4614fcac266492c9c3c1a9432cbe89 @@ -0,0 +1,110 @@ +From fork-admin@xent.com Mon Sep 9 19:27:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D77F816EFC + for ; Mon, 9 Sep 2002 19:27:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89DgDC16853 for ; + Mon, 9 Sep 2002 14:42:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 348A82942DA; Mon, 9 Sep 2002 06:39:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id 4E3402942D9 for ; + Mon, 9 Sep 2002 06:38:26 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + rwcrmhc51.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020909134114.LFBW19682.rwcrmhc51.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Mon, 9 Sep 2002 13:41:14 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <10770315074.20020909094137@magnesium.net> +To: Eugen Leitl +Cc: fork@example.com +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 09:41:37 -0400 +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + + +EL> On Sun, 8 Sep 2002, CDale wrote: + +>> I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays + +EL> So how many of your hetero friends had >3 k lovers? + +So Eugen, how many of your homo friends have -had- 3k lovers? + +In fact, thats a general question for FoRK proper. + +Do you know anyone, outside of meybee Wilt Chamberlin and a few of the +gang-bang porn queens who -have- had even 1.5k lovers? + +Eegads, if you're hypothesizing numbers like -that- Eugen, you at +least owe it to FoRK to back that shit up. + +Otherwise we're liable to assume rampant unfounded homophobia and that +would just be a lose. + +Just a quick assumption here. I'm not a math geek or anything, but +assuming 1 lover every day, that would be like at least one lover +everyday for 8 years and some change. I don't know about you, but +very very few of us are -that- lucky (or even close to that lucky) +and after awhile, even the sexaholics get bored and have to mingle +something new into their weekends. You really are assumiing that the +homosexual population is a) that large in a given area (The meccas +might qualify, but try finding that kind of homosexual population in +say, Tulsa, Oklahoma or Manchester, NH (Tho Manchester does have quite +a few nifty gaybars, but thats a different story) b) that bored/sex +obsessed/recreationally free to pursue sex that often, with that many +partners or that they'd even WANT that many partners. + +Qualify yourself, or at least lower your outrageous numbers. + +=BB +>> are promiscuous, and so are hets, but I betcha gays are more +>> AIDSphobic than hets, generally speaking.... + +EL> The virus load issue is orthogonal to the fact. Bzzt. Switch on your +EL> brain, you both. I was mentioning that a subpopulation outside of the sex +EL> industry is/used to be extremely promiscuous, about two orders of +EL> magnitude higher than average. + + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0573.afc1bc63378e7961549e4bf789461719 b/machine-learning-ex6/ex6/easy_ham/0573.afc1bc63378e7961549e4bf789461719 new file mode 100644 index 0000000..401134f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0573.afc1bc63378e7961549e4bf789461719 @@ -0,0 +1,132 @@ +From fork-admin@xent.com Mon Sep 9 19:27:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 13B7316F03 + for ; Mon, 9 Sep 2002 19:27:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89DuPC17836 for ; + Mon, 9 Sep 2002 14:56:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EB2FD2940A5; Mon, 9 Sep 2002 06:53:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc52.attbi.com (rwcrmhc52.attbi.com [216.148.227.88]) + by xent.com (Postfix) with ESMTP id 9296229409C for ; + Mon, 9 Sep 2002 06:52:43 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + rwcrmhc52.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020909135531.IXCR14182.rwcrmhc52.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Mon, 9 Sep 2002 13:55:31 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <19271172739.20020909095555@magnesium.net> +To: eugen Leitl +Cc: fork@example.com +Subject: Re[3]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <10770315074.20020909094137@magnesium.net> +References: + <10770315074.20020909094137@magnesium.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 09:55:55 -0400 +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02,SUPERLONG_LINE, + USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + +In addition, one bit of anecdotal evidence from a conversation in +1984! in San Fransisco is hardly enough to extrapolate 500 to 3k. + +This is the only quote I could find relating to promiscuity in +homosexual men. + +"I think people feel a certain invulnerability, especially young +people, like this disease doesn't affect me. The publicity about the disease was very much the kind where it was easy to say, "That isn't me. I'm not promiscuous." Promiscuity, especially, was a piece where people could easily say, "Well, I'm not. Promiscuous is more than I do." If you have 300 partners a year, you can think you're not promiscuous if you know somebody who has 500. So it's all relative, and it was easy to feel that that isn't me." + +You could find hets who have the same kind of partner volume. BFD. +This kind of random generation of numbers that leads the nutty +religious bigots (as you mentioned earlier). + +Grr. Bits damnit. Now, I must go brief. + +-BB + + +EL>> On Sun, 8 Sep 2002, CDale wrote: + +>>> I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays + +EL>> So how many of your hetero friends had >3 k lovers? + +bmn> So Eugen, how many of your homo friends have -had- 3k lovers? + +bmn> In fact, thats a general question for FoRK proper. + +bmn> Do you know anyone, outside of meybee Wilt Chamberlin and a few of the +bmn> gang-bang porn queens who -have- had even 1.5k lovers? + +bmn> Eegads, if you're hypothesizing numbers like -that- Eugen, you at +bmn> least owe it to FoRK to back that shit up. + +bmn> Otherwise we're liable to assume rampant unfounded homophobia and that +bmn> would just be a lose. + +bmn> Just a quick assumption here. I'm not a math geek or anything, but +bmn> assuming 1 lover every day, that would be like at least one lover +bmn> everyday for 8 years and some change. I don't know about you, but +bmn> very very few of us are -that- lucky (or even close to that lucky) +bmn> and after awhile, even the sexaholics get bored and have to mingle +bmn> something new into their weekends. You really are assumiing that the +bmn> homosexual population is a) that large in a given area (The meccas +bmn> might qualify, but try finding that kind of homosexual population in +bmn> say, Tulsa, Oklahoma or Manchester, NH (Tho Manchester does have quite +bmn> a few nifty gaybars, but thats a different story) b) that bored/sex +bmn> obsessed/recreationally free to pursue sex that often, with that many +bmn> partners or that they'd even WANT that many partners. + +bmn> Qualify yourself, or at least lower your outrageous numbers. + +bmn> =BB +>>> are promiscuous, and so are hets, but I betcha gays are more +>>> AIDSphobic than hets, generally speaking.... + +EL>> The virus load issue is orthogonal to the fact. Bzzt. Switch on your +EL>> brain, you both. I was mentioning that a subpopulation outside of the sex +EL>> industry is/used to be extremely promiscuous, about two orders of +EL>> magnitude higher than average. + + + + + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0574.2059f95c47876cb8f6db440751b0cfc9 b/machine-learning-ex6/ex6/easy_ham/0574.2059f95c47876cb8f6db440751b0cfc9 new file mode 100644 index 0000000..f38b782 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0574.2059f95c47876cb8f6db440751b0cfc9 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Mon Sep 9 19:27:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A372D16EFC + for ; Mon, 9 Sep 2002 19:27:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89E6FC18201 for ; + Mon, 9 Sep 2002 15:06:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4EAF6294101; Mon, 9 Sep 2002 07:03:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-147-92.ny5030.east.verizon.net [162.83.147.92]) by xent.com + (Postfix) with ESMTP id 7D35A2940EC for ; Mon, + 9 Sep 2002 07:02:21 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g89DxI203461; Mon, 9 Sep 2002 09:59:19 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +To: bitbitch@magnesium.net +Cc: FoRK +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <10770315074.20020909094137@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 09:59:18 -0400 (EDT) +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +> So Eugen, how many of your homo friends have -had- 3k lovers? +> +> In fact, thats a general question for FoRK proper. + +Uh, zero. I'm sort of offended at having to take this question seriously, +like being black and having to actually explain that black people don't +all sing and dance. I'd guess that gay men compared to straight men have +a linearly greater number of sexual partners on the order of 1.5-2X. But +then again, it not a monolithic or homogeneous community. Who knows? + +3K is utter shite. + +- Lucas + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0575.2f6d5a053932e0900b329a15c5f78e38 b/machine-learning-ex6/ex6/easy_ham/0575.2f6d5a053932e0900b329a15c5f78e38 new file mode 100644 index 0000000..a9398f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0575.2f6d5a053932e0900b329a15c5f78e38 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Mon Sep 9 19:27:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5787D16F03 + for ; Mon, 9 Sep 2002 19:27:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EBEC18519 for ; + Mon, 9 Sep 2002 15:11:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5C5E22941D0; Mon, 9 Sep 2002 07:05:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 729112941CC for ; Mon, + 9 Sep 2002 07:04:02 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 722573EDCA; + Mon, 9 Sep 2002 10:10:18 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 6510A3EDC6; Mon, 9 Sep 2002 10:10:18 -0400 (EDT) +From: Tom +To: Gordon Mohr +Cc: fork@example.com +Subject: Re: earthviewer apps Re: whoa +In-Reply-To: <02f701c257be$6f1d9e50$640a000a@golden> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 10:10:18 -0400 (EDT) +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Sun, 8 Sep 2002, Gordon Mohr wrote: + +--]Gary Lawrence Murphy cynicizes: +--]> Hmmm, just as I thought. In other words, it has no practical uses +--]> whatsoever ;) +--] +--]Online gaming continues to grow. Screw "Britannia", +--]real-life Britain would be a fun world to wander/ +--]conquer/explore virtually, in role-playing or real- +--]time-strategy games. + + +Andthus....Geocaching.....this would make a nice little "let me check this +set of coord out before we trek into 10 feet of quicksand" + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0576.f32636c8fb4d4f4fde3c891f9fdee39c b/machine-learning-ex6/ex6/easy_ham/0576.f32636c8fb4d4f4fde3c891f9fdee39c new file mode 100644 index 0000000..1555375 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0576.f32636c8fb4d4f4fde3c891f9fdee39c @@ -0,0 +1,112 @@ +From fork-admin@xent.com Mon Sep 9 19:27:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1CB1516EFC + for ; Mon, 9 Sep 2002 19:27:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EDJC18586 for ; + Mon, 9 Sep 2002 15:13:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 396C72942BB; Mon, 9 Sep 2002 07:10:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 7FCFA2940EC for + ; Mon, 9 Sep 2002 07:09:53 -0700 (PDT) +Received: (qmail 19477 invoked by uid 508); 9 Sep 2002 14:12:38 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.112) by + venus.phpwebhosting.com with SMTP; 9 Sep 2002 14:12:38 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g89ECa407063; Mon, 9 Sep 2002 16:12:36 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: +Cc: +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: <10770315074.20020909094137@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 16:12:36 +0200 (CEST) +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002 bitbitch@magnesium.net wrote: + +> So Eugen, how many of your homo friends have -had- 3k lovers? + +Just one. Not everybody does that. Most of them are now dead, anyway. + +> Do you know anyone, outside of meybee Wilt Chamberlin and a few of the +> gang-bang porn queens who -have- had even 1.5k lovers? + +Yes. Notice that I've specifically excluded sex industry. That be +cheating. + +> Eegads, if you're hypothesizing numbers like -that- Eugen, you at +> least owe it to FoRK to back that shit up. + +Ain't done no hypothesizing. Anecdotal evidence'R'Us. Couldn't you just +Google, or something? + +> Otherwise we're liable to assume rampant unfounded homophobia and that +> would just be a lose. + +Yeah, I'm a gay Jew Nazi Muslim who's also a lead character on Kaz's +underworld. Can we go on with the programme now? + +> Just a quick assumption here. I'm not a math geek or anything, but +> assuming 1 lover every day, that would be like at least one lover +> everyday for 8 years and some change. I don't know about you, but +> very very few of us are -that- lucky (or even close to that lucky) + +Which was my point. Gurls don't do hyperpromiscuity as a life style. It's +interesting that you're launching into a diatribe, and threaten using +instant argument (just add hominem) instead of assuming I might be not +just pulling this whole thing out my nether orifice. + +> and after awhile, even the sexaholics get bored and have to mingle +> something new into their weekends. You really are assumiing that the +> homosexual population is a) that large in a given area (The meccas + +You ever been to San Francisco? + +> might qualify, but try finding that kind of homosexual population in +> say, Tulsa, Oklahoma or Manchester, NH (Tho Manchester does have quite + +Yeah, I think it could be also difficult finding a gay bathhouse in Thule, +Greenland. Or parts of central Africa. To think of it, both Oort and +Kuiper belts are utterly devoid of gay people as well. Isn't this +remarkable? + +> a few nifty gaybars, but thats a different story) b) that bored/sex +> obsessed/recreationally free to pursue sex that often, with that many +> partners or that they'd even WANT that many partners. + +This doesn't happen because it couldn't happen. No one would want to. +Because you feel that way. Correct? + +> Qualify yourself, or at least lower your outrageous numbers. + +I didn't expect so much reflexive knee-jerking on this list. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0577.7297b06fde913833e96aca4385826c29 b/machine-learning-ex6/ex6/easy_ham/0577.7297b06fde913833e96aca4385826c29 new file mode 100644 index 0000000..7c40b29 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0577.7297b06fde913833e96aca4385826c29 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 9 19:27:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4DBDA16F03 + for ; Mon, 9 Sep 2002 19:27:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EJ9C18674 for ; + Mon, 9 Sep 2002 15:19:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 13FC72942E0; Mon, 9 Sep 2002 07:13:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 30FB92942DF for ; Mon, + 9 Sep 2002 07:12:47 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 526E03EDC6; + Mon, 9 Sep 2002 10:19:02 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 50B803ED79; Mon, 9 Sep 2002 10:19:02 -0400 (EDT) +From: Tom +To: Lucas Gonze +Cc: bitbitch@magnesium.net, FoRK +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 10:19:02 -0400 (EDT) +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002, Lucas Gonze wrote: + +--]3K is utter shite. +--] + +3k is a number that probably sounds good to some closted homophobe with +secret desires to be "belle of the balls". Twinks dinks and dorks, this +thread sounds to me like someone needs a little luvin. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0578.a91b2f2cc20b7a68d5e340cac03da3ee b/machine-learning-ex6/ex6/easy_ham/0578.a91b2f2cc20b7a68d5e340cac03da3ee new file mode 100644 index 0000000..083e691 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0578.a91b2f2cc20b7a68d5e340cac03da3ee @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Sep 9 19:27:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0FC3616EFC + for ; Mon, 9 Sep 2002 19:27:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EPOC18907 for ; + Mon, 9 Sep 2002 15:25:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0C4B72942DF; Mon, 9 Sep 2002 07:22:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 7C2012940EC for + ; Mon, 9 Sep 2002 07:21:16 -0700 (PDT) +Received: (qmail 23212 invoked by uid 508); 9 Sep 2002 14:24:01 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.112) by + venus.phpwebhosting.com with SMTP; 9 Sep 2002 14:24:01 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g89ENvB07381; Mon, 9 Sep 2002 16:23:58 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Lucas Gonze +Cc: , FoRK +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 16:23:57 +0200 (CEST) +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002, Lucas Gonze wrote: + +> a linearly greater number of sexual partners on the order of 1.5-2X. But +> then again, it not a monolithic or homogeneous community. Who knows? + +Did I claim "all gay people are hyperpromiscuous"? For what this is worth, +I would claim they're considerably more promiscuous on the average than +your average het. My utterly unscientific, unsubstatiated claim is that +the typical male would *like* to be considerably more promiscous than your +average female (ay, and here's the rub. pray don't forget the kleenex). +Look up different reproduction strategies, due to basic hardware +difference (sexual dimorphism). You'd do that too if it happened to you. + +Once you go past the first three of four pages of hysterical propaganda on +Google you might actually run into real studies. Anyone game? I have to +work (well, pretend to). + +> 3K is utter shite. + +This is getting better and better. You know 3K is utter shite how? You +just feel the number can't be right, yes? Deep inside? I'm way overposting +today, but I find this entire exchange hee-lay-rious. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0579.1220a78a48fabb67052c021782ae7720 b/machine-learning-ex6/ex6/easy_ham/0579.1220a78a48fabb67052c021782ae7720 new file mode 100644 index 0000000..d63f8a7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0579.1220a78a48fabb67052c021782ae7720 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Mon Sep 9 19:27:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CB94F16F03 + for ; Mon, 9 Sep 2002 19:27:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EVDC19144 for ; + Mon, 9 Sep 2002 15:31:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 788F629409C; Mon, 9 Sep 2002 07:28:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-147-92.ny5030.east.verizon.net [162.83.147.92]) by xent.com + (Postfix) with ESMTP id CAAA329409A for ; Mon, + 9 Sep 2002 07:27:06 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g89EO6f03565 for ; + Mon, 9 Sep 2002 10:24:06 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 10:24:06 -0400 (EDT) +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +Tom wrote: +> 3k is a number that probably sounds good to some closted homophobe with +> secret desires to be "belle of the balls". Twinks dinks and dorks, this +> thread sounds to me like someone needs a little luvin. + +I dunno if I'd accuse everybody who believes the 3K number of needing a +little luvin, but I completely believe that this myth has survived because +there's a lot of people who need more lovin. Plus it fits in with a bunch +of different archetypes. + +- Lucas + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0580.61bd3978cddfc54e52fc52925ecb3b4d b/machine-learning-ex6/ex6/easy_ham/0580.61bd3978cddfc54e52fc52925ecb3b4d new file mode 100644 index 0000000..f6735cc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0580.61bd3978cddfc54e52fc52925ecb3b4d @@ -0,0 +1,151 @@ +From fork-admin@xent.com Mon Sep 9 19:27:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 786EB16EFC + for ; Mon, 9 Sep 2002 19:27:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EaTC19304 for ; + Mon, 9 Sep 2002 15:36:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 42C87294185; Mon, 9 Sep 2002 07:30:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id 10FFC2940FC for ; + Mon, 9 Sep 2002 07:29:37 -0700 (PDT) +Received: from h00e098788e1f.ne.client2.attbi.com ([24.61.143.15]) by + rwcrmhc51.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020909143224.NTSV19682.rwcrmhc51.attbi.com@h00e098788e1f.ne.client2.attbi.com>; + Mon, 9 Sep 2002 14:32:24 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.52f) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <15773384464.20020909103246@magnesium.net> +To: Eugen Leitl +Cc: fork@example.com +Subject: Re[3]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 10:32:46 -0400 +X-Spam-Status: No, hits=-12.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + + + + +EL> On Mon, 9 Sep 2002 bitbitch@magnesium.net wrote: + +>> So Eugen, how many of your homo friends have -had- 3k lovers? + +EL> Just one. Not everybody does that. Most of them are now dead, anyway. + +Point is, you're not likely to extrapolate much. I could probably +find one hetero who had just as much sex. Does that mean we're all +rampant hos? No. + + +>> Eegads, if you're hypothesizing numbers like -that- Eugen, you at +>> least owe it to FoRK to back that shit up. + +EL> Ain't done no hypothesizing. Anecdotal evidence'R'Us. Couldn't you just +EL> Google, or something? + +Listen. If you pull numbers like that without a fact, the automagic +assumption is yes, they were extracted out of your neither orifice. +Point wasn't to conclude otherwise unless you had any relevant bits. +Its not my job to do _your_ bit searching for you, but I figured I'd +humor fork with this bit of finding: + +http://www.thebody.com/bp/apr01/research_notebook.html (Pointing ot +averages of about 13 for every 3 months (for gay men), which totals to +about 52 a year. 52 a year doesn't equal 3000. Or even 300. + + +>> Just a quick assumption here. I'm not a math geek or anything, but +>> assuming 1 lover every day, that would be like at least one lover +>> everyday for 8 years and some change. I don't know about you, but +>> very very few of us are -that- lucky (or even close to that lucky) + +EL> Which was my point. Gurls don't do hyperpromiscuity as a life style. It's +EL> interesting that you're launching into a diatribe, and threaten using +EL> instant argument (just add hominem) instead of assuming I might be not +EL> just pulling this whole thing out my nether orifice. + +WTF do my shitty math skillz have to do with girls and +hyperpromiscuity? I was speaking -generally- meaning that guys and +girls probably have better things to do than boink everything they +see. As above, I am assuming you're pulling things out of your ass, I +just felt like calling you on it. + +BTW, there's nothing wrong with calling someone on a silly idea. Its +allowed, and its generally not considered ad hominem, but the +homophobia statement might be. + +>> and after awhile, even the sexaholics get bored and have to mingle +>> something new into their weekends. You really are assumiing that the +>> homosexual population is a) that large in a given area (The meccas + +EL> You ever been to San Francisco? + +Many times. Which is why I said 'assuming that large ... (The meccas +dont count). SF is a mecca in this example. I obviously wasn't +clear, tho one could assume I wasn't talking about Medina. + + + +>> a few nifty gaybars, but thats a different story) b) that bored/sex +>> obsessed/recreationally free to pursue sex that often, with that many +>> partners or that they'd even WANT that many partners. + +EL> This doesn't happen because it couldn't happen. No one would want to. +EL> Because you feel that way. Correct? + +doesn't happen? true. Couldn't happen? who knows. It has nothing +to do with how I 'feel' and everything to do with the fact that people +do concern themselves with more than just sex (otherwise I think we'd +see a helluva lot more of sex, and a helluva lot less of everything +else). + + +>> Qualify yourself, or at least lower your outrageous numbers. + +EL> I didn't expect so much reflexive knee-jerking on this list. + +Well my suggestion is, if you can't take the responses, don't post +flamebait. + + + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0581.b249b5db741f2691a42653eab71795fe b/machine-learning-ex6/ex6/easy_ham/0581.b249b5db741f2691a42653eab71795fe new file mode 100644 index 0000000..2aaf2fb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0581.b249b5db741f2691a42653eab71795fe @@ -0,0 +1,77 @@ +From fork-admin@xent.com Mon Sep 9 19:27:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C65FB16F03 + for ; Mon, 9 Sep 2002 19:27:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EeJC19551 for ; + Mon, 9 Sep 2002 15:40:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E75512942C9; Mon, 9 Sep 2002 07:33:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 6171C2941DC for + ; Mon, 9 Sep 2002 07:32:09 -0700 (PDT) +Received: (qmail 28839 invoked by uid 501); 9 Sep 2002 14:34:47 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 9 Sep 2002 14:34:47 -0000 +From: CDale +To: Eugen Leitl +Cc: Tom , Gordon Mohr , + +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 09:34:47 -0500 (CDT) +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + + +On Mon, 9 Sep 2002, Eugen Leitl wrote: + +> On Sun, 8 Sep 2002, CDale wrote: +> +> > I agree w/ ya Tom. That kind of thinking is SO idiotic. Sure, gays +> +> So how many of your hetero friends had >3 k lovers? + +None. How many of my gay friends have had > 3k lovers? None. + +> +> > are promiscuous, and so are hets, but I betcha gays are more +> > AIDSphobic than hets, generally speaking.... +> +> The virus load issue is orthogonal to the fact. Bzzt. Switch on your +> brain, you both. I was mentioning that a subpopulation outside of the sex +> industry is/used to be extremely promiscuous, about two orders of +> magnitude higher than average. + + +two orders of magnitude higher than average isn't 3k, I don't think. Why +don't ya give us a url or something that told you all this stuff? Or did +you just pull it out of your ass? (: +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/0582.adc6095d8af63a380672cfd1e881a586 b/machine-learning-ex6/ex6/easy_ham/0582.adc6095d8af63a380672cfd1e881a586 new file mode 100644 index 0000000..f78c045 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0582.adc6095d8af63a380672cfd1e881a586 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 9 19:27:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8DF2B16EFC + for ; Mon, 9 Sep 2002 19:27:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89EiTC19659 for ; + Mon, 9 Sep 2002 15:44:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 19E212942E6; Mon, 9 Sep 2002 07:36:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-147-92.ny5030.east.verizon.net [162.83.147.92]) by xent.com + (Postfix) with ESMTP id 9D32529409A for ; Mon, + 9 Sep 2002 07:35:12 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g89EW8J03592 for ; + Mon, 9 Sep 2002 10:32:08 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re[2]: Selling Wedded Bliss (was Re: Ouch...) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 10:32:07 -0400 (EDT) +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +> This is getting better and better. You know 3K is utter shite how? + +I'm not going to be your spokesman, Eugen. Figure it out yourself. + +over and out. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0583.5165cf3ccd9404fade3014b0d00c97e6 b/machine-learning-ex6/ex6/easy_ham/0583.5165cf3ccd9404fade3014b0d00c97e6 new file mode 100644 index 0000000..8a58ace --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0583.5165cf3ccd9404fade3014b0d00c97e6 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Mon Sep 9 19:27:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1159116F03 + for ; Mon, 9 Sep 2002 19:27:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89FIvC20754 for ; + Mon, 9 Sep 2002 16:19:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 168242940E2; Mon, 9 Sep 2002 08:15:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 762402940C9 for ; Mon, + 9 Sep 2002 08:14:22 -0700 (PDT) +Received: (qmail 86095 invoked from network); 9 Sep 2002 15:16:59 -0000 +Received: from adsl-63-196-1-228.dsl.snfc21.pacbell.net (HELO golden) + (63.196.1.228) by relay1.pair.com with SMTP; 9 Sep 2002 15:16:59 -0000 +X-Pair-Authenticated: 63.196.1.228 +Message-Id: <00e701c25813$eec5ab70$640a000a@golden> +From: "Gordon Mohr" +To: +References: + <15773384464.20020909103246@magnesium.net> +Subject: Re: Re[3]: Selling Wedded Bliss (was Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 08:16:53 -0700 +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Bitbitch writes: +> Listen. If you pull numbers like that without a fact, the automagic +> assumption is yes, they were extracted out of your neither orifice. +> Point wasn't to conclude otherwise unless you had any relevant bits. +> Its not my job to do _your_ bit searching for you, but I figured I'd +> humor fork with this bit of finding: +> +> http://www.thebody.com/bp/apr01/research_notebook.html (Pointing ot +> averages of about 13 for every 3 months (for gay men), which totals to +> about 52 a year. 52 a year doesn't equal 3000. Or even 300. + +Er, that study would seem to lend credence to Eugen's +estimations, rather than casting fresh doubts. + +52 a year *does* exceed 300, in under 6 years' time. The average +age of that study's participants was *39* -- meaning some +participants may have had 20-25+ years of active sex life. + +At that age, and further ** HIV+ **, it seems reasonable to +think that some the participants may have actually slowed +their pace a bit. + +So while this study's summary info is incomplete, you could +easily conclude that the *average* participant in this one study +will have had over a thousand partners over a 40-50+ year active +sex life, and so the even-more-active tails of the distribution +could easily be in the 3000+ range. + +Of course this says very little, almost nothing, about the overall +population behavior, gay or straight, and the relative prevalence +of 3K+ individuals in either group. But it does strongly suggest +that gay males with 3K+ partners exist in measurable numbers, so +people should stop treating Eugen's anecdotal estimation as if it +were sheer fantasy. BitBitch's own citation suggests otherwise. + +- Gordon + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0584.f667c1b60fb4a592ef72138de5ec4c00 b/machine-learning-ex6/ex6/easy_ham/0584.f667c1b60fb4a592ef72138de5ec4c00 new file mode 100644 index 0000000..52bb299 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0584.f667c1b60fb4a592ef72138de5ec4c00 @@ -0,0 +1,219 @@ +From fork-admin@xent.com Mon Sep 9 19:27:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1863516EFC + for ; Mon, 9 Sep 2002 19:27:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89FrJC21961 for ; + Mon, 9 Sep 2002 16:53:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 01F7D2940AD; Mon, 9 Sep 2002 08:50:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id 9F98C2940AD for + ; Mon, 9 Sep 2002 08:49:09 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17oQpI-0007U4-00; + Mon, 09 Sep 2002 11:51:49 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: [CYBERIA] [Final CfP]: Int. J. on IT Standards Research +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 09:09:47 -0400 +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Priority: normal +Date: Mon, 9 Sep 2002 08:56:49 +0000 +Reply-To: Law & Policy of Computer Communications + +Sender: Law & Policy of Computer Communications + +Comments: Authenticated sender is jakobs@i4mail.informatik.rwth-aachen.de +From: Kai Jakobs +Subject: [CYBERIA] [Final CfP]: Int. J. on IT Standards Research +To: CYBERIA-L@LISTSERV.AOL.COM + +Hello, + +Just a brief reminder that the deadline for submisisons for issue 2 +of the + +'International Journal of IT Standards & Standardization Research' (JITSR) + +is October 1. + +JITSR is a new, multi-disciplinary publication outlet for everyone who +is doing research into IT standards and standardisation (from whichever +perspective). + +So if you think you've got a paper that might fit - why not submit +it for JITSR? + +And please do ask if you need any further information. + + +Greetings from Aachen. + +Cheers, +Kai. + + +----------------------------- + + +Call for Papers + +for Issue 2 of the + +International Journal of +IT Standards & Standardization Research + + +This new journal aims to be a platform for presenting, and +discussing, the broad variety of aspects that make up IT standards +research. This includes, but is certainly not limited to, +contributions from the disciplines of computer science, information +systems, management, business, social sciences (especially science +and technology studies), economics, engineering, political science, +public policy, sociology, communication, and human factors/ +usability. In particular, the journal wants to both support and +promote multi-disciplinary research on IT standards; 'IT' +should be understood in a very broad sense. + +Topics to be covered include, but are not limited to: + + - Technological innovation and standardisation + - Standards for information infrastructures + - Standardisation and economic development + - Open Source and standardisation + - Intellectual property rights + - Economics of standardisation + - Emerging roles of formal standards organisations and consortia + - Conformity assessment + - National, regional, international and corporate standards + strategies + - Standardisation and regulation + - Standardisation as a form of the Public Sphere + - Standardisation and public policy formation + - Analyses of standards setting processes, products, and + organisation + - Case studies of standardisation + - Impacts of market-driven standardisation and emerging players + - The future of standardisation + - Multinational and transnational perspectives and impacts + - Commercial value of proprietary specifications + - Descriptive & prescriptive theories of standardisation + - Standards research and education activities + - Tools and services supporting improved standardisation + - User related issues + - Risks of standardisation + - Management of standards + - History of Standards + - Standards and technology transfer + +Authors are requested to submit their manuscripts as an e-mail +attachment in RTF or PDF to the editor-in-chief at +Kai.Jakobs@i4.informatik.rwth-aachen.de. + +If this form of submission is not possible, please send one hardcopy +of the manuscript together with a disk containing the electronic +version of the manuscript in RTF or PDF to: +Kai Jakobs, +Technical University of Aachen, Computer Science Department, +Informatik IV +Ahornstr. 55, D-52074 Aachen, Germany. + +Manuscripts must be written in English on letter-size or A4 paper, +one side only, double-spaced throughout, and include at least 1" +(2.54 cm) of margin on all sides. The cover page should contain the +paper title, and the name, affiliation, address, phone number, fax +number, and e-mail address of each author. The second page should +start with the paper title at the top and be immediately followed by +the abstract. Except on the cover page, the authors' names and +affiliations must NOT appear in the manuscript. The abstract of 100- +150 words should clearly summarise the objectives and content of the +manuscript. Submitted manuscript should normally be 4000-6000 words +long; longer ones will be considered but may be subject to editorial +revision. + +Submission of a paper implies that its content is original and that +it has not been published previously, and that it is not under +consideration for publication elsewhere. Yet, significantly extended +papers previously presented at conferences may be acceptable. + +For more information please see +http://www-i4.informatik.rwth-aachen.de/~jakobs/standards_journal/journal_home.html + +or visit the publisher's web site at +http://www.idea-group.com/journals/details.asp?id=497 + + +Important Dates for the Inaugural Issue: + +Submission Deadline for Issue 2: October 1, 2002 +Notification of Acceptance: December 1, 2002 +Camera-ready Paper Due: January 15, 2003 + + +________________________________________________________________ + + +Kai Jakobs + +Technical University of Aachen +Computer Science Department +Informatik IV (Communication and Distributed Systems) +Ahornstr. 55, D-52074 Aachen, Germany +Tel.: +49-241-80-21405 +Fax: +49-241-80-22220 +Kai.Jakobs@i4.informatik.rwth-aachen.de +http://www-i4.informatik.rwth-aachen.de/~jakobs/kai/kai_home.html + + +********************************************************************** +For Listserv Instructions, see http://www.lawlists.net/cyberia +Off-Topic threads: http://www.lawlists.net/mailman/listinfo/cyberia-ot +Need more help? Send mail to: Cyberia-L-Request@listserv.aol.com +********************************************************************** + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0585.b4410217f9fefbb9a9c18df5a4aa621a b/machine-learning-ex6/ex6/easy_ham/0585.b4410217f9fefbb9a9c18df5a4aa621a new file mode 100644 index 0000000..b399c8b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0585.b4410217f9fefbb9a9c18df5a4aa621a @@ -0,0 +1,87 @@ +From fork-admin@xent.com Mon Sep 9 19:27:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0E0C916F03 + for ; Mon, 9 Sep 2002 19:27:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89G1GC22304 for ; + Mon, 9 Sep 2002 17:01:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AAE842941DB; Mon, 9 Sep 2002 08:53:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 097712941D9 for + ; Mon, 9 Sep 2002 08:52:45 -0700 (PDT) +Received: (qmail 6401 invoked by uid 500); 9 Sep 2002 15:55:16 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 9 Sep 2002 15:55:16 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: fork@example.com +Subject: Internet radio - example from a college station +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 11:55:16 -0400 (EDT) +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Just thought i'd pass this on, my favorite radio station in raleigh is +going off the internet due to the new fees and restrictions associated +with remaining online. this is from the station manager and describes the +situation. + +---------- Forwarded message ---------- +Date: Tue, 3 Sep 2002 13:13:17 -0400 +From: Arielle +Subject: RE: KNC Stream [1:51144:51751] + +This message was sent from: WKNC Chat. + +---------------------------------------------------------------- + +It does, but it's not the cost that is causing us to shut it down. The cost +is a "minimum $500 per year"... but that only accounts for 18 people +streaming and playing like 13 or 14 songs an hour. But we could maybe manage +the 2 cents per person, per 100 songs. + +The problem comes with the record keeping they mandate with webstreaming. +Start and end times for every song (not too hard), artist (okay), title +(okay), composers (a little harder), serial number (wtf??). I think there +are a few more things they wanted, but honestly, programming this info in +for every song that we play is ridiculous. This means we'd also have to get +all the DJs to find this info and write it down any time they play a +request, vinyl, or CDs not loaded into the computer. It's ridiculous and +nearly impossible... + +We would need someone to sit in the studio 24/7 writing down all this info - +which sometimes isn't available, like from earlier album that don't have +serial numbers and barcodes. Then still if only the magic 18 people +webstream our signal, the price would become quite exponential since we play +on average 16 songs an hour, we'd be paying $22.11 everyday to stream to +those 18 people. So really, it does have to do with the internet tax, but it +is a few reasons together why we can't do it after their kill-date. :( + + +---------------------------------------------------------------- +Sent using Phorum software version 3.2.6 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0586.1babcf27c7404be5cacd809ef42fc30b b/machine-learning-ex6/ex6/easy_ham/0586.1babcf27c7404be5cacd809ef42fc30b new file mode 100644 index 0000000..b51d244 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0586.1babcf27c7404be5cacd809ef42fc30b @@ -0,0 +1,85 @@ +From fork-admin@xent.com Mon Sep 9 19:27:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5D8C16EFC + for ; Mon, 9 Sep 2002 19:27:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:27:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89G8TC22536 for ; + Mon, 9 Sep 2002 17:08:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E7DB52940A8; Mon, 9 Sep 2002 09:05:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-d04.mx.aol.com (imo-d04.mx.aol.com [205.188.157.36]) by + xent.com (Postfix) with ESMTP id 1866529409A for ; + Mon, 9 Sep 2002 09:04:18 -0700 (PDT) +Received: from ThosStew@aol.com by imo-d04.mx.aol.com (mail_out_v34.10.) + id x.3e.23ec2d20 (3842); Mon, 9 Sep 2002 12:06:48 -0400 (EDT) +From: ThosStew@aol.com +Message-Id: <3e.23ec2d20.2aae2118@aol.com> +Subject: Re: Re[3]: Selling Wedded Bliss (was Re: Ouch...) +To: gojomo@usa.net, fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 12:06:48 EDT +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,SPAM_PHRASE_03_05, + USER_AGENT_AOL + version=2.50-cvs +X-Spam-Level: + +Here are numbers that come from a study of a couple of thousand swedes, with +no reference to sexual preference that I could find. The point would seem to +be that (1) sexual activity follows a power curve, with a few people, a la +Wilt Chamberlain, having an extaordinarily large number of sexual contacts, +ev en in a short period of time and (2) a tendency for men to have more +partners than women. I have no idea, being a statistical ignoramus, whether +the fact that there seem to be more men than women at the extremely +promiscuous end of the sex-partners-distribution curve means that you'd get +even more extreme results in a group of men who chiefly have sex with other +men. + + +http://polymer.bu.edu/~amaral/Sex_partners/Content_sex.html + +<> + + +As for gay men: There is indeed anecdotal evidence of cases of extreme +promiscuity among gay men. You can read about it in Randy Schiltz's And the +Band Played On. He writes about bathhouse culture pre-HIV; he also discusses +how, in the gay politics of the time, there was a sub-culture of what you +might call radical gay men who argued (and acted on the argument) that having +many partners was an essential part of what being gay actually was. It was an +explicitly political statement: monogamy is an artifact of straight culture. + That view seems to have died, in more ways than one. Part of the point of +Schiltz's book was to condemn the role that it and bathhouse culture played +in spreading the AIDs epidemic that eventually killed Schiltz, among so many +others. This doesn't let Eugen off the hook--but it is accurate to say that +there was a cult of promiscuity that was particular to the gay community. + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0587.20a4cd974ded4a9d366f23106aaf593f b/machine-learning-ex6/ex6/easy_ham/0587.20a4cd974ded4a9d366f23106aaf593f new file mode 100644 index 0000000..362bf06 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0587.20a4cd974ded4a9d366f23106aaf593f @@ -0,0 +1,75 @@ +From fork-admin@xent.com Mon Sep 9 19:28:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7866016EFC + for ; Mon, 9 Sep 2002 19:28:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:28:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89GVPC23468 for ; + Mon, 9 Sep 2002 17:31:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 816472941D1; Mon, 9 Sep 2002 09:28:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 9543229409A for ; + Mon, 9 Sep 2002 09:27:03 -0700 (PDT) +Received: from Golux.Com (dsl-64-192-128-105.telocity.com + [64.192.128.105]) by Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id + g89GTkE23656; Mon, 9 Sep 2002 12:29:46 -0400 +Message-Id: <3D7CCC7F.F8EBCAE@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (Windows NT 5.0; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Chris Haun +Cc: fork@example.com +Subject: Re: Internet radio - example from a college station +References: +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 12:29:51 -0400 +X-Spam-Status: No, hits=-12.7 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Chris Haun wrote: +> +> We would need someone to sit in the studio 24/7 writing down all this info - +> which sometimes isn't available, like from earlier album that don't have +> serial numbers and barcodes. Then still if only the magic 18 people +> webstream our signal, the price would become quite exponential since we play +> on average 16 songs an hour, we'd be paying $22.11 everyday to stream to +> those 18 people. So really, it does have to do with the internet tax, but it +> is a few reasons together why we can't do it after their kill-date. :( + +Who is John Galt? + +(RoUS in the throes of reading Atlas Shrugged again) +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0588.cb6d96aaef48d53bc690e780276d6595 b/machine-learning-ex6/ex6/easy_ham/0588.cb6d96aaef48d53bc690e780276d6595 new file mode 100644 index 0000000..1ceac68 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0588.cb6d96aaef48d53bc690e780276d6595 @@ -0,0 +1,81 @@ +From fork-admin@xent.com Mon Sep 9 19:28:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D274616EFC + for ; Mon, 9 Sep 2002 19:28:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:28:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89HfEC25594 for ; + Mon, 9 Sep 2002 18:41:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2D9942941DF; Mon, 9 Sep 2002 10:38:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by xent.com (Postfix) with ESMTP id 808CB29409A for + ; Mon, 9 Sep 2002 10:37:48 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + maynard.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17oSWL-0007E3-00; + Mon, 09 Sep 2002 13:40:22 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: <00e701c25813$eec5ab70$640a000a@golden> +References: + <15773384464.20020909103246@magnesium.net> + <00e701c25813$eec5ab70$640a000a@golden> +To: "Gordon Mohr" , +From: "R. A. Hettinga" +Subject: Re: Re[3]: Selling Wedded Bliss (was Re: Ouch...) +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 13:18:54 -0400 +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +At 8:16 AM -0700 on 9/9/02, Gordon Mohr wrote: + + + +> Of course this says very little, almost nothing, about the overall +> population behavior, gay or straight, and the relative prevalence +> of 3K+ individuals in either group. But it does strongly suggest +> that gay males with 3K+ partners exist in measurable numbers, so +> people should stop treating Eugen's anecdotal estimation as if it +> were sheer fantasy. BitBitch's own citation suggests otherwise. + +That math stuff's, a, um, bitch, i'nit? + +;-) + +Cheers, +RAH +[Who could care less who boinks whom, or for how much, though watching the +Righteous Anger(tm) around here this morning *has* been amusing...] +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0589.8646984ed76a8df2811750d151f56b1e b/machine-learning-ex6/ex6/easy_ham/0589.8646984ed76a8df2811750d151f56b1e new file mode 100644 index 0000000..04dadfd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0589.8646984ed76a8df2811750d151f56b1e @@ -0,0 +1,101 @@ +From fork-admin@xent.com Mon Sep 9 19:28:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7C8DA16EFC + for ; Mon, 9 Sep 2002 19:28:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:28:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89I2EC26245 for ; + Mon, 9 Sep 2002 19:02:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 487422941FE; Mon, 9 Sep 2002 10:59:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 65C3729409A for ; Mon, + 9 Sep 2002 10:58:34 -0700 (PDT) +Received: (qmail 17942 invoked from network); 9 Sep 2002 18:01:22 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 9 Sep 2002 18:01:22 -0000 +Reply-To: +From: "John Hall" +Cc: +Subject: RE: The Big Jump +Message-Id: <002201c2582a$e84211f0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <15861948735.20020908113611@magnesium.net> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 11:01:22 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g89I2EC26245 +X-Spam-Status: No, hits=-5.0 required=7.0 + tests=INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +Why so fast? Normal terminal velocity is much slower. + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> bitbitch@magnesium.net +> Sent: Sunday, September 08, 2002 8:36 AM +> To: (Robert Harley) +> Cc: fork@example.com +> Subject: Re: The Big Jump +> +> +> +> So uh, would this qualify for the Darwin awards if he doesn't make it? +> +> Freaking french people... +> :-) +> -BB +> RH> Today a French officer called Michel Fournier is supposed to get +in a +> RH> 350-metre tall helium balloon, ride it up to the edge of space (40 +km +> RH> altitude) and jump out. His fall should last 6.5 minutes and +reach +> RH> speeds of Mach 1.5. He hopes to open his parachute manually at +the +> RH> end, although with an automatic backup if he is 7 seconds from the +> RH> ground and still hasn't opened it. +> +> RH> R +> +> RH> ObQuote: +> RH> "Vederò, si averò si grossi li coglioni, come ha il re di +Franza." +> RH> ("Let's see if I've got as much balls as the King of France!") +> RH> - Pope Julius II, 2 January 1511 +> +> +> +> -- +> Best regards, +> bitbitch mailto:bitbitch@magnesium.net + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0590.163e32d267b894e61f0386e879cde23b b/machine-learning-ex6/ex6/easy_ham/0590.163e32d267b894e61f0386e879cde23b new file mode 100644 index 0000000..4aa16bf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0590.163e32d267b894e61f0386e879cde23b @@ -0,0 +1,96 @@ +From fork-admin@xent.com Mon Sep 9 19:28:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3C68F16EFC + for ; Mon, 9 Sep 2002 19:28:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:28:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89I6gC26382 for ; + Mon, 9 Sep 2002 19:06:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0928D2942E9; Mon, 9 Sep 2002 11:00:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id ED9D22942BF for ; Mon, + 9 Sep 2002 11:00:00 -0700 (PDT) +Received: (qmail 18058 invoked from network); 9 Sep 2002 18:02:49 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 9 Sep 2002 18:02:49 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Recommended Viewing +Message-Id: <002301c2582b$1c040a20$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 11:02:49 -0700 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,TO_LOCALPART_EQ_REAL + version=2.50-cvs +X-Spam-Level: + +Isn't this the story where someone's "Dream" has the ability to change +reality -- then you find the whole world is their dream? + + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> Sent: Monday, September 09, 2002 4:26 AM +> To: John Evdemon +> Cc: fork@example.com +> Subject: RE: Recommended Viewing +> +> Agreed, completely. I totally grokked the notion of unintened +consequence +> with the original. +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +John +> Evdemon +> Sent: Monday, September 09, 2002 7:03 AM +> To: Fork@xent.com +> Subject: Re: Recommended Viewing +> +> +> On 8 Sep 2002 at 22:15, Geege Schuman wrote: +> +> > who watched Lathe of Heaven? (A&E, 8 pm EDT) who has seen +> > the original? +> > +> By "original" if you are referring to the old PBS version, I liked +that +> version much better. Much more thought provoking. +> +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0591.f533bea095d75cc4dc282bdcba69072a b/machine-learning-ex6/ex6/easy_ham/0591.f533bea095d75cc4dc282bdcba69072a new file mode 100644 index 0000000..7874c01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0591.f533bea095d75cc4dc282bdcba69072a @@ -0,0 +1,145 @@ +From fork-admin@xent.com Mon Sep 9 19:28:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DAE4016F03 + for ; Mon, 9 Sep 2002 19:28:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 19:28:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g89IHDC26697 for ; + Mon, 9 Sep 2002 19:17:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 644942942BF; Mon, 9 Sep 2002 11:14:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id ADD5B29409A for + ; Mon, 9 Sep 2002 11:13:57 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17oT2j-0006UA-00; Mon, 09 Sep 2002 15:13:49 -0300 +Message-Id: <3D7CE662.9040000@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: johnhall@evergo.net +Cc: fork@example.com +Subject: Re: The Big Jump +References: <002201c2582a$e84211f0$0200a8c0@JMHALL> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 15:20:18 -0300 +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +John Hall wrote: + +>Why so fast? Normal terminal velocity is much slower. +> +> +Not at 40,000 m. I found this article +(http://www.wired.com/news/print/0,1294,53928,00.html) : + +"The last person to try to break the highest free fall record died in +the attempt. In 1965, New Jersey truck driver Nick Piantanida suffered +catastrophic equipment failure when his facemask blew out at 57,000 +feet. Lack of oxygen caused such severe brain damage that he went into a +coma and died four months later." + +And in amongst the flash at +http://www.legrandsaut.org/site_en/ + +you can discover that he will break the sound barrier at 35,000 m, +presumably reaching top speed somewhere above 30,000. + +Owen + +> +> +>>-----Original Message----- +>>From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +>>bitbitch@magnesium.net +>>Sent: Sunday, September 08, 2002 8:36 AM +>>To: (Robert Harley) +>>Cc: fork@example.com +>>Subject: Re: The Big Jump +>> +>> +>> +>>So uh, would this qualify for the Darwin awards if he doesn't make it? +>> +>>Freaking french people... +>> :-) +>>-BB +>>RH> Today a French officer called Michel Fournier is supposed to get +>> +>> +>in a +> +> +>>RH> 350-metre tall helium balloon, ride it up to the edge of space (40 +>> +>> +>km +> +> +>>RH> altitude) and jump out. His fall should last 6.5 minutes and +>> +>> +>reach +> +> +>>RH> speeds of Mach 1.5. He hopes to open his parachute manually at +>> +>> +>the +> +> +>>RH> end, although with an automatic backup if he is 7 seconds from the +>>RH> ground and still hasn't opened it. +>> +>>RH> R +>> +>>RH> ObQuote: +>>RH> "Vederò, si averò si grossi li coglioni, come ha il re di +>> +>> +>Franza." +> +> +>>RH> ("Let's see if I've got as much balls as the King of France!") +>>RH> - Pope Julius II, 2 January 1511 +>> +>> +>> +>>-- +>>Best regards, +>> bitbitch mailto:bitbitch@magnesium.net +>> +>> +> +> +> +> + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0592.217bf33fe765d8cf064a732d56a51ba3 b/machine-learning-ex6/ex6/easy_ham/0592.217bf33fe765d8cf064a732d56a51ba3 new file mode 100644 index 0000000..46a25af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0592.217bf33fe765d8cf064a732d56a51ba3 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Tue Sep 10 11:07:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7FAAA16F03 + for ; Tue, 10 Sep 2002 11:07:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A0lFC09652 for ; + Tue, 10 Sep 2002 01:47:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2C50029413C; Mon, 9 Sep 2002 17:44:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from qu.to (njl.ne.client2.attbi.com [24.218.112.39]) by + xent.com (Postfix) with SMTP id 154D729409A for ; + Mon, 9 Sep 2002 17:43:37 -0700 (PDT) +Received: (qmail 19647 invoked by uid 500); 10 Sep 2002 00:46:17 -0000 +From: Ned Jackson Lovely +To: fork@example.com +Subject: Re: The Big Jump +Message-Id: <20020910004617.GB1045@ibu.internal.qu.to> +References: <15861948735.20020908113611@magnesium.net> + <002201c2582a$e84211f0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <002201c2582a$e84211f0$0200a8c0@JMHALL> +User-Agent: Mutt/1.3.25i +X-Cell: +1.617.877.3444 +X-Web: http://www.njl.us/ +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 20:46:17 -0400 +X-Spam-Status: No, hits=-15.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Sep 09, 2002 at 11:01:22AM -0700, John Hall wrote: +> Why so fast? Normal terminal velocity is much slower. + +Terminal velocity can be calculated by $v_{T} = \sqrt{\frac{2mg}{CpA}}$ +where C is an experimentally determined coefficient, p is the density of the +air, and A is the area of the object. These calculations only work if the +object is blunt and the airflow is turbulent, blah blah blah. Terminal velocity +for a skydiver actually varies with how the diver holds themselves -- you go +faster if you pull yourself into a cannonball. That is the "A", for the +most part. + +All else being equal, the terminal velocity is inversely proportional to the +square root of air density. Air density drops off pretty quickly, and I +really should be doing something other than digging up the math for that. I +think it involves calculus to integrate the amount of mass as the column of +the atmosphere trails off. I grabbed the other stuff directly out of a book :). + +In '87 a guy named Gregory Robertson noticed a fellow parachutist Debbie +Williams had been knocked unconscious. He shifted so that he was head down, +hit about 200 mi/h, and caught up with her and pulled her chute with 10 seconds +to spare. + +-- +njl + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0593.3c0b49542cfd173508426513c02483c6 b/machine-learning-ex6/ex6/easy_ham/0593.3c0b49542cfd173508426513c02483c6 new file mode 100644 index 0000000..c96d4e9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0593.3c0b49542cfd173508426513c02483c6 @@ -0,0 +1,129 @@ +From fork-admin@xent.com Tue Sep 10 11:07:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 11F3416F03 + for ; Tue, 10 Sep 2002 11:07:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A1sEC11916 for ; + Tue, 10 Sep 2002 02:54:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DCBE9294206; Mon, 9 Sep 2002 18:51:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 18B4429409A for ; + Mon, 9 Sep 2002 18:50:11 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17oaDu-0004py-00; Mon, 09 Sep 2002 21:53:50 -0400 +From: "Geege Schuman" +To: , "FoRK" +Subject: RE: Recommended Viewing +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <002301c2582b$1c040a20$0200a8c0@JMHALL> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 21:51:44 -0400 +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +more accurately: someone's dream changes reality for everyone, and +everyone's memory adjusts to perceive the new realities as a continuum, +replete with new pasts and new memories. + +ever have dreams that "create" their own history to make their irrealities +plausible and authentic feeling? + +ever notice how the feelings evoked in some dreams stick with you all day? +i'm sure it's some neurochemical process initiated during the dream that is +still cycling thru - like a deja vu, triggered by memory processes, where +you don't actually remember but you feel like you're remembering. + +ggggggggg + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Hall +Sent: Monday, September 09, 2002 2:03 PM +To: FoRK +Subject: RE: Recommended Viewing + + +Isn't this the story where someone's "Dream" has the ability to change +reality -- then you find the whole world is their dream? + + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> Sent: Monday, September 09, 2002 4:26 AM +> To: John Evdemon +> Cc: fork@example.com +> Subject: RE: Recommended Viewing +> +> Agreed, completely. I totally grokked the notion of unintened +consequence +> with the original. +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +John +> Evdemon +> Sent: Monday, September 09, 2002 7:03 AM +> To: Fork@xent.com +> Subject: Re: Recommended Viewing +> +> +> On 8 Sep 2002 at 22:15, Geege Schuman wrote: +> +> > who watched Lathe of Heaven? (A&E, 8 pm EDT) who has seen +> > the original? +> > +> By "original" if you are referring to the old PBS version, I liked +that +> version much better. Much more thought provoking. +> +> +> + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0594.30616a68b04f216bcea0ad52073c0df4 b/machine-learning-ex6/ex6/easy_ham/0594.30616a68b04f216bcea0ad52073c0df4 new file mode 100644 index 0000000..6abfb66 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0594.30616a68b04f216bcea0ad52073c0df4 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Tue Sep 10 11:07:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6EB6816F03 + for ; Tue, 10 Sep 2002 11:07:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A28CC12363 for ; + Tue, 10 Sep 2002 03:08:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E2A982942F0; Mon, 9 Sep 2002 19:05:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id 7198F29409A for ; + Mon, 9 Sep 2002 19:04:41 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020910020728.OFEI9751.sccrmhc01.attbi.com@Intellistation> for + ; Tue, 10 Sep 2002 02:07:28 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: "FoRK" +Subject: Re: Recommended Viewing +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209092206.33219.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 22:06:33 -0400 +X-Spam-Status: No, hits=-11.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Monday 09 September 2002 09:51 pm, Geege Schuman wrote +> ever notice how the feelings evoked in some dreams stick with you all +> day?i'm sure it's some neurochemical process initiated during the dream +> that is still cycling thru - like a deja vu, triggered by memory +> processes, where > you don't actually remember but you feel like you're +> remembering. + +Absolutely, and I've wanted to recapture it. I've done some writing based +on dreams, and there is a mysterious "mood" to that feeling that drives +some creative stuff for me. I've never tried to write music in that +state, but I will next time. + +Eirikur + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0595.2e433fbc3ba01f085d54b39e4b695a62 b/machine-learning-ex6/ex6/easy_ham/0595.2e433fbc3ba01f085d54b39e4b695a62 new file mode 100644 index 0000000..a8f5ca9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0595.2e433fbc3ba01f085d54b39e4b695a62 @@ -0,0 +1,78 @@ +From fork-admin@xent.com Tue Sep 10 11:07:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C403016F03 + for ; Tue, 10 Sep 2002 11:07:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A2SGC13041 for ; + Tue, 10 Sep 2002 03:28:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 073D22942F6; Mon, 9 Sep 2002 19:25:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 4740C29409A for + ; Mon, 9 Sep 2002 19:24:47 -0700 (PDT) +Received: (qmail 20041 invoked by uid 501); 10 Sep 2002 02:27:27 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 10 Sep 2002 02:27:27 -0000 +From: CDale +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Recommended Viewing +In-Reply-To: <200209092206.33219.eh@mad.scientist.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 21:27:27 -0500 (CDT) +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Any of your writing online anywhere? Would love to take a look. I was +plagued with night terrors for years and tried to capture that feeling +after waking up (if you want to call that waking up), but was never able +to... +Cindy + +On Mon, 9 Sep 2002, Eirikur Hallgrimsson wrote: + +> On Monday 09 September 2002 09:51 pm, Geege Schuman wrote +> > ever notice how the feelings evoked in some dreams stick with you all +> > day?i'm sure it's some neurochemical process initiated during the dream +> > that is still cycling thru - like a deja vu, triggered by memory +> > processes, where > you don't actually remember but you feel like you're +> > remembering. +> +> Absolutely, and I've wanted to recapture it. I've done some writing based +> on dreams, and there is a mysterious "mood" to that feeling that drives +> some creative stuff for me. I've never tried to write music in that +> state, but I will next time. +> +> Eirikur +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0596.5826fb71adb141704275e2cb8fdddb4f b/machine-learning-ex6/ex6/easy_ham/0596.5826fb71adb141704275e2cb8fdddb4f new file mode 100644 index 0000000..bcc4a49 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0596.5826fb71adb141704275e2cb8fdddb4f @@ -0,0 +1,78 @@ +From fork-admin@xent.com Tue Sep 10 11:07:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9112B16F03 + for ; Tue, 10 Sep 2002 11:07:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A3HQC14875 for ; + Tue, 10 Sep 2002 04:17:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5679E29421B; Mon, 9 Sep 2002 20:14:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 045C929409A for ; + Mon, 9 Sep 2002 20:13:16 -0700 (PDT) +Received: (qmail 2423 invoked from network); 10 Sep 2002 03:16:08 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 10 Sep 2002 03:16:08 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id F11ED1CC98; + Mon, 9 Sep 2002 23:16:01 -0400 (EDT) +To: "Geege Schuman" +Cc: , "FoRK" +Subject: Re: Recommended Viewing +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 09 Sep 2002 23:16:01 -0400 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "G" == Geege Schuman writes: + + G> ... i'm sure it's some neurochemical process initiated during + G> the dream that is still cycling thru - like a deja vu, + G> triggered by memory processes, where you don't actually + G> remember but you feel like you're remembering. + +That's very perceptive of you. Many people are not so willing to +accept their personal reality as skewed by their neuro-physiology. A +great many popular con games exist by exploiting the perceptions of +these states. + +Another oft-exploited neuro-plausibility: The brain is a pretty darn +fine analog associative computer, so it could be the neurochemical +events during the dream have associated themselves with some inner or +external cue to mentally _recreate_ the state-perception like the +predictable tone on striking a bell. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0597.658c7632c57e9f07a7bc28b58b97529e b/machine-learning-ex6/ex6/easy_ham/0597.658c7632c57e9f07a7bc28b58b97529e new file mode 100644 index 0000000..2eb5da4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0597.658c7632c57e9f07a7bc28b58b97529e @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Sep 10 11:07:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7871116F03 + for ; Tue, 10 Sep 2002 11:07:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A3MHC15100 for ; + Tue, 10 Sep 2002 04:22:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 91E052942FB; Mon, 9 Sep 2002 20:19:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 7FE942942FA for ; + Mon, 9 Sep 2002 20:18:30 -0700 (PDT) +Received: (qmail 4750 invoked from network); 10 Sep 2002 03:21:23 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 10 Sep 2002 03:21:23 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 80DAB1CC98; + Mon, 9 Sep 2002 23:21:19 -0400 (EDT) +To: Eirikur Hallgrimsson +Cc: "FoRK" +Subject: Re: Recommended Viewing +References: + <200209092206.33219.eh@mad.scientist.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 09 Sep 2002 23:21:19 -0400 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +>>>>> "E" == Eirikur Hallgrimsson writes: + + E> Absolutely, and I've wanted to recapture it. + +I don't know about this /particular/ mood, but I have used +neuro-conditioning with aiding children in stressful +life-circumstances. + +Basically, you somehow evoke the state you want, and when you get it, +you do something odd, anything at all will do, but I used a gentle +"vulcan grip" on their shoulder. Later, when faced with the +uncomfortable situation, you can retrieve /part/ of that earlier more +desireable state by giving them the pinch; it's not perfect (like you +get with simpler brains) but it is an inescapable effect. + +This is probably the neuro-effect that leads to performance-enhancing +superstitions such as Bob Dylan not performing without his favourite +jean jacket: Because it provides the cue to a more relaxed mental +state, he really does play better with it than without it. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0598.1ac8a662753f1bba429f52eb184ba794 b/machine-learning-ex6/ex6/easy_ham/0598.1ac8a662753f1bba429f52eb184ba794 new file mode 100644 index 0000000..76d1f6e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0598.1ac8a662753f1bba429f52eb184ba794 @@ -0,0 +1,159 @@ +From fork-admin@xent.com Tue Sep 10 11:07:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 38FFB16F03 + for ; Tue, 10 Sep 2002 11:07:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A5x5C19356 for ; + Tue, 10 Sep 2002 06:59:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 32E09294200; Mon, 9 Sep 2002 22:55:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sierra.birch.net (sierra.birch.net [216.212.0.61]) by + xent.com (Postfix) with ESMTP id 096E829409A for ; + Mon, 9 Sep 2002 22:54:23 -0700 (PDT) +Received: (qmail 27565 invoked from network); 10 Sep 2002 05:56:58 -0000 +Received: from unknown (HELO there) ([216.212.1.121]) (envelope-sender + ) by mailserver.birch.net (qmail-ldap-1.03) with SMTP for + ; 10 Sep 2002 05:56:58 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Steve Nordquist +To: interested@amiga.com +Subject: UAE/Ami*/Linux Laptop: Important details. +X-Mailer: KMail [version 1.3.2] +Cc: fork@example.com +MIME-Version: 1.0 +Message-Id: <20020910055423.096E829409A@xent.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 06:35:54 -0500 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8A5x5C19356 +X-Spam-Status: No, hits=0.5 required=7.0 + tests=DATE_IN_PAST_12_24,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Well, for one, it would free up the similar laptop I already got to +just run Amithlon (or if that wasn't so fun, bsd) to run just OpenBSD! + +This is a near-term thing I could look forward to! + +However, an 'official' laptop seems unexciting to me with only +the items mentioned. Most important are the particulars distinguishing +the listed spec from a Dell 2650, preferably: +1- GeForce4 440 Go or newer, pleasingly modern GPU; the + GeForce2Go (with 16MB video RAM; too little) I have is + not so much too slow as inefficient; with factory settings it would + actually crash from running too hot and too fast. + (Accelerating the Ami* and possibly OpenUAE graphics + is a necessity to meet for good speed in those environments, + but an energy-efficient GPU is a good sideeffect and + portability (read: battery lifetime) enabler.) + +1.5- Great control over CPU state; by use of 'internet keys' + wired to BIOS/bhipset routines directly or preferably a scroll + wheel. Also, hibernate that works, please. + +1.7- Bootable to USB 2.0 drives (e.g. larger external ones) + in BIOS, please. + +2- P4 Dells overheat. They have a big heatsink and a little fan + to pull air through it, and if you don't elevate thelaptop off + the desk or table or bed it's on, the fan will -stay- on. Not good + for MTBS (mean time between service; unless you've got an + angle on making money on service from Amigans.....) + One excellent solution is to include a heatpipe which runs + behind the AMLCD, thus using the backside of the display + half as a radiator.; though it interferes with the case notion + below. (yes, Aavid or such makes some as a standard part.) + I prefer to include the heatpipe but employ the radiative + mass in elevating the laptop (i.e. in the form of a catch-handle + and second logo device behind the laptop, which generally + provides stow and attachment for elevation legs (move them + out farther to get to the next-higher ekevation, until the sides + of the laptop are met.) This also happens to provide a little + protection for USB 2 and 1394 cables that I tend to keep + plugged in all the time (a bit longer port life? Please.) + +3- A case color other than brown or black, and preferably (if the + display module NRE is entirely permissive) the capability to + -run with the backlight off.- Again, to save battery power, but + also as a feature; maybe you remember the iBooks modified + in this manner. The user has the privilege to pull out the + backlight diffuser and fiberoptic lightpipe/CF assembly, with + its backreflector, and the whole warrantee. This provides + for excellent outdoor use, often with the diffuser reinserted + to keep depth-of-field distractions minimised. + What would I like? A1200 putty color, any translucency, + in or over a rosewood-colored (in KDE color browser, I see + chocolate, firebrick and a couple of 'indian red' that are great + candidates) base. + I would also like to be able to at least turn off the backlight + without closing the lid, and to be -able- to fit an -external- + light source such as a UV-filtered solar collector (and glare + hood) to feed + into the backlight. Not only does this make an excellent + color environment but lets one work outdoors tolerably. + The logo should be a coloration of a + minimal surface, as the MAA is trying to get me to renew + with: demos at http://astronomy.swin.edu.au/pbourke/geometry/ + at first blush. We'll see what comes out of the contest and + maybe you'll like the mapping MathCAD does of the + logo to a minimal surface or manifold that reflects the + openness of AmigaOS, Ami* and Amiga community. + MAA.org has more references, I'm sure. + +4- Obviously Elfin details., e,g, the backlight inlet. + +Other details: +USB2.x preferred; FireWire would be needed if that's unavailable. +Options like 802.11b or attabhable WiFi hub for ethernet port +should round out the offering. An option for just-released +.13 micron P4 (with mobile power features) could make more +reviewers greenlight the series; much better power consumption, +and almost certainly a higher a top clock come with that. +CompactFlash, SmartMedia and MMC flash memory card +interfaces would be very pleasant. I've mentioned booting to +USB, and booting from CF would be a pleasant extigency also. +To that end, a backup solution with compression using +USB 2 storage or the multimode drive is always a nice +bundle item; that or a chance to back out a patch under 3 OS..... + + +Blue skies (and clear water and fresh air): +Waterproof to 30 feet, 3 Ethernet ports plus onboard WiFi. +Svelte; 3-line frontpanel LCD and bright red pager LED, +builtin G4 cellphone functions, choice of side and +frontpanel trim: Ivory-like stuff inscribed with M68k memory map +and various OS 3.9 structures or textured fur that +says 'This is Amiga Speaking' when stroked 'round. +Decent keyboard, as in Toshiba or IBM laptops; perhaps +an ergonomic fingerworks.com device (they work as +keyboard and mouse) as the keyboard/trackpad. +2 Directional planar mics atop AMLCD; soundcard with multiple +18 bit A-D and noise reduction DSP that work in our +(second-through-fourth, at least) favorite OS. +Actual 7" bellows pulls out at nominal ventilation +fan location for real void-comp (the test in Blade +Runner) style cooling and extended bass; active cooling +and airfiltering is available to adjust humidity at user +seat and provide mineral water. +HyperTransport ports. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0599.dcd037ac7e916599160fc182080defe3 b/machine-learning-ex6/ex6/easy_ham/0599.dcd037ac7e916599160fc182080defe3 new file mode 100644 index 0000000..6672f99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0599.dcd037ac7e916599160fc182080defe3 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Tue Sep 10 11:07:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C1BD916F03 + for ; Tue, 10 Sep 2002 11:07:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:07:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8A9hXC25466 for ; + Tue, 10 Sep 2002 10:43:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C9D6F2940DF; Tue, 10 Sep 2002 02:40:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 2DE5529409A for + ; Tue, 10 Sep 2002 02:39:37 -0700 (PDT) +Received: (qmail 13570 invoked by uid 508); 10 Sep 2002 08:25:49 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.110) by + venus.phpwebhosting.com with SMTP; 10 Sep 2002 08:25:49 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8A57f100842; Tue, 10 Sep 2002 07:07:42 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Ned Jackson Lovely +Cc: +Subject: Re: The Big Jump +In-Reply-To: <20020910004617.GB1045@ibu.internal.qu.to> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 07:07:41 +0200 (CEST) +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=AWL,DATE_IN_PAST_03_06,EMAIL_ATTRIBUTION,IN_REP_TO, + KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002, Ned Jackson Lovely wrote: + +> In '87 a guy named Gregory Robertson noticed a fellow parachutist Debbie +> Williams had been knocked unconscious. He shifted so that he was head down, +> hit about 200 mi/h, and caught up with her and pulled her chute with 10 seconds +> to spare. + +IIRC it's ~180 km/s spreadeagled and ~210 km/h head-down. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0600.5c058c763f0c2053e70d2a6ddd5afd1e b/machine-learning-ex6/ex6/easy_ham/0600.5c058c763f0c2053e70d2a6ddd5afd1e new file mode 100644 index 0000000..83e8b2d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0600.5c058c763f0c2053e70d2a6ddd5afd1e @@ -0,0 +1,104 @@ +From fork-admin@xent.com Tue Sep 10 18:15:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 074CD16F03 + for ; Tue, 10 Sep 2002 18:15:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:15:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ABGZC28333 for ; + Tue, 10 Sep 2002 12:16:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 40205294227; Tue, 10 Sep 2002 04:13:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 9693A29409A for ; + Tue, 10 Sep 2002 04:12:08 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17oizF-0008Di-00; Tue, 10 Sep 2002 07:15:17 -0400 +From: "Geege Schuman" +To: "Gary Lawrence Murphy" , + "Geege Schuman" +Cc: , "FoRK" +Subject: RE: Recommended Viewing +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 07:13:08 -0400 +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +you meant "SURPRISINGLY perceptive," didn't you? :-) + +recent exceptionally vivid and strange dreams lead me to believe i'm +sparking synapses that have lain dormant lo these many years. Lots of +problem solving going on up there at night. + +-----Original Message----- +From: garym@maya.dyndns.org [mailto:garym@maya.dyndns.org]On Behalf Of +Gary Lawrence Murphy +Sent: Monday, September 09, 2002 11:16 PM +To: Geege Schuman +Cc: johnhall@evergo.net; FoRK +Subject: Re: Recommended Viewing + + +>>>>> "G" == Geege Schuman writes: + + G> ... i'm sure it's some neurochemical process initiated during + G> the dream that is still cycling thru - like a deja vu, + G> triggered by memory processes, where you don't actually + G> remember but you feel like you're remembering. + +That's very perceptive of you. Many people are not so willing to +accept their personal reality as skewed by their neuro-physiology. A +great many popular con games exist by exploiting the perceptions of +these states. + +Another oft-exploited neuro-plausibility: The brain is a pretty darn +fine analog associative computer, so it could be the neurochemical +events during the dream have associated themselves with some inner or +external cue to mentally _recreate_ the state-perception like the +predictable tone on striking a bell. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0601.ecc0277d1962fad8005495cd09dea1aa b/machine-learning-ex6/ex6/easy_ham/0601.ecc0277d1962fad8005495cd09dea1aa new file mode 100644 index 0000000..df64cd4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0601.ecc0277d1962fad8005495cd09dea1aa @@ -0,0 +1,79 @@ +From fork-admin@xent.com Tue Sep 10 18:15:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F91216F16 + for ; Tue, 10 Sep 2002 18:15:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:15:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ADXcC32622 for ; + Tue, 10 Sep 2002 14:33:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 753DA29410F; Tue, 10 Sep 2002 06:30:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id E540729409A for ; Tue, 10 Sep 2002 06:29:49 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 04720C44D; + Tue, 10 Sep 2002 15:29:51 +0200 (CEST) +To: fork@example.com +Subject: Re: Selling Wedded Bliss (was Re: Ouch...) +Message-Id: <20020910132951.04720C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 15:29:51 +0200 (CEST) +X-Spam-Status: No, hits=-1.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Gordon Mohr: +>It was clear you were talking about averages. But it should +>be equally clear that that isn't what people mean when they +>use the word "promiscuity". + +Sigh. + +This sprung out of a report linked by Cindy about the promiscuity of +female monkeys with males other than the alpha male, i.e, specifically +not the tail end of the distribution. "By mating with as many +extra-group males as possible, female langurs ensure [etc.]" + + +>OK, then. Consider a population of 1,000,000. 500,000 men each +>pair off with 500,000 women. Then, 1 man, let's call him "Wilt", +>also has sex with the other 499,999 women + +This has never happened. Its relevance is nil. + + +>Averages are useful, sure -- but much more so if called by their +>actual name, rather than conflated with another concept. + +So I chose not to type "on average" explicitly in my post, since this +is FoRK and one tends to assume that people have a clue. + + +There is no disagreement between us, except that I am more interested +in typical behaviour and you in extreme. Actually, you probably just +had a bad day and felt like jumping down my throat for the hell of it. + + +EOT, AFAIC. + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0602.af33589441908011e53b55d4702012cd b/machine-learning-ex6/ex6/easy_ham/0602.af33589441908011e53b55d4702012cd new file mode 100644 index 0000000..72ab06a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0602.af33589441908011e53b55d4702012cd @@ -0,0 +1,86 @@ +From fork-admin@xent.com Tue Sep 10 18:15:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 38ABC16F03 + for ; Tue, 10 Sep 2002 18:15:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:15:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8AEFWC02028 for ; + Tue, 10 Sep 2002 15:15:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6650029423B; Tue, 10 Sep 2002 07:12:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 52760294237 for ; + Tue, 10 Sep 2002 07:11:07 -0700 (PDT) +Received: (qmail 25260 invoked from network); 10 Sep 2002 14:13:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 10 Sep 2002 14:13:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 9F9EB1CC97; + Tue, 10 Sep 2002 10:13:50 -0400 (EDT) +To: "Geege Schuman" +Cc: , "FoRK" +Subject: Re: Recommended Viewing +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 10 Sep 2002 10:13:50 -0400 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "G" == Geege Schuman writes: + + G> you meant "SURPRISINGLY perceptive," didn't you? :-) + +Of course, dear. Especially without zazen training. Veritably +Operational Thetan-like. + + G> recent exceptionally vivid and strange dreams lead me to + G> believe i'm sparking synapses that have lain dormant lo these + G> many years. Lots of problem solving going on up there at + G> night. + +It's a myth that we don't use parts of our brain. We use it all, +always. It's just that our culturally-induced focal-point causes most +of us to most of the time ignore and waste 99.999% of it. "Lucid" is +a measure of notch-filter bandwidth; all stations are broadcasting, +but we only /choose/ Easy Rock 105. + +For example, don't look now but your shoes are full of feet. + +The sensation of toes the above statement evokes is not a "turning on" +of circuits, it is a "tuning in". The next step, of course, is to +"drop out" :) + +To paraphrase an old saw: Life is wasted on the living. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0603.4582f2bcf4795cdd8136e04313f0c0fc b/machine-learning-ex6/ex6/easy_ham/0603.4582f2bcf4795cdd8136e04313f0c0fc new file mode 100644 index 0000000..ed9cc04 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0603.4582f2bcf4795cdd8136e04313f0c0fc @@ -0,0 +1,70 @@ +From fork-admin@xent.com Tue Sep 10 18:15:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B766D16F03 + for ; Tue, 10 Sep 2002 18:15:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:15:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8AGUZC07111 for ; + Tue, 10 Sep 2002 17:30:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B01232940A5; Tue, 10 Sep 2002 09:27:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 95ECA2940A0 for ; Tue, + 10 Sep 2002 09:26:37 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id DE6C93EDAE; + Tue, 10 Sep 2002 12:32:56 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id DCC693ED1B; Tue, 10 Sep 2002 12:32:56 -0400 (EDT) +From: Tom +To: Gary Lawrence Murphy +Cc: Geege Schuman , , + FoRK +Subject: Re: Recommended Viewing +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 12:32:56 -0400 (EDT) +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On 10 Sep 2002, Gary Lawrence Murphy wrote: + +--]It's a myth that we don't use parts of our brain. We use it all, +--]always. It's just that our culturally-induced focal-point causes most +--]of us to most of the time ignore and waste 99.999% of it. "Lucid" is +--]a measure of notch-filter bandwidth; all stations are broadcasting, +--]but we only /choose/ Easy Rock 105. +--] +--]For example, don't look now but your shoes are full of feet. + +Nice imagery. When the filters come down ( choose your method)it is very +much the case. Not only are your shoes full of toes, but your toes are +full of bones, blood , muscle and toejam. All these things are +evident...unless you got your filters up. + +Life, the ultimate spam:)- + +-tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0604.5ce333fc713b6c6f85386d8be149c1b4 b/machine-learning-ex6/ex6/easy_ham/0604.5ce333fc713b6c6f85386d8be149c1b4 new file mode 100644 index 0000000..12b7e7f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0604.5ce333fc713b6c6f85386d8be149c1b4 @@ -0,0 +1,83 @@ +From fork-admin@xent.com Wed Sep 11 13:49:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 13ECF16F03 + for ; Wed, 11 Sep 2002 13:49:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8AIcYC11645 for ; + Tue, 10 Sep 2002 19:38:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5ADDE2940A0; Tue, 10 Sep 2002 11:35:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm1-15.sba1.netlojix.net + [207.71.218.63]) by xent.com (Postfix) with ESMTP id CA94C29409A for + ; Tue, 10 Sep 2002 11:34:34 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA10179; + Tue, 10 Sep 2002 11:21:56 -0700 +Message-Id: <200209101821.LAA10179@maltesecat> +To: fork@example.com +Subject: Re: Tech's Major Decline +In-Reply-To: Message from fork-request@xent.com of + "Sun, 01 Sep 2002 20:24:01 PDT." + <20020902032401.29860.6932.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 11:21:56 -0700 +X-Spam-Status: No, hits=-5.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +I'm not sure which way to make +the old bits call on this: + +[A] +was posted well after +[B] +was in the archives, but then +again, [B] didn't bother with +any commentary (new bits). + +If you two can agree upon who +was at fault, penance will be +to explain how feedback phase +is affected by time lags, and +tie that in to the spontaneous +generation of "business cycles" +in the Beer Game. * + +-Dave + +* + +see also: + +Explaining Capacity Overshoot and Price War: Misperceptions + of Feedback in Competitive Growth Markets + + +in which the scenario 4 (margin +oriented tit for tat) seems close +to the strategy described in: + +"game theoretical gandhi / more laptops" + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0605.0b692301193854c686d6c257203c9976 b/machine-learning-ex6/ex6/easy_ham/0605.0b692301193854c686d6c257203c9976 new file mode 100644 index 0000000..f71b157 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0605.0b692301193854c686d6c257203c9976 @@ -0,0 +1,254 @@ +From fork-admin@xent.com Wed Sep 11 13:49:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5D9316F03 + for ; Wed, 11 Sep 2002 13:49:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8AJEbC13175 for ; + Tue, 10 Sep 2002 20:15:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1860F2940B8; Tue, 10 Sep 2002 12:11:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from ms4.lga2.nytimes.com (ms4.lga2.nytimes.com [64.15.247.148]) + by xent.com (Postfix) with ESMTP id 50FC229409A for ; + Tue, 10 Sep 2002 12:10:23 -0700 (PDT) +Received: from email4.lga2.nytimes.com (email4 [10.0.0.169]) by + ms4.lga2.nytimes.com (Postfix) with ESMTP id 60C775A4D4 for + ; Tue, 10 Sep 2002 15:17:17 -0400 (EDT) +Received: by email4.lga2.nytimes.com (Postfix, from userid 202) id + 56DC6C432; Tue, 10 Sep 2002 15:06:36 -0400 (EDT) +Reply-To: khare@alumni.caltech.edu +From: khare@alumni.caltech.edu +To: fork@example.com +Subject: NYTimes.com Article: Some Friends, Indeed, Do More Harm Than Good +Message-Id: <20020910190636.56DC6C432@email4.lga2.nytimes.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 15:06:36 -0400 (EDT) +X-Spam-Status: No, hits=-0.2 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,ORDER_NOW,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +This article from NYTimes.com +has been sent to you by khare@alumni.caltech.edu. + + +Sure does explain FoRK :-) + +not yet abandoned, + Rohit + +khare@alumni.caltech.edu + + +Some Friends, Indeed, Do More Harm Than Good + +September 10, 2002 +By MARY DUENWALD + + + + + + +Friends are supposed to be good for you. In recent years, +scientific research has suggested that people who have +strong friendships experience less stress, they recover +more quickly from heart attacks and they are likely to live +longer than the friendless. They are even less susceptible +to the common cold, studies show. + +But not all friends have such a salutary effect. Some lie, +insult and betray. Some are overly needy. Some give too +much advice. Psychologists and sociologists are now calling +attention to the negative health effects of bad friends. + +"Friendship is often very painful," said Dr. Harriet +Lerner, a psychologist and the author of "The Dance of +Connection." "In a close, enduring friendship, jealousy, +envy, anger and the entire range of difficult emotions will +rear their heads. One has to decide whether the best thing +is to consider it a phase in a long friendship or say this +is bad for my health and I'm disbanding it." + +Another book, "When Friendship Hurts," by Dr. Jan Yager, a +sociologist at the University of Connecticut at Stamford, +advises deliberately leaving bad friends by the wayside. +"There's this myth that friendships should last a +lifetime," Dr. Yager said. "But sometimes it's better that +they end." + +That social scientists would wait until now to spotlight +the dangers of bad friends is understandable, considering +that they have only recently paid close attention to +friendship at all. Marriage and family relationships - +between siblings or parents and children - have been seen +as more important. + +Of course, troubled friendships are far less likely to lead +to depression or suicide than troubled marriages are. And +children are seldom seriously affected when friendships go +bad. + +As a popular author of relationship advice books, Dr. +Lerner said, "Never once have I had anyone write and say my +best friend hits me." + +Dr. Beverley Fehr, a professor of psychology at the +University of Winnipeg, noted that sociological changes, +like a 50 percent divorce rate, have added weight to the +role of friends in emotional and physical health. + +"Now that a marital relationship can't be counted on for +stability the way it was in the past, and because people +are less likely to be living with or near extended family +members, people are shifting their focus to friendships as +a way of building community and finding intimacy," said Dr. +Fehr, the author of "Friendship Processes." + +Until the past couple of years, the research on friendship +focused on its health benefits. "Now we're starting to look +at it as a more full relationship," said Dr. Suzanna Rose, +a professor of psychology at Florida International +University in Miami. "Like marriage, friendship also has +negative characteristics." + +The research is in its infancy. Psychologists have not yet +measured the ill effects of bad friendship, Dr. Fehr said. +So far they have only, through surveys and interviews, +figured out that it is a significant problem. The early +research, Dr. Fehr added, is showing that betrayal by a +friend can be more devastating than experts had thought. + +How can a friend be bad? Most obviously, Dr. Rose said, by +drawing a person into criminal or otherwise ill-advised +pursuit. "When you think of people who were friends at +Enron," she added, "you can see how friendship can support +antisocial behavior." + +Betrayal also makes for a bad friendship. "When friends +split up," said Dr. Keith E. Davis, a professor of +psychology at the University of South Carolina, "it is +often in cases where one has shared personal information or +secrets that the other one wanted to be kept confidential." + + +Another form of betrayal, Dr. Yager said, is when a friend +suddenly turns cold, without ever explaining why. "It's +more than just pulling away," she said. "The silent +treatment is actually malicious." + +At least as devastating is an affair with the friend's +romantic partner, as recently happened to one of Dr. +Lerner's patients. "I would not encourage her to hang in +there and work this one out," Dr. Lerner said. + +A third type of bad friendship involves someone who insults +the other person, Dr. Yager said. One of the 180 people who +responded to Dr. Yager's most recent survey on friendship +described how, when she was 11, her best friend called her +"a derogatory name." The woman, now 32, was so devastated +that she feels she has been unable to be fully open with +people ever since, Dr. Yager said. + +Emotional abuse may be less noticeable than verbal abuse, +but it is "more insidious," Dr. Yager said. "Some people +constantly set up their friends," she explained. "They'll +have a party, not invite the friend, but make sure he or +she finds out." + +Risk takers, betrayers and abusers are the most extreme +kinds of bad friends, Dr. Yager said, but they are not the +only ones. She identifies 21 different varieties. Occupying +the second tier of badness are the liar, the person who is +overly dependent, the friend who never listens, the person +who meddles too much in a friend's life, the competitor and +the loner, who prefers not to spend time with friends. + +Most common is the promise breaker. "This includes everyone +from the person who says let's have a cup of coffee but +something always comes up at the last minute to someone who +promises to be there for you when you need them, but then +isn't," Dr. Yager said. + +Some friendships go bad, as some romantic relationships do, +when one of the people gradually or suddenly finds reasons +to dislike the other one. + +"With couples, it can take 18 to 24 months for someone to +discover there's something important they don't like about +the other person," said Dr. Rose of Florida International. +"One might find, for example, that in subtle ways the other +person is a racist. In friendships, which are less intense, +it may take even more time for one person to meet the +other's dislike criteria." + +Whether a friendship is worth saving, Dr. Lerner said, +"depends on how large the injury is." + +"Sometimes the mature thing is to lighten up and let +something go," she added. "It's also an act of maturity +sometimes to accept another person's limitations." + +Acceptance should come easier among friends than among +spouses, Dr. Lerner said, because people have more than one +friend and do not need a full range of emotional support +from each one. + +But if the friendship has deteriorated to the point where +one friend truly dislikes the other one or finds that the +friendship is causing undue stress, the healthy response is +to pull away, Dr. Yager said, to stop sharing the personal +or intimate details of life, and start being too busy to +get together, ever. + +"It takes two people to start and maintain a friendship, +but only one to end it," Dr. Yager said. + +Friendship, because it is voluntary and unregulated, is far +easier to dissolve than marriage. But it is also +comparatively fragile, experts say. Ideally, the loss of a +bad friendship should leave a person with more time and +appreciation for good ones, Dr. Lerner said. + +"It is wise to pay attention to your friendships and have +them in order while you're healthy and your life and work +are going well," she said. "Because when a crisis hits, +when someone you love dies, or you lose your job and your +health insurance, when the universe gives you a crash +course in vulnerability, you will discover how crucial and +life-preserving good friendship is." + +http://www.nytimes.com/2002/09/10/health/psychology/10FRIE.html?ex=1032684795&ei=1&en=2a88a6d1b985c977 + + + +HOW TO ADVERTISE +--------------------------------- +For information on advertising in e-mail newsletters +or other creative advertising opportunities with The +New York Times on the Web, please contact +onlinesales@nytimes.com or visit our online media +kit at http://www.nytimes.com/adinfo + +For general information about NYTimes.com, write to +help@nytimes.com. + +Copyright 2002 The New York Times Company + + diff --git a/machine-learning-ex6/ex6/easy_ham/0606.246043a69d2c710dde0e67eedb1fd853 b/machine-learning-ex6/ex6/easy_ham/0606.246043a69d2c710dde0e67eedb1fd853 new file mode 100644 index 0000000..c7a9520 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0606.246043a69d2c710dde0e67eedb1fd853 @@ -0,0 +1,132 @@ +From fork-admin@xent.com Wed Sep 11 13:49:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 82ACC16F03 + for ; Wed, 11 Sep 2002 13:49:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8AKkmC16112 for ; + Tue, 10 Sep 2002 21:46:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 47F5B2940AC; Tue, 10 Sep 2002 13:43:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id C6FF029409A for ; Tue, + 10 Sep 2002 13:42:34 -0700 (PDT) +Received: (qmail 34817 invoked from network); 10 Sep 2002 20:45:19 -0000 +Received: from adsl-67-119-24-188.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.188) by relay1.pair.com with SMTP; 10 Sep 2002 20:45:19 -0000 +X-Pair-Authenticated: 67.119.24.188 +Message-Id: <016f01c2590a$f9a6abf0$640a000a@golden> +From: "Gordon Mohr" +To: +References: <20020910132951.04720C44D@argote.ch> +Subject: More on promiscuity and word choice Re: Selling Wedded Bliss (was + Re: Ouch...) +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 13:45:17 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Robert Harley writes: +> >OK, then. Consider a population of 1,000,000. 500,000 men each +> >pair off with 500,000 women. Then, 1 man, let's call him "Wilt", +> >also has sex with the other 499,999 women +> +> This has never happened. Its relevance is nil. + +It was a extreme contrived example because you glosded over the +point of the earlier 3-person example. + +But OK, Mr Math, let it be N men and women, for any N>2. They +all pair off. Then, some number H, N>H>0, of men has sex with +all the other N-1 women he hasn't yet had sex with. + +Pick any N and H that might be interesting. Any choice of +values results in meaningful differences between the sexes' +"promiscuity", as commonly understood. It should be more +obvious with extreme choices of numbers, but it is also true +for any choice of N and H, if unrealistic totals distract you. + +Further, and I was hoping this would be clear without saying +so outright, this model actually approximates the cliche +"common wisdom" about per-gender sexual behavior, if you +reverse the male and female roles. + +Those stereotypes are: that more men than women seek multiple +partners -- men being "more promiscuous" than women -- and that +surplus of male interest is satisfied by a smaller number of +hyperpromiscuous women (often derisively labelled "sluts"). + +> So I chose not to type "on average" explicitly in my post, since this +> is FoRK and one tends to assume that people have a clue. +> +> There is no disagreement between us, except that I am more interested +> in typical behaviour and you in extreme. + +Nope, now you've amended the meaning of your initial statement to +make it more defensible. What I objected to was: + +Robert Harley: +# >The assumption that females of all species tend to be less promiscuous +# >than males simply does not fit the facts, Hrdy contended. +# +# Well, DUH!!! +# +# It is perfectly obvious that (heterosexual) promiscuity is exactly, +# precisely identical between males and females. +# +# Of course the shapes of the distributions may differ. + +If you assumed people on FoRK had a clue, would you have needed +to jump in with a patronizing "DUH!!"? + +If you were talking about fuzzy, typical behavior, would you have +huffed and puffed with the words "perfectly obvious" and "exactly, +precisely identical"? + +If your concern was with the "typical", why didn't you adopt the +typical definition of "promiscuous", rather than a straw-man +definition which allowed you to interject "DUH!!" and mock an +anthrolopology professor's conclusions? + +> Actually, you probably just +> had a bad day and felt like jumping down my throat for the hell of it. + +You are welcome to that theory! + +But here's an alternate theory: when you jump in with a patronizing +and overblown pronouncement -- e.g. "DUH!!... perfectly obvious... +exactly, precisely identical..." -- and that pronouncement is +itself sloppy and erroneous, then others may get a kick out of +popping your balloon. + +- Gordon + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0607.14d2b2101e12b952f5cfe7aa92afd4a4 b/machine-learning-ex6/ex6/easy_ham/0607.14d2b2101e12b952f5cfe7aa92afd4a4 new file mode 100644 index 0000000..0bb82ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0607.14d2b2101e12b952f5cfe7aa92afd4a4 @@ -0,0 +1,109 @@ +From fork-admin@xent.com Wed Sep 11 13:49:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E1CB916F03 + for ; Wed, 11 Sep 2002 13:49:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ANxgC22582 for ; + Wed, 11 Sep 2002 00:59:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 82F272940AA; Tue, 10 Sep 2002 16:56:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id EDBCF29409A for ; + Tue, 10 Sep 2002 16:55:35 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17outV-0000l4-00; Tue, 10 Sep 2002 19:58:09 -0400 +From: "Geege Schuman" +To: "Gary Lawrence Murphy" , + "Geege Schuman" +Cc: , "FoRK" +Subject: RE: Recommended Viewing +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Importance: Normal +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 19:56:56 -0400 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +dreams-are-like-radio analogy: i program my Jetta Monsoon for Planet 93.3, +80's 102.9, and NPR 89.9 but when i leave my local broadcast range i have to +scan for new stations. dreaming is outside my local broadcast range. + +-----Original Message----- +From: garym@maya.dyndns.org [mailto:garym@maya.dyndns.org]On Behalf Of +Gary Lawrence Murphy +Sent: Tuesday, September 10, 2002 10:14 AM +To: Geege Schuman +Cc: johnhall@evergo.net; FoRK +Subject: Re: Recommended Viewing + + +>>>>> "G" == Geege Schuman writes: + + G> you meant "SURPRISINGLY perceptive," didn't you? :-) + +Of course, dear. Especially without zazen training. Veritably +Operational Thetan-like. + + G> recent exceptionally vivid and strange dreams lead me to + G> believe i'm sparking synapses that have lain dormant lo these + G> many years. Lots of problem solving going on up there at + G> night. + +It's a myth that we don't use parts of our brain. We use it all, +always. It's just that our culturally-induced focal-point causes most +of us to most of the time ignore and waste 99.999% of it. "Lucid" is +a measure of notch-filter bandwidth; all stations are broadcasting, +but we only /choose/ Easy Rock 105. + +For example, don't look now but your shoes are full of feet. + +The sensation of toes the above statement evokes is not a "turning on" +of circuits, it is a "tuning in". The next step, of course, is to +"drop out" :) + +To paraphrase an old saw: Life is wasted on the living. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0608.ee46655dde2d5d95579711e1a849cb34 b/machine-learning-ex6/ex6/easy_ham/0608.ee46655dde2d5d95579711e1a849cb34 new file mode 100644 index 0000000..94a94f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0608.ee46655dde2d5d95579711e1a849cb34 @@ -0,0 +1,101 @@ +From fork-admin@xent.com Wed Sep 11 13:49:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 14DE716F03 + for ; Wed, 11 Sep 2002 13:49:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8B6aQC04905 for ; + Wed, 11 Sep 2002 07:36:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2B9962940A1; Tue, 10 Sep 2002 23:33:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav60.law15.hotmail.com [64.4.22.195]) by + xent.com (Postfix) with ESMTP id 17D4E29409A for ; + Tue, 10 Sep 2002 23:32:52 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 10 Sep 2002 23:35:46 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Microsoft Buys XDegrees - Secure Access Company +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 11 Sep 2002 06:35:46.0333 (UTC) FILETIME=[75D21CD0:01C2595D] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 23:39:58 -0700 +X-Spam-Status: No, hits=-4.4 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + + +== +http://siliconvalley.internet.com/news/article.php/10862_1460701 + +Microsoft Tuesday said it has purchased a Mountain View, Calif.-based +security company to better secure its core file services including its +Windows platform and .NET initiative. + +The Redmond, Wash-based software giant has acquired the assets of XDegrees +for an undisclosed amount of cash and is in the process of relocating the +team of 12 or 14 engineers to the Microsoft campus. + +XDegrees' technology assigns URLs to Word files, video clips, and other +digital documents for access across a peer-to-peer network + +XDegrees founder Michael Tanne was offered a job, but decided instead to +play his hand in the Silicon Valley. +========== + +"XDegrees' technology assigns URLs to Word files, video clips, and other +digital documents for access across a peer-to-peer network" - assigns URLs +to Word files... and somebody /bought/ that? + +=== +http://www.xdegrees.com/pr_2001-11-12_1.html +"The XDegrees System allows users to easily and consistently locate, access +and manage information by assigning each document a unique link. Providing +end-to-end security, the XDegrees System unifies authentication of all +users, provides file-level access control and encrypts all stored and +transferred files. Seamless integration with existing applications such as +email clients and Microsoft Office products allows companies to rapidly +deploy the XDegrees System and users to get up-and-running quickly." + +Whoa... high tech... + +=== +More bits here... +http://www.openp2p.com/pub/a/p2p/2001/04/27/xdegrees.html + +"The essence of XDegrees consists of a naming system and a distributed +database that allows peers to resolve resource names. XDegrees manages these +services for customers on its own hosts, and sells its software to +enterprises so they can define and run their own namespaces on in-house +servers. You can search for a particular person (whatever device the person +is currently using), for a particular device, for a file, or even for a web +service. The software that resolves resource names is called XRNS (the +eXtensible Resource Name System)." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0609.2b39e149425abf7a4a84933aad236189 b/machine-learning-ex6/ex6/easy_ham/0609.2b39e149425abf7a4a84933aad236189 new file mode 100644 index 0000000..23e9a02 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0609.2b39e149425abf7a4a84933aad236189 @@ -0,0 +1,91 @@ +From fork-admin@xent.com Wed Sep 11 13:49:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C984816F03 + for ; Wed, 11 Sep 2002 13:49:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8B6gJC04943 for ; + Wed, 11 Sep 2002 07:42:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AD47D2940CD; Tue, 10 Sep 2002 23:39:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav60.law15.hotmail.com [64.4.22.195]) by + xent.com (Postfix) with ESMTP id 8076A29409A for ; + Tue, 10 Sep 2002 23:38:21 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 10 Sep 2002 23:41:15 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Microsoft buys XDegress - more of a p2p/distributed data thing... +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 11 Sep 2002 06:41:15.0835 (UTC) FILETIME=[3A3820B0:01C2595E] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 23:45:31 -0700 +X-Spam-Status: No, hits=-4.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +I like this part - sounds like httpd on the client... + +http://www.openp2p.com/pub/a/p2p/2001/04/27/xdegrees.html + +"Once the Client Component is installed, a server can order a program to run +on the client. Any CGI script, Java servlet, ASP component, etc. could be +run on the client. This is like breaking the Web server into two parts. +Originally, Web servers just understood HTTP and sent pages. Then the field +started demanding more from the Web and the servers got loaded down with CGI +and mod_perl and active pages and stuff. So now the Web server can choose to +go back to simple serving and (where the application is appropriate) let the +client do the other razzamatazz. This is superior to JavaScript in one +important detail: the program doesn't have to reload when a new page is +loaded, as JavaScript functions do. + +And because XDegrees uses Web-compatible technology, users can access +XDegrees resources without installing any software, simply by using their +browser." + +=== +"Scaling is the main question that comes to mind when somebody describes a +new naming and searching system. CEO Michael Tanne claims to have figured +out mathematically that the system can scale up to millions of users and +billions of resources. Scaling is facilitated by the careful location of +servers (XDegrees will colocate servers at key routing points, as Akamai +does), and by directing clients to the nearest server as their default +"home" server. Enterprise customers can use own servers to manage in-house +applications." + +"Files can be cached on multiple systems randomly scattered around the +Internet, as with Napster or Freenet. In fact, the caching in XDegrees is +more sophisticated than it is on those systems: users with high bandwidth +connections can download portions, or "stripes," of a file from several +cached locations simultaneously. The XDegrees software then reassembles +these stripes into the whole file and uses digital signatures to verify that +the downloaded file is the same as the original. A key component of this +digital signature is a digest of the file, which is stored as an HTTP header +for the file." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0610.77f0b010c4ee1f527c40a320223e5e3d b/machine-learning-ex6/ex6/easy_ham/0610.77f0b010c4ee1f527c40a320223e5e3d new file mode 100644 index 0000000..b5bbcaf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0610.77f0b010c4ee1f527c40a320223e5e3d @@ -0,0 +1,82 @@ +From fork-admin@xent.com Wed Sep 11 13:49:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 913A716F16 + for ; Wed, 11 Sep 2002 13:49:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8B71IC05326 for ; + Wed, 11 Sep 2002 08:01:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C99EB2940FF; Tue, 10 Sep 2002 23:58:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 9F7CE29409A for ; Tue, + 10 Sep 2002 23:57:12 -0700 (PDT) +Received: (qmail 54161 invoked from network); 11 Sep 2002 07:00:06 -0000 +Received: from adsl-67-119-24-188.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.188) by relay1.pair.com with SMTP; 11 Sep 2002 07:00:06 -0000 +X-Pair-Authenticated: 67.119.24.188 +Message-Id: <029801c25960$db348560$640a000a@golden> +From: "Gordon Mohr" +To: +References: +Subject: Re: Microsoft buys XDegress - more of a p2p/distributed data thing... +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 00:00:01 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Mr. FoRK writes: +> "Files can be cached on multiple systems randomly scattered around the +> Internet, as with Napster or Freenet. In fact, the caching in XDegrees is +> more sophisticated than it is on those systems: users with high bandwidth +> connections can download portions, or "stripes," of a file from several +> cached locations simultaneously. The XDegrees software then reassembles +> these stripes into the whole file and uses digital signatures to verify that +> the downloaded file is the same as the original. A key component of this +> digital signature is a digest of the file, which is stored as an HTTP header +> for the file." + +This "more sophisticated than [Napster or Freenet]" part seems +to be the same behavior implemented in many other P2P CDNs, +such as: + + - Kazaa + - EDonkey/Overnet + - BitTorrent + - Gnutella (with HUGE extensions) + - OnionNetworks WebRAID + +...though the quality of the "digest" used by each system varies +wildly. + +- Gordon + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0611.4a47b06e83edee6c61ba37d1be2a09d0 b/machine-learning-ex6/ex6/easy_ham/0611.4a47b06e83edee6c61ba37d1be2a09d0 new file mode 100644 index 0000000..ee3586e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0611.4a47b06e83edee6c61ba37d1be2a09d0 @@ -0,0 +1,184 @@ +From fork-admin@xent.com Wed Sep 11 13:49:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1C45016F17 + for ; Wed, 11 Sep 2002 13:49:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:49:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8B8HTC07346 for ; + Wed, 11 Sep 2002 09:17:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA98A2940C2; Wed, 11 Sep 2002 01:14:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from frodo.hserus.net (202-77-223-48.outblaze.com + [202.77.223.48]) by xent.com (Postfix) with ESMTP id CA79329409A for + ; Wed, 11 Sep 2002 01:13:34 -0700 (PDT) +Received: from ppp-177-198.bng.vsnl.net.in ([203.197.177.198] + helo=rincewind.pobox.com) by frodo.hserus.net with asmtp (Exim 4.10) id + 17p2fg-000C65-00; Wed, 11 Sep 2002 16:16:25 +0800 +X-PGP-Dsskey: 0x55FAB8D3 +X-PGP-Rsakey: 0xCAA67415 +Message-Id: <5.1.0.14.2.20020911114003.02e170f0@frodo.hserus.net> +X-Nil: +To: Adam Rifkin , FoRK@xent.com +From: Udhay Shankar N +Subject: storage bits +In-Reply-To: <200012281832.MAA00992@server1.KnowNow.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 11:45:45 +0530 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8B8HTC07346 +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=CALL_FREE,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,NIGERIAN_TRANSACTION_1, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +At 12:32 PM 12/28/00 -0600, Adam Rifkin wrote: + +>I repeat, IBM 76.8Gb ultra dma/100 hard drive at Fry's for $375... +>"home of fast, friendly courteous service! (R)" +> +>I kid you not. That's a half a cent a Megabyte for storage. +>Not El Cheapo storage but top of the line storage. + +less than two years later, we have 320 GB for the same price: + +http://www.shareholder.com/maxtor/news/20020909-89588.cfm + +Maxtor Driving Capacity-Centric Enterprise Apps With "Super-Sized" ATA Drives + +Maxtor Continues its Leadership in the Market it Pioneered with a New +Category of High-Density ATA Drives + +MILPITAS, Calif., September 9, 2002- + +Maxtor Corporation (NYSE: MXO), a worldwide leader in hard disk drives and +data storage solutions, today announced Maxtor MaXLineTM, its newest +generation of ATA drives designed specifically for rapidly emerging +enterprise storage applications including near-line, media storage and +network storage. The MaXLine family features two critical differentiators: +huge capacities up to 320 GB for corporate archiving and media recording; +and unique manufacturing and quality for 24/7 operations with mean time to +failure (MTTF) rates exceeding one million hours. + +The MaXLine family is designed to bring hard disk drives into "near-line" +archive applications. By adding a layer of MaXLine drives to archive +architectures, companies can instantly recover time-critical data including +executive e-mail, transaction data and accounting data that may need to be +recovered on demand. + +These new drives are designed to solve another enterprise problem with the +storage of video, media and audio conference call files. Even compressed, +these files take up tremendous amounts of high-cost server space. Priced +starting around $299.95 to $399.95 MSRP, Maxtor's MaXLine family offers +high capacity drives for enterprise applications at price points between +traditional ATA and SCSI drives. + +For system OEMs and white box builders, MaXLine offers high-density, +easy-to-integrate storage for use in entry-level and mid-size server +environments. + +"The demand for instant recall of archived data is expanding as companies +are meeting their obligations to quickly access executive e-mails, +financial documents and transaction records," said Mike Dooley, senior +director of marketing for the Desktop Products Group at Maxtor. "Users may +not need to access information in these applications on a daily basis, but +when they do need access, it must be instant. Recent advances in ATA +technology and our manufacturing processes allow us to build upon our +legacy of experience and provide our customers with a family of premium ATA +hard drives that can be integrated into a variety of systems for these +enterprise applications." + +The MaXLine family includes the 5400-RPM MaXLine II, designed for +capacities up to 320 GB and the 7200-RPM MaXLine Plus II, designed for +capacities up to 250 GB. At these capacities, MaXLine offers higher storage +density than many tape and optical solutions. These drives have also been +tested and are projected to meet enterprise reliability requirements, +already exceeded by prior drives employing the same robust Maxtor designs, +which exceed MTTF of over one million hours. These drives will also carry a +three-year warranty. + +The MaXLine II and MaXLine Plus II feature the Maxtor Fast DriveTM +UltraATA/133 interface for data transfer speeds up to 133 MB per second. +The MaXLine II and MaXLine Plus II will be available with next-generation +serial ATA interface for higher performance. At 150 MB per second maximum +data transfer rate, serial ATA improves hard drive performance to keep pace +with the rapidly increasing performance requirements of data intensive +environments and enterprise applications. + +With a point-to-point connection architecture, and rich command set for +managing hard drive activity and data flow along the interface, serial ATA +advances the performance and efficiency of the drive to system interface. +The interface's reduced pin count allows for simpler cabling which in turn +allows better airflow within a system and further benefits the user with +increased design flexibility and hot plug capability. + +"Maxtor's MaXLine family of drives provide a solution for storing data that +has previously been too expensive to keep on disk," said Dave Reinsel, +analyst at IDC. "The ATA drives offer a great value, low cost per GB and +when integrated into storage systems and file servers offer a compelling +cost-effective alternative to tape libraries and optical drives, which have +been the traditional solutions used for near-line applications." + +Availability +Limited qualification units of the parallel ATA versions of Maxtor MaXLine +II and MaXLine Plus II are now available; with volume units available in +the fourth quarter. Qualification units of the MaXLine II and MaXLine Plus +II with serial ATA will be available later this month with volume shipments +scheduled to begin in the first quarter of 2003. + +About Maxtor +Maxtor Corporation (www.maxtor.com) is one of the world's leading suppliers +of information storage solutions. The company has an expansive line of +storage products for desktop computers, storage systems, high-performance +servers and consumer electronics. Maxtor has a reputation as a proven +market leader built by consistently providing high-quality products and +service and support for its customers. Maxtor and its products can be found +at www.maxtor.com or by calling toll-free (800) 2-MAXTOR. Maxtor is traded +on the NYSE under the MXO symbol. + +Note: Maxtor, MaXLine and the Maxtor logo are registered trademarks of +Maxtor Corporation. Fast Drive is a trademark of Maxtor Corporation. All +other trademarks are properties of their respective owners. + +GB means 1 billion bytes. Total accessible capacity varies depending on +operating environment. + +This announcement relating to Maxtor may contain forward-looking statements +concerning future technology, products incorporating that technology, and +Maxtor's execution. These statements are based on current expectations and +are subject to risks and uncertainties which could materially affect the +company's results, including, but not limited to, market demand for hard +disk drives, the company's ability to execute future production ramps and +utilize manufacturing assets efficiently, pricing, competition, and the +significant uncertainty of market acceptance of new products. These and +other risk factors are contained in documents that the company files with +the SEC, including the Form 10-K for fiscal 2001 and its recent 10-Qs. + +Copyright © 2001, Maxtor Corporation ®. Privacy Policy. + + + +-- +((Udhay Shankar N)) ((udhay @ pobox.com)) ((www.digeratus.com)) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0612.f6d6b7e1dc1e063f1fd95991aa452d05 b/machine-learning-ex6/ex6/easy_ham/0612.f6d6b7e1dc1e063f1fd95991aa452d05 new file mode 100644 index 0000000..caf9dfe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0612.f6d6b7e1dc1e063f1fd95991aa452d05 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Wed Sep 11 14:10:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A3E2116F03 + for ; Wed, 11 Sep 2002 14:10:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 14:10:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BD4KC15488 for ; + Wed, 11 Sep 2002 14:04:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D538D2940D0; Wed, 11 Sep 2002 06:01:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 5A29629409A for ; + Wed, 11 Sep 2002 06:00:44 -0700 (PDT) +Received: (qmail 19867 invoked from network); 11 Sep 2002 13:03:44 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 11 Sep 2002 13:03:44 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 584B91CC98; + Wed, 11 Sep 2002 09:03:37 -0400 (EDT) +To: Udhay Shankar N +Cc: Adam Rifkin , FoRK@xent.com +Subject: Re: storage bits +References: <5.1.0.14.2.20020911114003.02e170f0@frodo.hserus.net> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 11 Sep 2002 09:03:37 -0400 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "U" == Udhay Shankar N writes: + + U> At 12:32 PM 12/28/00 -0600, Adam Rifkin wrote: + >> I repeat, IBM 76.8Gb ultra dma/100 hard drive at Fry's for + >> $375... "home of fast, friendly courteous service! (R)" + + U> less than two years later, we have 320 GB for the same price: + +So then why does my webhost _still_ only give me 200MB? + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0613.78f3bc8ff059d262ac436be34a962c6b b/machine-learning-ex6/ex6/easy_ham/0613.78f3bc8ff059d262ac436be34a962c6b new file mode 100644 index 0000000..d149f92 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0613.78f3bc8ff059d262ac436be34a962c6b @@ -0,0 +1,94 @@ +From fork-admin@xent.com Wed Sep 11 14:21:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4CE2316F03 + for ; Wed, 11 Sep 2002 14:21:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 14:21:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BDAaC15784 for ; + Wed, 11 Sep 2002 14:10:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 623E029410C; Wed, 11 Sep 2002 06:07:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id EB10C29409A for + ; Wed, 11 Sep 2002 06:06:34 -0700 (PDT) +Received: (qmail 17344 invoked by uid 501); 11 Sep 2002 13:09:14 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 11 Sep 2002 13:09:14 -0000 +From: CDale +To: Paul Chvostek +Cc: discuss-list@opensrs.net, +Subject: Re: Snow +In-Reply-To: <20020910165007.A66650@mail.it.ca> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 08:09:14 -0500 (CDT) +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +September Haiku + +Freezing my ass off +Air conditioning on high +heats small apartment. + + +Cindy, in Mississippie +P.S. this one's for you, geege. + + + +On Tue, 10 Sep 2002, Paul Chvostek wrote: + +> +> I can tell I'm not the only one without air conditioning. ;-) +> +> Maybe I'll move to Canmore. +> +> p +> +> +> On Tue, Sep 10, 2002 at 03:37:08PM -0400, Swerve wrote: +> > +> > moo hahahaha. +> > +> > i need a smoke. +> > +> > stop this heatwave. +> > +> > bring on winter. +> > +> > bring on fall. +> > +> > +> > Swerve, shut up. +> > +> > bye. +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0614.b5bf667c7ffd59fca7f26a8ca1f8deea b/machine-learning-ex6/ex6/easy_ham/0614.b5bf667c7ffd59fca7f26a8ca1f8deea new file mode 100644 index 0000000..0ede760 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0614.b5bf667c7ffd59fca7f26a8ca1f8deea @@ -0,0 +1,100 @@ +From fork-admin@xent.com Wed Sep 11 19:42:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 18FA416F03 + for ; Wed, 11 Sep 2002 19:42:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BFdKC21045 for ; + Wed, 11 Sep 2002 16:39:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0B0F32940FB; Wed, 11 Sep 2002 08:36:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx1.ucsc.edu [128.114.129.36]) by + xent.com (Postfix) with ESMTP id 74A3F29409A for ; + Wed, 11 Sep 2002 08:35:34 -0700 (PDT) +Received: from Tycho (dhcp-63-177.cse.ucsc.edu [128.114.63.177]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8BFbsq13928 for + ; Wed, 11 Sep 2002 08:37:54 -0700 (PDT) +From: "Jim Whitehead" +To: +Subject: RE: Microsoft buys XDegress - more of a p2p/distributed data thing... +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <029801c25960$db348560$640a000a@golden> +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Importance: Normal +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 08:35:31 -0700 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +XDegrees was at the WebDAV Interoperability Testing Event last year, so +there may be some DAV under the hood there someplace. + +- Jim + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +> Gordon Mohr +> Sent: Wednesday, September 11, 2002 12:00 AM +> To: fork@example.com +> Subject: Re: Microsoft buys XDegress - more of a p2p/distributed data +> thing... +> +> +> Mr. FoRK writes: +> > "Files can be cached on multiple systems randomly scattered around the +> > Internet, as with Napster or Freenet. In fact, the caching in +> XDegrees is +> > more sophisticated than it is on those systems: users with high +> bandwidth +> > connections can download portions, or "stripes," of a file from several +> > cached locations simultaneously. The XDegrees software then reassembles +> > these stripes into the whole file and uses digital signatures +> to verify that +> > the downloaded file is the same as the original. A key component of this +> > digital signature is a digest of the file, which is stored as +> an HTTP header +> > for the file." +> +> This "more sophisticated than [Napster or Freenet]" part seems +> to be the same behavior implemented in many other P2P CDNs, +> such as: +> +> - Kazaa +> - EDonkey/Overnet +> - BitTorrent +> - Gnutella (with HUGE extensions) +> - OnionNetworks WebRAID +> +> ...though the quality of the "digest" used by each system varies +> wildly. +> +> - Gordon +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0615.935b5a30e35ec46502a33a445443c124 b/machine-learning-ex6/ex6/easy_ham/0615.935b5a30e35ec46502a33a445443c124 new file mode 100644 index 0000000..6528147 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0615.935b5a30e35ec46502a33a445443c124 @@ -0,0 +1,187 @@ +From fork-admin@xent.com Wed Sep 11 19:42:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5BE316F03 + for ; Wed, 11 Sep 2002 19:42:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BGdKC23029 for ; + Wed, 11 Sep 2002 17:39:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 86CBB294164; Wed, 11 Sep 2002 09:36:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 4485229409A for ; + Wed, 11 Sep 2002 09:35:06 -0700 (PDT) +Received: from sashimi (rdu162-235-094.nc.rr.com [24.162.235.94]) by + Boron.MeepZor.Com (8.11.6/8.11.6) with SMTP id g8BGbpg15734 for + ; Wed, 11 Sep 2002 12:37:51 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: Hanson's Sept 11 message in the National Review +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 12:37:15 -0400 +X-Spam-Status: No, hits=-0.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,TO_ADDRESS_EQ_REAL, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + + +http://www.nationalreview.com/hanson/hanson091102.asp + + +September 11, 2002 8:00 a.m. +The Wages of September 11 +There is no going back. + + + +September 11 changed our world. Those who deny such a watershed event take a +superficially short-term view, and seem to think all is as before simply +because the sun still rises and sets. + +This is a colossal misjudgment. The collapse of the towers, the crashing +into the Pentagon, and the murder of 3,000 Americans — all seen live in real +time by millions the world over — tore off a scab and exposed deep wounds, +which, if and when they heal, will leave ugly scars for decades. The killers +dealt in icons — the choice of 911 as the date of death, targeting the +manifest symbols of global capitalism and American military power, and +centering their destruction on the largest Jewish city in the world. Yes, +they got their symbols in spades, but they have no idea that their killing +has instead become emblematic of changes that they could scarcely imagine. + +Islamic fundamentalism has proved not ascendant, but static, morally +repugnant — and the worst plague upon the Arab world since the Crusades. By +lurking in the shadows and killing incrementally through stealth, the +vampirish terrorists garnered bribes and subsidies through threats and +bombs; but pale and wrinkled in the daylight after 9/11, they prove only +ghoulish not fearsome. + +The more the world knows of al Qaeda and bin Laden, the more it has found +them both vile and yet banal — and so is confident and eager to eradicate +them and all they stand for. It is one thing to kill innocents, quite +another to take on the armed might of an aroused United States. Easily +dodging a solo cruise missile in the vastness of Afghanistan may make good +theater and bring about braggadocio; dealing with grim American and British +commandos who have come 7,000 miles for your head prompts abject flight and +an occasional cheap infomercial on the run. And the ultimate consequence of +the attacks of September 11 will not merely be the destruction of al Qaeda, +but also the complete repudiation of the Taliban, the Iranian mullocracy, +the plague of the Pakistani madrassas, and any other would-be fundamentalist +paradise on earth. + +Foreign relations will not be the same in our generation. Our coalition with +Europe, we learn, was not a partnership, but more mere alphabetic +nomenclature and the mutual back scratching of Euro-American globetrotters — +a paper alliance without a mission nearly 15 years after the end of the Cold +War. The truth is that Europe, out of noble purposes, for a decade has +insidiously eroded its collective national sovereignty in order to craft an +antidemocratic EU, a 80,000-person fuzzy bureaucracy whose executive power +is as militarily weak as it is morally ambiguous in its reliance on often +dubious international accords. This sad realization September 11 brutally +exposed, and we all should cry for the beloved continent that has for the +moment completely lost its moral bearings. Indeed, as the months progressed +the problems inherent in "the European way" became all too apparent: +pretentious utopian manifestos in lieu of military resoluteness, abstract +moralizing to excuse dereliction of concrete ethical responsibility, and +constant American ankle-biting even as Europe lives in a make-believe Shire +while we keep back the forces of Mordor from its picturesque borders, with +only a few brave Frodos and Bilbos tagging along. Nothing has proved more +sobering to Americans than the skepticism of these blinkered European +hobbits after September 11. + +America learned that "moderate" Arab countries are as dangerous as hostile +Islamic nations. After September 11, being a Saudi, Egyptian, or Kuwaiti +means nothing special to an American — at least not proof of being any more +friendly or hostile than having Libyan, Syrian, or Lebanese citizenship. +Indeed, our entire postwar policy of propping up autocracies on the triad of +their anticommunism, oil, and arms purchases — like NATO — belongs to a +pre-9/11 age of Soviet aggrandizement and petroleum monopolies. Now we learn +that broadcasting state-sponsored hatred of Israel and the United States is +just as deadly to our interests as scud missiles — and as likely to come +from friends as enemies. Worst-case scenarios like Iran and Afghanistan +offer more long-term hope than "stable regimes" like the Saudis; governments +that hate us have populations that like us — and vice versa; the Saudi royal +family, whom 5,000 American troops protect, and the Mubarak autocracy, which +has snagged billions of American dollars, are as afraid of democratic +reformers as they are Islamic fundamentalists. And with good reason: Islamic +governments in Iran and under the Taliban were as hated by the masses as +Arab secular reformers in exile in the West are praised and championed. + +The post-9/11 domestic calculus is just as confusing. Generals and the +military brass call civilians who seek the liberation of Iraq "chicken +hawks" and worse. Yet such traditional Vietnam-era invective I think rings +hollow after September 11, and sounds more like McClellan's shrillness +against his civilian overseers who precipitously wanted an odious slavery +ended than resonant of Patton's audacity in charging after murderous Nazis. +More Americans were destroyed at work in a single day than all those +soldiers killed in enemy action since the evacuation of Vietnam nearly 30 +years ago. Indeed, most troops who went through the ghastly inferno of +Vietnam are now in or nearing retirement; and, thank God, there is no +generation of Americans in the present military — other than a few thousand +brave veterans of the Gulf, Mogadishu, and Panama — who have been in +sustained and deadly shooting with heavy casualties. Because American +soldiers and their equipment are as impressive as our own domestic security +is lax, in this gruesome war it may well be more perilous to work high up in +lower Manhattan, fly regularly on a jumbo jet, or handle mail at the +Pentagon or CIA than be at sea on a sub or destroyer. + +Real concern for the sanctity of life may hinge on employing rather than +rejecting force, inasmuch as our troops are as deadly and protected abroad +as our women, children, aged, and civilians are impotent and vulnerable at +home. It seems to me a more moral gamble to send hundreds of pilots into +harm's way than allow a madman to further his plots to blow up or infect +thousands in high-rises. + +Politics have been turned upside down. In the old days, cynical +conservatives were forced to hold their noses and to practice a sometimes +repellent Realpolitik. In the age of Russian expansionism, they were loathe +to champion democracy when it might usher in a socialist Trojan Horse whose +belly harbored totalitarians disguised as parliamentarians. Thus they were +so often at loggerheads with naïve and idealist leftists. + +No longer. The end of the specter of a deadly and aggressive Soviet +Communism has revived democratic ideology as a force in diplomacy. Champions +of freedom no longer sigh and back opportunistic rightist thugs who promise +open economics, loot their treasuries, and keep out the Russians. Instead, +even reactionaries are now more likely to push for democratic governments in +the Middle East than are dour and skeptical leftists. The latter, if +multiculturalists, often believe that democracy is a value-neutral Western +construct, not necessarily a universal good; if pacifists, they claim +nonintervention, not justice, as their first priority. The Right, not the +Left, now is the greater proponent of global freedom, liberation, and +idealism — with obvious domestic ramifications for any Republican president +astute enough to tap that rich vein of popular support. + +All this and more are the wages of the disaster of September 11 and the +subsequent terrible year — and yet it is likely that, for good or evil, we +will see things even more incredible in the twelve months ahead. + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0616.a152505164d471a0cb84ba780c1fb956 b/machine-learning-ex6/ex6/easy_ham/0616.a152505164d471a0cb84ba780c1fb956 new file mode 100644 index 0000000..7051d13 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0616.a152505164d471a0cb84ba780c1fb956 @@ -0,0 +1,227 @@ +Forwarded: Wed, 11 Sep 2002 20:17:25 +0100 +Forwarded: mice@crackmice.com +From fork-admin@xent.com Wed Sep 11 19:42:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F50C16F03 + for ; Wed, 11 Sep 2002 19:42:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BGsbC23365 for ; + Wed, 11 Sep 2002 17:54:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0BEEF2941C2; Wed, 11 Sep 2002 09:51:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from granger.mail.mindspring.net (granger.mail.mindspring.net + [207.69.200.148]) by xent.com (Postfix) with ESMTP id 3F0DB29409A for + ; Wed, 11 Sep 2002 09:50:38 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + granger.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17pAgb-0005yV-00; + Wed, 11 Sep 2002 12:49:53 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: A Living Memorial +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 12:47:58 -0400 +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,PGP_SIGNATURE,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Say 'amen' somebody. What the WSJ said, appended below. + + +The WTC, as constructed, was a confiscatory government boondoggle, +expropriated from the original pre-construction property owners at +the behest of a third-generation trust-fund-aristocrat for the "good" +of the city, and owned by an "authority" looking for something else +to do after it, and its coach-hounds in organized labor and organized +crime, had killed what was the largest port in the world's richest +nation. + +Now, of course, it's about to get worse. The sins of 40 years ago +have been compounded at the hands of two kinds of literally +irrational fanatics, first those in religion, and now those in +government. + +As a result, a large part of 10 million square feet of once perfectly +usable office space, devoted, at least ostensibly, to commerce, will +be "granted" away in a potlatch that only government, and +special-interest "communities", (or "stakeholders", or whatever the +cryptosocialist psycho-rabble call themselves this week) can organize +to such perfection. + + +All this in probably the *only* city in the country that was founded +by a *business*, explicitly for the purpose of *commerce*. Not +religious fanaticism. Not colonial expansion in a monarch's name. +*Commerce*. + + +If they *really* wanted to make a point to the superstitious luddites +who collapsed those buildings (using probably the only sharp objects +on a plane full of government-disarmed passengers) the so-called +"authority" should disband itself and sell its property off to the +highest bidder and let the *market* -- the cure to all luddism, +foreign and domestic, government and superstitious -- decide. + +If the new, *private* owner wants to sell, or give away, a space for +a memorial, fine. They could sell tickets and donate the money to the +families of the dead and injured. Probably great for marketing the +property, at least during the lifetime of anyone who remembers the +event. + +And, of course, if the new owner wants to build something twice as +tall, or with twice as much space than the original 10 million square +feet, splendid. Whatever the market will bear. + + +In these days of increasingly ubiquitous trans-national geodesic +internetworks, of strong financial cryptography, and of exponentially +decreasing transaction costs in formerly monolithic industries, +economics and freedom can, and will, prevail over both superstition +and statism. + +It's probably too much to hope for an actual market in lower +Manhattan mega-real-estate to prevail this early in the game, but +it's going to happen sooner or later. + +And, whenever it does, *that* will be a fitting memorial to those who +died at the World Trade Center. + +Cheers, +RAH + +- ------- + +http://online.wsj.com/article_print/0,,SB1031705210159756235,00.html + + +The Wall Street Journal + +September 11, 2002 +REVIEW & OUTLOOK + +A Living Memorial + +As we write these words, we can look down from our offices into the +six-story crater where the Twin Towers once stood. Like everyone +else, we want that site to be rebuilt in a way that honors those who +died a year ago. But we also think the best memorial to those who +perished would be a living one. + +The site of the World Trade Center calls forth many emotions, +especially today: anger, grief and respect for the many acts of +heroism that took place there. But underlying it all is the memory of +the enormous vitality that distinguished the towers before they were +attacked and was a large reason they were targeted. The best +expression of the spirit of New York and of those who died would be +to once again see thousands of people from dozens of countries +working, meeting, shopping, eating -- that is, engaged in the sort of +productive work and play that used to take place there. Osama bin +Laden should not be allowed to have turned it into a cemetery. + +But restoring this memory is not what the discussion in New York has +been about. So far no one is talking seriously about the vigorous +rebuilding of downtown Manhattan, which lost 100,000 jobs when the +Trade Center fell. Instead the discussion centers on the size and +scale of the memorial, and on satisfying every political interest now +clamoring for a piece of the action. New York's political leadership, +and its financial and media elites, are squandering a historic chance +to rebuild a better, more prosperous city. + +This is in part the fault of the commission tasked with figuring out +what to do with the site. In consultation with New York Governor +George Pataki, who is thinking primarily about his own November +re-election, the commission made the decision to focus first on the +memorial. The Manhattan Institute's Steve Malanga argues that the +commission would have been better off setting aside a limited space +for the memorial, getting on with the rebuilding and then returning +to the memorial. This is in essence what the Pentagon has so +successfully done -- rebuild immediately and set aside two acres for +an outdoor memorial, a design for which has yet to be decided. + +A big part of the problem in New York is that the city's +anti-development activists know an opening when they see one. They +want the World Trade Center site -- and even some surrounding areas +- -- transformed into an enormous park. These political advocates have +had plenty of practice at turning proposed development projects in +New York into a nightmare of delay and litigation, and the World +Trade Center site is now getting the same treatment. Worse, they are +cynically using some bereaved family members to advance their own +anti-development agenda in the name of "honoring" the dead. One +family group even called a press conference to reject as +disrespectful a proposed train line under the site. + +We are not experts in designing war memorials, but we're confident +that a gigantic park in the heart of the world's financial center +isn't the appropriate choice for those who died a year ago. The great +cities of Europe and Japan, devastated in World War II, have all +rebuilt, and with memorials that are integrated into modern urban +life. Perhaps the most powerful is found in Rotterdam, the Dutch port +city reduced to rubble by German bombing, where survivors erected a +statue of a man with a hole where his heart used to be. + +In this country, the practice has been for the names of war dead to +be inscribed on the walls of institutions with which they were +affiliated. If you walk into Nassau Hall at Princeton University, +you'll find the names of 644 alumni who died in the Revolutionary +War, the War of 1812, the Civil War, the Spanish-American War, World +War I, World War II, Korea and Southeast Asia. No one thinks it +disrespectful to the dead that the life of the university goes on +around the walls containing their names. + +In New York now, it would help if political leaders looked beyond the +emotional tug of the victims and their families to the city's future. +Rudolph Giuliani, now that he's out office, wants the entire 16 acres +devoted to the memorial. Governor Pataki has called for no structures +on the "footprints," which, being in the center of the site, would +severely curtail options. Mayor Michael Bloomberg initially raised +his voice in favor of commercial development but was bloodied by the +press and has since ducked for cover. + +Maybe things will be different after this anniversary is past. Maybe +those responsible for the World Trade Center site will start thinking +more about the next 50 or 100 years than the past 12 months. The best +way to honor the dead is by reviving normal life and commerce. + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPX9zD8PxH8jf3ohaEQI2aACgv7mtb5VKTpRj5MJQt1OyzyifzusAn273 +fgNkOntna6+SmLO8TB4XYbC2 +=09az +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0617.5b8410959a7bc173315e3d59d978ba2c b/machine-learning-ex6/ex6/easy_ham/0617.5b8410959a7bc173315e3d59d978ba2c new file mode 100644 index 0000000..aecfd47 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0617.5b8410959a7bc173315e3d59d978ba2c @@ -0,0 +1,91 @@ +From fork-admin@xent.com Wed Sep 11 19:42:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 140D616F16 + for ; Wed, 11 Sep 2002 19:42:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BHgaC24933 for ; + Wed, 11 Sep 2002 18:42:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 878C32940B7; Wed, 11 Sep 2002 10:39:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id B0F7F29409A for ; Wed, + 11 Sep 2002 10:38:17 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 9284F3ED63; + Wed, 11 Sep 2002 13:44:46 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 90C9A3ED55 for ; Wed, + 11 Sep 2002 13:44:46 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Keillor voices up on what to do with the WTC site +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 13:44:46 -0400 (EDT) +X-Spam-Status: No, hits=-5.5 required=7.0 + tests=AWL,DEAR_SOMEBODY,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +http://www.phc.mpr.org/posthost/index.shtml + +Dear Garrison, + +There are at least six plans about what to do with +"Ground Zero" in New York. I believe a suitable memorial +surrounded by a lovely park with benches, walkways, +children's playgrounds, possibly some concessions such +as a restaurant, small theater and a place for art works +would be the best tribute to those who lost their lives. +What do you think should done with the space? + +Joe Adams +Hillsdale, New Jersey + +I dread the thought of a big memorial in Manhattan +that's designed by committee and that's gone through +public hearings and so forth ----- it's going to be cold +and ugly and pretentious and the upshot will be one more +public space that the public hates, of which there are +plenty already. New York is a bustling commercial city +and that's the beauty of it, it's a city of young +ambitious dreamy people, like the folks who died in the +towers, and it's not a memorializing city. Historic +events occurred in New York that in any other city would +be commemorated with interpretive centers and guides and +historical museums and in New York there's barely a +little plaque. That's a great thing, in my estimation. +It's a hustling city, full of immigrants looking for +their big chance, and compared to that spirit of +entrepreneurship, a memorial plaza with a fountain and a +statue of something seems dead to me. Look at Grant's +Tomb. Who walks past it and thinks about President +Grant? Nobody. People sit in the plaza by Grant's Tomb +and think about lunch, about sex, about money, about all +the things that New York is about. If you want to find +Grant, read his memoirs. His monument seems odd in New +York: it belongs in Washington, which is our memorial +city. New York is for the young and lively. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0618.a6e6cf36de8832e7f6df6dc832ebb83d b/machine-learning-ex6/ex6/easy_ham/0618.a6e6cf36de8832e7f6df6dc832ebb83d new file mode 100644 index 0000000..aa3337f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0618.a6e6cf36de8832e7f6df6dc832ebb83d @@ -0,0 +1,62 @@ +From fork-admin@xent.com Wed Sep 11 19:42:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AB50A16F03 + for ; Wed, 11 Sep 2002 19:42:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BIQeC26236 for ; + Wed, 11 Sep 2002 19:26:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A3AF294197; Wed, 11 Sep 2002 11:23:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id D715929409A for + ; Wed, 11 Sep 2002 11:22:08 -0700 (PDT) +Received: (qmail 32002 invoked by uid 508); 11 Sep 2002 18:24:47 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (62.226.149.78) by + venus.phpwebhosting.com with SMTP; 11 Sep 2002 18:24:47 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8BIOej25918; Wed, 11 Sep 2002 20:24:41 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Gary Lawrence Murphy +Cc: Udhay Shankar N , + Adam Rifkin , +Subject: Re: storage bits +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 20:24:40 +0200 (CEST) +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On 11 Sep 2002, Gary Lawrence Murphy wrote: + +> So then why does my webhost _still_ only give me 200MB? + +Because ~10 krpm server SCSII doesn't follow the curve. Most rackspace is +ridiculously expensive/unit, so people don't use low end EIDE hardware +there. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0619.1eebcb2010962026f9e985efaf54c54c b/machine-learning-ex6/ex6/easy_ham/0619.1eebcb2010962026f9e985efaf54c54c new file mode 100644 index 0000000..f8c4128 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0619.1eebcb2010962026f9e985efaf54c54c @@ -0,0 +1,76 @@ +From fork-admin@xent.com Wed Sep 11 19:42:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EA91E16F03 + for ; Wed, 11 Sep 2002 19:42:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:42:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BIZ1C26541 for ; + Wed, 11 Sep 2002 19:35:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 400AC2941DC; Wed, 11 Sep 2002 11:24:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 3B7422941D8 for ; Wed, + 11 Sep 2002 11:23:14 -0700 (PDT) +Received: (qmail 21570 invoked from network); 11 Sep 2002 18:25:50 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 11 Sep 2002 18:25:50 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Hanson's Sept 11 message in the National Review +Message-Id: <000001c259c0$a8559890$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 11:25:50 -0700 +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL + version=2.50-cvs +X-Spam-Level: + + +Hanson is always good. + +One of my sci-fi authors is planning on slipping the following line into +one of their stories: + +"The worst strategic mistake since the 911 attacks". + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Bill +> Stoddard +> Sent: Wednesday, September 11, 2002 9:37 AM +> To: Fork@Xent.Com +> Subject: Hanson's Sept 11 message in the National Review +> +> +> http://www.nationalreview.com/hanson/hanson091102.asp + + diff --git a/machine-learning-ex6/ex6/easy_ham/0620.cb5bdeb796ed52ca7474387e39462e87 b/machine-learning-ex6/ex6/easy_ham/0620.cb5bdeb796ed52ca7474387e39462e87 new file mode 100644 index 0000000..9b3c671 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0620.cb5bdeb796ed52ca7474387e39462e87 @@ -0,0 +1,54 @@ +From fork-admin@xent.com Wed Sep 11 20:16:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1D89F16F03 + for ; Wed, 11 Sep 2002 20:16:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 20:16:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BJ9WC27901 for ; + Wed, 11 Sep 2002 20:09:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2D3B82940BD; Wed, 11 Sep 2002 12:06:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 875BF29409A for + ; Wed, 11 Sep 2002 12:05:33 -0700 (PDT) +Received: (qmail 29242 invoked by uid 500); 11 Sep 2002 19:08:10 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 11 Sep 2002 19:08:10 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: fork@example.com +Subject: From salon.com - Forbidden thoughts about 9/11 +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 15:08:10 -0400 (EDT) +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +i though this was all rather interesting, first bit of 9/11 coverage that +i've liked. + +http://www.salon.com/mwt/feature/2002/09/11/forbidden_letters/index.html + +Chris + + diff --git a/machine-learning-ex6/ex6/easy_ham/0621.feb00fa392669a54bc5602f927fbae12 b/machine-learning-ex6/ex6/easy_ham/0621.feb00fa392669a54bc5602f927fbae12 new file mode 100644 index 0000000..bb58d4d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0621.feb00fa392669a54bc5602f927fbae12 @@ -0,0 +1,59 @@ +From fork-admin@xent.com Thu Sep 12 13:39:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E406616F03 + for ; Thu, 12 Sep 2002 13:39:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8BNZbC05295 for ; + Thu, 12 Sep 2002 00:35:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 581BB29409F; Wed, 11 Sep 2002 16:32:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 44AB529409A for ; Wed, + 11 Sep 2002 16:31:30 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 47BD83ECF4; + Wed, 11 Sep 2002 19:37:59 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 467163EB72 for ; Wed, + 11 Sep 2002 19:37:59 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: TheThresher +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 19:37:59 -0400 (EDT) +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Is this old bits? It should be. + +I was browsing the local zine store here in Portland OR and found the +second issue of The Thresher...very very sweet. Poltical socio articles on +all manner of things from names you have come to love/despise over the +years. If you have not already, tombobjoewhore says check it out. + +www.thethresher.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0622.aa081cbcc4734cedebbe0084f1988921 b/machine-learning-ex6/ex6/easy_ham/0622.aa081cbcc4734cedebbe0084f1988921 new file mode 100644 index 0000000..555fa3a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0622.aa081cbcc4734cedebbe0084f1988921 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Thu Sep 12 13:39:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 686C716F03 + for ; Thu, 12 Sep 2002 13:39:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C0KdC09588 for ; + Thu, 12 Sep 2002 01:20:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 782582940AE; Wed, 11 Sep 2002 17:17:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 0A5A429409A for ; Wed, + 11 Sep 2002 17:16:05 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 935633ED61; + Wed, 11 Sep 2002 20:22:18 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 91B813ECF4 for ; Wed, + 11 Sep 2002 20:22:18 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Since we were on the subject... +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 20:22:18 -0400 (EDT) +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Gays, gay sex, gay marriage.....wooohooo its been a mano e mano week and +thursady will be the mass market consumer period on it. + +The WWE's gay marriage cermemony is in the can, that is its been filmed +last night for thursady nights Smackdown. Did they do it tastefully? Oh +come on its the WWE for cripssake, of course they didnt. Did they use it +ot promote an story line? Despite the WWE throwing away more good story +lines in the last 2 years than a wood chuck who could chuck wood if the +enviromentalists did not slap lawsuits on them, the sotrywrites seemed to +have finaly hit on a big tie togther event for several story lines. + +But of course, no one here watches the WWE, and not even because you would +rather watch old Divxs of the ECW, so this little bit is probably fallign +on the old killsawfiles. + +SO I wont be bursting anyones thursdaynight plans if I smarkout and say +that B and C waver near the final vows, the blame is falling on Ricco, +thier "manager"*, for pushing them to carry out their "gay" act far too +long and just when things look to be heating up with that story +arc......the mask comes off the justice of the piece as he pronounces +that they have gone 3 minutes, yes 3 minutes, too long.....Yep, its the +Bisch and in come Rosey and Jamal to attempt a stomping on Stpehnie +McMahon. Hopefully they did not get off a kick like they did on the first +lesbain back on Mondays raw as that broke a rib. + +Of course the editing truck boys might change some none or all of this +around, so if thursday nights tape play reveals them hitch and on thier +way to a honeymoon, thats the luck o the smarkies. I doubt it will be +edited much though from the way I heard it. + +So the bottomline is, they really were not gay all along, they were play +acting and it got out of hand because Ricco made them, Steaphnie gets a +face push while the Bisch gets a thursady night special 3 min heel push, +thus furthing the story arc of the brand split. Rosey and Jamala get heat +and B and C get a new Tag Team to play with. Ricco..who knows, maybe some +heat time would be good for him as a single. + +All this of course at a time when the ratting are in the bottom of a 4 +year valley of gloom, the last 2 years have been mostly squandered on +borken story arc promises and bad acting, and to top it all off Mick is no +longer ont he sceen so...bang bang...how can it be all good? + +Well, its back to my growing ECW divx collection where Tajiri was the shiz +and Mick cut promos unrivaled by any of todays mic monkeys. + +* Todays managers are a far cry form the managers of the 80's/early 90's. +Ricco is nota Paul Bearer or a Jimmy Heart at all but more like a buddy +who goes to the ring with them and occasional interferes..ugh. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0623.548822dc41bd6d1d7b5896c185874a5f b/machine-learning-ex6/ex6/easy_ham/0623.548822dc41bd6d1d7b5896c185874a5f new file mode 100644 index 0000000..11102b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0623.548822dc41bd6d1d7b5896c185874a5f @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Sep 12 13:39:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 80C1D16F16 + for ; Thu, 12 Sep 2002 13:39:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C1DeC11612 for ; + Thu, 12 Sep 2002 02:13:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B90D329417A; Wed, 11 Sep 2002 18:10:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4E7B529409A for ; Wed, + 11 Sep 2002 18:09:16 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id AAE1C3ECD9; + Wed, 11 Sep 2002 21:15:53 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id A98703EBCC for ; Wed, + 11 Sep 2002 21:15:53 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Bush blew take two +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 21:15:53 -0400 (EDT) +X-Spam-Status: No, hits=-4.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +http://www.washingtonpost.com/wp-dyn/articles/A63543-2002Sep10.html + +"MIAMI, Sept. 10 -- A two-gram rock of crack +cocaine was found inside the shoe of Florida +Gov. Jeb Bush's 25-year-old daughter by workers +at the central Florida rehabilitation center +where she is undergoing court-ordered drug +treatment, Orlando police said today. + +Noelle Bush was not arrested because witnesses +would not give sworn statements, but the +incident is under investigation, according to +Orlando police spokesman Orlando Rolon." + +Wow, the witnesses would not nark of a Bush girl in an era where there are +no mare restrictions on being held without a cause? + +Imagine that... + +-tom + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0624.8461f3c63dd4843912d9f4807e7d68ad b/machine-learning-ex6/ex6/easy_ham/0624.8461f3c63dd4843912d9f4807e7d68ad new file mode 100644 index 0000000..7982796 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0624.8461f3c63dd4843912d9f4807e7d68ad @@ -0,0 +1,101 @@ +From fork-admin@xent.com Thu Sep 12 13:39:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 23FC716F03 + for ; Thu, 12 Sep 2002 13:39:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C1ZvC12173 for ; + Thu, 12 Sep 2002 02:36:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9EE5A294172; Wed, 11 Sep 2002 18:32:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 9564429409A for ; + Wed, 11 Sep 2002 18:31:20 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17pIrX-0000gf-00; Wed, 11 Sep 2002 21:33:43 -0400 +From: "Geege Schuman" +To: "Tom" , +Subject: RE: Bush blew take two +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 21:32:23 -0400 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +yeshterday we f*cked up our gubernatorial election, too. results to be +contested by reno. same six districts that were sued in 2000 still came up +gimpy. + +i suggested to jeb via e-mail we hold a run-off pinata party. hoist up a +papier mache donkey and a papier mache elephant. first one to batted open +wins. + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Tom +Sent: Wednesday, September 11, 2002 9:16 PM +To: fork@example.com +Subject: Bush blew take two + + +http://www.washingtonpost.com/wp-dyn/articles/A63543-2002Sep10.html + +"MIAMI, Sept. 10 -- A two-gram rock of crack +cocaine was found inside the shoe of Florida +Gov. Jeb Bush's 25-year-old daughter by workers +at the central Florida rehabilitation center +where she is undergoing court-ordered drug +treatment, Orlando police said today. + +Noelle Bush was not arrested because witnesses +would not give sworn statements, but the +incident is under investigation, according to +Orlando police spokesman Orlando Rolon." + +Wow, the witnesses would not nark of a Bush girl in an era where there are +no mare restrictions on being held without a cause? + +Imagine that... + +-tom + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0625.42179d43c513cf5c4e9d9ef00e9235a1 b/machine-learning-ex6/ex6/easy_ham/0625.42179d43c513cf5c4e9d9ef00e9235a1 new file mode 100644 index 0000000..e5f2c03 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0625.42179d43c513cf5c4e9d9ef00e9235a1 @@ -0,0 +1,114 @@ +From fork-admin@xent.com Thu Sep 12 13:39:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D634316F03 + for ; Thu, 12 Sep 2002 13:39:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C1iOC12414 for ; + Thu, 12 Sep 2002 02:44:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 258C92941F0; Wed, 11 Sep 2002 18:38:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id B91BF29409A for ; + Wed, 11 Sep 2002 18:37:54 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17pIy5-00013u-00 for fork@xent.com; Wed, 11 Sep 2002 21:40:29 -0400 +From: "Geege Schuman" +To: +Subject: FW: Bush blew take two +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 21:39:08 -0400 +X-Spam-Status: No, hits=-5.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,OUTLOOK_FW_MSG,SPAM_PHRASE_00_01, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +meant "gubernatorial PRIMARY." + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Geege +Schuman +Sent: Wednesday, September 11, 2002 9:32 PM +To: Tom; fork@example.com +Subject: RE: Bush blew take two + + +yeshterday we f*cked up our gubernatorial election, too. results to be +contested by reno. same six districts that were sued in 2000 still came up +gimpy. + +i suggested to jeb via e-mail we hold a run-off pinata party. hoist up a +papier mache donkey and a papier mache elephant. first one to batted open +wins. + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Tom +Sent: Wednesday, September 11, 2002 9:16 PM +To: fork@example.com +Subject: Bush blew take two + + +http://www.washingtonpost.com/wp-dyn/articles/A63543-2002Sep10.html + +"MIAMI, Sept. 10 -- A two-gram rock of crack +cocaine was found inside the shoe of Florida +Gov. Jeb Bush's 25-year-old daughter by workers +at the central Florida rehabilitation center +where she is undergoing court-ordered drug +treatment, Orlando police said today. + +Noelle Bush was not arrested because witnesses +would not give sworn statements, but the +incident is under investigation, according to +Orlando police spokesman Orlando Rolon." + +Wow, the witnesses would not nark of a Bush girl in an era where there are +no mare restrictions on being held without a cause? + +Imagine that... + +-tom + + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0626.190b1e937ba59bffd08f6acaee61417d b/machine-learning-ex6/ex6/easy_ham/0626.190b1e937ba59bffd08f6acaee61417d new file mode 100644 index 0000000..c0efe69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0626.190b1e937ba59bffd08f6acaee61417d @@ -0,0 +1,56 @@ +From fork-admin@xent.com Thu Sep 12 13:39:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9E08D16F03 + for ; Thu, 12 Sep 2002 13:39:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C5fKC18851 for ; + Thu, 12 Sep 2002 06:41:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4D14C2940A2; Wed, 11 Sep 2002 22:38:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id B17D929409A for ; Wed, + 11 Sep 2002 22:37:19 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id A03FA3ED82; + Thu, 12 Sep 2002 01:43:58 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 9EBB53ECE4 for ; Thu, + 12 Sep 2002 01:43:58 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Something for the person who has everything +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 01:43:58 -0400 (EDT) +X-Spam-Status: No, hits=-4.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Interesting ebay item......(and no it wasnt me even though the spellingis +oddly familar) + +http://cgi.ebay.com/aw-cgi/eBayISAPI.dll?MfcISAPICommand=ViewItem&item=1764085998 + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0627.c9ad8730dad7bda1e1169ee00c4006fc b/machine-learning-ex6/ex6/easy_ham/0627.c9ad8730dad7bda1e1169ee00c4006fc new file mode 100644 index 0000000..7d4bfb9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0627.c9ad8730dad7bda1e1169ee00c4006fc @@ -0,0 +1,874 @@ +From fork-admin@xent.com Thu Sep 12 13:39:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1551816F03 + for ; Thu, 12 Sep 2002 13:39:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 13:39:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8C9BtC24644 for ; + Thu, 12 Sep 2002 10:12:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D667E2940B0; Thu, 12 Sep 2002 02:08:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id 1846129409A; Thu, 12 Sep 2002 02:07:52 + -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g8C9AnSV012069; Thu, 12 Sep 2002 02:10:49 + -0700 (PDT) +Subject: CBS News' interview w/Bush & reconstruction of his peregrinations +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Rohit Khare +To: fork@example.com +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 01:14:22 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8C9BtC24644 +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=AWL,BALANCE_FOR_LONG_20K,BALANCE_FOR_LONG_40K, + DEAR_SOMEBODY,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + SUBJECT_IS_NEWS,USER_AGENT_APPLEMAIL,YOU_WON + version=2.50-cvs +X-Spam-Level: + + +"60 Minutes II" Bush Interview: + +(CBS) No president since Abraham Lincoln has seen such horrific loss of +life in a war on American soil. No president since James Madison, nearly +200 years ago, has seen the nation’s capital city successfully attacked. +But, one year ago, President George W. Bush was thrown into the first +great crisis of the 21st century. + +This is the president’s story of September 11th and the week America +went to war. 60 Minutes II spent two hours with Mr. Bush, one, on Air +Force One and another in the Oval Office last week. Even after a year, +the president is still moved, sometimes to the point of tears, when he +remembers Sept. 11. + +“I knew, the farther we get away from Sept.11, the more likely it is for +some around the world to forget the mission, but not me,” Mr. Bush says +during the Air Force One interview. “Not me. I made the pledge to myself +and to people that I’m not going to forget what happened on Sept. 11. So +long as I’m president, we will pursue the killers and bring them to +justice. We owe that to those who have lost their lives.” + +The memories come back sharp and clear on Air Force One, where Pelley +joined the president for a recent trip across country. 60 Minutes II +wanted to talk to him there because that is where he spent the first +hours after the attack. + +Not since Lyndon Johnson was sworn in on Air Force One has the airplane +been so central to America in a crisis. + +For President Bush, Sept. 11 2001, started with the usual routine. +Before dawn, the president was on his four-mile run. It was just before +6 a.m. and, at the same moment, another man was on the move: Mohammad +Atta. Two hours later, as Mr. Bush drove to an elementary school, +hijackers on four planes were murdering the flight crews and turning the +airliners east. As the motorcade neared the school at 8:45 a.m., jet +engines echoed in Manhattan. + +Atta plunged the 767 jumbo jet into World Trade Center Tower One. + +“I thought it was an accident,” says Mr. Bush. “I thought it was a pilot +error. I thought that some foolish soul had gotten lost and - and made a +terrible mistake.” + +Mr. Bush was told about the first plane just before sitting down with a +class of second graders. He was watching a reading drill when, just +after nine, United Flight 175 exploded into the second tower. There was +the sudden realization that what had seemed like a terrible mistake was +a coordinated attack. + +Back in the Florida classroom, press secretary Ari Fleischer got the +news on his pager. The president’s chief-of-staff, Andy Card stepped in. + +“A second plane hit the second tower; America is under attack,” Card +told the president + +When he said those words, what did he see in the President’s face? + +“I saw him coming to recognition of what I had said,” Card recalls. “I +think he understood that he was going to have to take command as +commander-in-chief, not just as president.” + +What was going through Bush’s mind when he heard the news? + +“We’re at war and somebody has dared attack us and we’re going to do +something about it,” Mr. Bush recalls. “I realized I was in a unique +setting to receive a message that somebody attacked us, and I was +looking at these little children and all of the sudden we were at war. I +can remember noticing the press pool and the press corps beginning to +get the calls and seeing the look on their face. And it became evident +that we were, you know, that the world had changed.” + +Mr. Bush walked into a classroom set up with a secure phone. He called +the vice president, pulling the phone cord tight as he spun to see the +attack on TV. Then he grabbed a legal pad and quickly wrote his first +words to the nation. + +"Ladies and gentlemen, this is a difficult moment for America,” he said +in the speech. “Today, we’ve had a national tragedy.” + +It was 9:30 a.m. As he spoke, Mr. Bush didn’t know that two more +hijacked jets were streaking toward Washington. Vice Pesident Dick +Cheney was in his office at the White House when a Secret Service agent +ran in. + +“He said to me, ‘Sir, we have to leave immediately’ and grabbed, put a +hand on my belt, another hand on my shoulder and propelled me out the +door of my office,” Cheney recalls. “I’m not sure how they do it, but +they sort of levitate you down the hallway, you move very fast.” + +“There wasn’t a lot of time for chitchat, you know, with the vice +president,” says Secret Service Director Brian Stafford, who was in his +command center ordering the round-up of top officials and the First +Family. He felt that he had only minutes to work with. “We knew there +were unidentified planes tracking in our direction,” he says. + +Cheney was rushed deep under the White House into a bunker called the +Presidential Emergency Operations Center. It was built for war, and this +was it. On her way down, National Security Advisor Condoleezza Rice +called Mr. Bush. + +“It was brief because I was being pushed to get off the phone and get +out of the West Wing,” says Rice. “They were hurrying me off the phone +with the president and I just said, he said, ‘I’m coming back’ and we +said ‘Mr. President that may not be wise.’ I remember stopping briefly +to call my family, my aunt and uncle in Alabama and say, ‘I’m fine. You +have to tell everybody that I’m fine’ but then settling into trying to +deal with the enormity of that moment, and in the first few hours, I +think the thing that was on everybody’s mind was how many more planes +are coming.” + +The Capitol was evacuated. And for the first time ever, the Secret +Service executed the emergency plan to ensure the presidential line of +succession. Agents swept up the 15 officials who stood to become +president if the others were killed. They wanted to move Vice President +Cheney, fearing he was in danger even in the bunker. But Cheney says +when he heard the other officials were safe, he decided to stay at the +White House, no matter what. + +“It’s important to emphasize it's not personal, you don’t think of it in +personal terms, you’ve got a professional job to do,” says Cheney. + +Cheney was joined by transportation secretary Norm Mineta who remembers +hearing the FAA counting down the hijacked jets closing in on the +capital. + +Says Mineta: “Someone came in and said ‘Mr. Vice president there’s a +plane 50 miles out,’ then he came in and said ‘Its now 10 miles out, we +don’t know where it is exactly, but it’s coming in low and fast.’” + +It was American Flight 77. At 9:38 a.m., it exploded into the Pentagon, +the first successful attack on Washington since the War of 1812. + +As the Pentagon burned, Mr. Bush’s limousine sped toward Air Force One +in Florida. At that moment, United Flight 93 - the last hijacked plane - +was taking dead aim at Washington. At the White House, the staff was in +the West Wing cafeteria, watching on TV. Press Secretary Jennifer +Millerwise was in the crowd when the order came to evacuate. + +“I no sooner walked outside when someone from the Secret Service yelled +‘Women drop your heels and run, drop your heels and run,’ and suddenly +the gates that never open except for authorized vehicles just opened and +the whole White House just flooded out,” she recalls. + +In Florida, as Mr. Bush boarded Air Force One, he was overheard telling +a Secret Service agent “Be sure to get the First Lady and my daughters +protected.” At 9:57 a.m., Air Force One thundered down the runway, +blasting smoke and dust in a full -hrust take off. Communications +Director Dan Bartlett was on board. + +“It was like a rocket,” he remembers. “For a good ten minutes, the plane +was going almost straight up.” + +At the same moment, 56 minutes after it was hit, World Trade Center +Tower Two began to falter, then cascade in an incomprehensible avalanche +of steel, concrete and human lives. + +“Someone said to me, ‘Look at that’ I remember that, ‘Look at that’ and +I looked up and I saw and I just remember a cloud of dust and smoke and +the horror of that moment,” recalls Rice of the TV newscast. + +She also felt something in her gut: “That we’ve lost a lot of Americans +and that eventually we would get these people. I felt the anger. Of +course I felt the anger.” + +Down in the bunker, Cheney was trying to figure out how many hijacked +planes there were. Officials feared there could be as many as 11. + +As the planes track toward Washington, a discussion begins about whether +to shoot them down. “I discussed it with the president,” Cheney +recalls. “‘Are we prepared to order our aircraft to shoot down these +airliners that have been hijacked?’ He said yes.” + +“It was my advice. It was his decision,” says Cheney. + +“That’s a sobering moment to order your own combat aircraft to shoot +down your own civilian aircraft,” says Bush. “But it was an easy +decision to make given the – given the fact that we had learned that a +commercial aircraft was being used as a weapon. I say easy decision, it +was, I didn’t hesitate, let me put it that way. I knew what had to be +done.” + +The passengers on United Flight 93 also knew what had to be done. They +fought for control and sacrificed themselves in a Pennsylvania meadow. +The flight was 15 minutes from Washington. + +“Clearly, the terrorists were trying to take out as many symbols of +government as they could: the Pentagon, perhaps the Capitol, perhaps the +White House. These people saved us not only physically but they saved us +psychologically and symbolically in a very important way, too,” says +Rice. + +Meanwhile, Tower One was weakening. It had stood for an hour and 43 +minutes. At 10:29 a.m., it buckled in a mirror image of the collapse of +its twin. + +The image that went round the world reached the First Lady in a secure +location somewhere in Washington. “I was horrified,” she says. “I +thought, ‘Dear God, protect as many citizens as you can.’ It was a +nightmare.” + +By 10:30 a.m., America’s largest city was devastated, its military +headquarters were burning. Air force One turned west along the Gulf +Coast. + +“I can remember sitting right here in this office thinking about the +consequences of what had taken place and realizing it was the defining +moment in the history of the United States,” says President Bush. “I +didn’t need any legal briefs, I didn’t need any consultations, I knew we +were at war.” + +Mr. Bush says the first hours were frustrating. He watched the +horrifying pictures, but the TV signal was breaking up. His calls to +Cheney were cutting out. Mr. Bush says he pounded his desk shouting, +“This is inexcusable; get me the vice president.” + +“I was trying to clear the fog of war, and there is a fog of war, says +the president. "Information was just flying from all directions.” + +Chief of staff Card brought in the reports. There was word Camp David +had been hit. A jet was thought to be targeting Mr. Bush’s ranch. + +“I remember hearing that the State Department might have been hit, or +that the White House had a fire in it. So we were hearing lots of +different information,” says Card. + +They also feared that Air Force One itself was a target. Cheney told the +president there was a credible threat against the plane. Using the code +name for Air Force One, Mr. Bush told an aide, “Angel is next.” The +threat was passed to presidential pilot Colonel Mark Tillman. + +“It was serious before that but now it is -no longer is it a time to get +the president home,” Tillman says. “We actually have to consider +everything we say, everything we do could be intercepted, and we have to +make sure that no one knows what our position is.” + +Tillman asked for an armed guard at his cockpit door while Secret +Service agents double-checked the identity of everyone on board. The +crew reviewed the emergency evacuation plan. Then came a warning from +air traffic control – a suspect airliner was dead ahead. + +“Coming out of Sarasota there was one call that said there was an +airliner off our nose that they did not have contact with,” Tillman +remembers. + +Tillman took evasive action, pulling his plane high above normal +traffic. They were on course for Washington, but by now no one thought +that was a good idea, except the president. + +“I wanted to come back to Washington, but the circumstances were such +that it was just impossible for the Secret Service or the national +security team to clear the way for Air Force One to come back,” says +Bush. + +So Air Force One set course for an underground command center in +Nebraska. Back in Washington, the president’s closest advisor, Karen +Hughes, heard about the threat to the plane and placed a call to Mr. +Bush. + +“And the military operator came back to me and in a voice that, to me, +sounded very shaken said, ‘Ma’am, I’m sorry, we can’t reach Air Force +One.’” Hughes recalls. Hughes was out of the White House during the +attacks. When she came back, it was a place she didn’t recognize. + +“There were either military, or maybe Secret Service, dressed all in +black, holding machine guns as, as we drove up. And I never expected to +see something like that in, in our nation's capital,” says Hughes. + +When she walked into the White House, no one was inside. “I knew it was +a day that you didn't want to surprise anybody, and so I yelled, +‘Hello?’ and two, again, kind of SWAT team members came running, running +through the, the hall with, again, guns drawn, and then took me to, to +the location where I met the vice president.” + +On Air Force One, Col. Tillman had a problem. He needed to hide the most +visible plane in the world, a 747 longer than the White House itself. He +didn’t want to use his radio, because the hijackers could be listening +to air traffic control. So he called air traffic control on the +telephone. + +“We actually didn't tell them our destination or what directions we were +heading,” says Tillman. “We, we basically just talked to 'em and said, +'OK, fine, we have no clearance at this time, we are just going to fly +across the United States.'” + +Controllers passed Air Force One from one sector to another, warning +each other to keep the route secret. + +“OK, where’s he going?” one tower radioed to another. + +“Just watch him,” a second tower responded. “Don’t question him where’s +he's going. Just work him and watch him, there’s no flight plan in and +we’re not going to put anything in. Ok, sir?” + +Air Force One ordered a fighter escort, and air traffic control radioed +back: “Air Force One, got two F-16s at about your 10 o’clock position.” + +“The staff, and the president and us, were filed out along the outside +hallway of his presidential cabin there and looking out the windows,” +says Bartlett. “And the president gives them a signal of salute, and the +pilot kind of tips his wing, and fades off and backs into formation.” + +The men in the F-16s were Shane Brotherton and Randy Roberts, from the +Texas Air National Guard. Their mission was so secret their commander +wouldn’t tell them where they were going. + +“He just said, 'You’ll know when you see it,' and that was my first +clue, I didn’t have any idea what we were going up until that point,” +says Brotherton. He knew when he saw it. + +“We, we were trying to keep an 80-mile bubble, bubble around Air Force +One, and we'd investigate anything that was within 80 miles,” says +Roberts. + +Bush says he was not worried about the safety of the people on this +aircraft, or for his own safety: “I looked out the airplane and saw two +F-16s on each wing. It was going to have to be a pretty good pilot to +get us.” + +We now know that the threat to Air Force One was part of the fog of war, +a false alarm. But it had a powerful effect at the time. Some wondered, +with the president out of sight, was he still running the government? He +hadn’t appeared after the attack on Washington. Mr. Bush was clearly +worried about it. At one point he was overheard saying, “The American +people want to know where their dang president is.” The staff considered +an address to the nation by phone but instead Mr. Bush ordered Air Force +One to land somewhere within 30 minutes so he could appear on TV. At +11:45 a.m., they landed at Barksdale Air Force Base in Louisiana. + +“The resolve of our great nation is being tested. But make no mistake, +we will show the world that we will pass this test. God bless,” Bush +said to the nation from Barksdale. + +At Barksdale, the Secret Service believed the situation in Washington +was still unsafe. So the plane continued on to Nebraska, to the command +center where Mr. Bush would be secure and have all the communications +gear he needed to run the government. Aboard Air Force One, Mr. Bush had +a job for press secretary Fleischer. + +“The president asked me to make sure that I took down everything that +was said. I think he wanted to make certain that a record existed,” says +Fleischer + +Fleischer’s notes capture Mr. Bush’s language, plain and unguarded. To +the vice president he said: “We’re at war, Dick, we’re going to find out +who did this and kick their ass.” Another time, Mr. Bush said, “We’re +not going to have any slap-on-the-wrist crap this time.” + +The President adds, “I can remember telling the Secretary of Defense, I +said, ‘We’re going to find out who did this and then Mr. Secretary, you +and Dick Myers,’ who we just named as chairman of the joint chiefs, ‘are +going to go get them.’” + +By 3 p.m., Air Force One touched down at Offutt Air Force Base in +Nebraska. Mr. Bush and his team were herded into a small brick hut that +gave no hint of what they would find below. + +At the bottom of the stairs was the U.S. Strategic Command Underground +Command Center. It was built to transmit a president’s order to go to +nuclear war. But when Mr. Bush walked in, the battle staff was watching +the skies over the United States. Many airplanes had still not landed. +After a short briefing, Mr. Bush and Card were taken to a teleconference +center which connected them to the White House, the Pentagon, the FBI +and the CIA. Mr. Bush had a question for his CIA Director George Tenent. + +According to Rice, Bush asked Tenent who had done this. Rice recalls +that Tenent answered: “Sir, I believe its al Qaeda. We’re doing the +assessment but it looks like, it feels like, it smells like al Qaeda.” + +The evidence would build. FBI Director Robert Mueller says that an +essential clue came from one of the hijacked planes before it crashed. + +A flight attendant on American Flight 11, Amy Sweeney, had the presence +of mind to call her office as the plane was hijacked and give them the +seat numbers of the hijackers. “That was the first piece of hard +evidence. We could then go to the manifest, find out who was sitting in +those seats and immediately conduct an investigation of those +individuals, as opposed to taking all the passengers on the plane and +going through a process of elimination,” says Mueller. + +In Nebraska, the White House staff was preparing for an address to the +nation from the Air Force bunker, but by then the president had had +enough. He decided to come back. + +“At one point, he said he didn’t want any tinhorn terrorist keeping him +out of Washington,” Fleischer says. “That verbatim.” + +On board, he was already thinking of issuing an ultimatum to the world: +“I had time to think and a couple of thoughts emerged. One was that +you're guilty if you harbor a terrorist, because I knew these terrorists +like al-Qaeda liked to prey on weak government and weak people. The +other thought that came was the opportunity to fashion a vast coalition +of countries that would either be with us or with the terrorists.” + +As Air Force One sped east, the last casualty of the attack on America +collapsed, one of the nation’s worst days wore into evening. At the +World Trade Center, 2,801 were killed; at the Pentagon, 184; and in +Pennsylvania 40. Altogether, there were 3,025 dead. + +“Anybody who would attack America the way they did, anybody who would +take innocent life the way they did, anybody who's so devious, is evil,” +Bush said recently. + +Mr. Bush would soon see that evil face to face. After arriving in +Washington, he boarded his helicopter and flew past the Pentagon on the +way to the White House. + +Was there a time when he was afraid that there might not be a White +House to return to? “I don’t remember thinking about whether or not the +White House would have been obliterated," he recalls. "I think I might +have thought they took their best shot, and now it was time for us to +take our best shot.” + +Mr. Bush arrived back at the White House nine hours after the attacks. +His next step was an address to the nation. Karen Hughes and her staff +were already working on the speech. + +“He decided that the primary tone he wanted to strike that night was +reassurance,” remembers Hughes. “We had to show resolve, we had to +reassure people, we had to let them know that we would be OK.” + +Just off the Oval Office, Mr. Bush added the words that would become +known as the Bush Doctrine - no distinction between terrorists and those +who harbor them. The staff wanted to add a declaration of war but Mr. +Bush didn’t think the American people wanted to hear it that night and +he was emphatic about that. + +He prepared to say it from the same desk where Franklin Roosevelt first +heard the news of Pearl Harbor. Now Bush was commander in chief. Eighty +million Americans were watching. + +“Today our fellow citizens, our way of life, our very freedom came under +attack in a series of deliberate and deadly terrorist acts,” he said +from the Oval Office that night. + +The Oval Office speech came at the end of the bloodiest day in American +history since the Civil War. Before he walked to the White House +residence for the night, Mr. Bush dictated these words for the White +House daily log: “The Pearl Harbor of the 21st century took place today. +We think it's Osama bin Laden.” + +(CBS) When Sept. 12 dawned, President Bush was demanding a war plan. No +one in the White House or the Pentagon could be sure of what the +president would do. In office for just eight months, he’d never been +tested as commander-in-chief. + +“I never asked them what they thought,” President Bush said of the +Pentagon brass, “because I didn’t really – because I knew what I was +gonna do. I knew exactly what had to be done, Scott. And that was to set +a strategy to seek justice. Find out who did it, hunt them down and +bring them to justice.” + +In the cabinet room, the president made clear what was next: “The +deliberate and deadly attacks which were carried out yesterday against +our country were more than acts of terror, they were acts of war,” he +said. + +To the war cabinet, al Qaeda was no surprise. National Security Advisor +Condoleezza Rice says the administration had been at work on a plan to +strike bin Laden’s organization well before Sept. 11. + +“The president said, ‘You know I’m tired of swatting at flies, I need a +strategy to eliminate these guys,’” Rice recalls. + +In one of the worst intelligence failures ever, the CIA and FBI didn’t +pick up clues that an attack in the United States was imminent. Without +a sense of urgency, the White House strategy the president had asked for +came too late. + +Chief of Staff Andrew Card recalls that the plan Mr. Bush had asked for +was “literally headed to the president’s desk, I think, on the eleventh, +tenth or eleventh, of September.” + +On Sept. 12, the war cabinet was debating the full range of options - +who to hit and how to hit them. There were some at the Pentagon who +worried in the early hours that Mr. Bush would order up an immediate +cruise missile strike, of the kind that had not deterred bin Laden in +the past. + +“Well, there’s a lot of nervous Nellies at the Pentagon, anyway,” Mr. +Bush tells Pelley. “A lot of people like to chatter, you know, more than +they should. But no, I appreciate that very much. Secretary of Defense +(Donald) Rumsfeld early on discussed the idea of making sure we had what +we called ‘boots on the ground.’ That if you’re gonna go to war, then +you’ve gotta go to war with all your assets.” + +The president says he wanted to “fight and win a guerilla war with +conventional means.” + +It was an innovative but risky idea being proposed by CIA Director +George Tenent. Tenent wanted to combine American technology and +intelligence with the brute force of Afghan fighters hostile to the +Taliban government. + +Secretary of State Colin Powell, noting that the CIA had already +developed a long relationship with the Afghan resistance, called it an +unconventional solution to an unconventional problem. + +“As I like to describe it to my friends,” Powell says, “we had on the +ground a Fourth World army riding horses and living in tents with some +CIA and special forces with them and we had a First World air force, the +best in the world. How do you connect it all?” + +The president gave them 48 hours to figure it out. + +Meanwhile, Mr. Bush went to the battlefield himself. Just the day +before, he had called the Pentagon the “mightiest building in the +world.” Now one-fifth of it was in ruins. The wreckage of American +Flight 77 was being examined by Navy investigators. And before Mr. Bush +left, he made a point of speaking personally with the team recovering +the remains of the first casualties of war on his watch. +The next day, Sept. 13, there was another warning of attack that the +public never heard about. Threats had been were coming in constantly but +this one sounded credible: a large truck bomb headed to the White House. +The Secret Service wanted the president back in the bunker. + +“He wasn’t real receptive to that, to that recommendation,” remembers +Brian Stafford, director of the Secret Service. “And he ordered a +hamburger and said he was going to stay in the White House that evening +and that’s what he did.” + +The next day, would be one of the longest and the most difficult for the +president. On Friday, Sept. 14, Mr. Bush started the day with a cabinet +meeting, but he wept when he walked in and was surprised by applause. + +“He sat down, slightly overcome, for a moment but he recaptured it,” +says Powell who remembers being worried that the president might have +trouble getting through his speech at the national memorial service +later that morning. + +“And I just scribbled a little note to him,” Powell recalls, “and I +said, ‘Mr. President, I’ve learned over the years when you are going to +give a very emotional speech, watch out for certain words that will +cause you to start to tear up.’ He looked at me and he smiled and then +at the next break in the conversation he said, ‘The Secretary of State +told me not to break down at the memorial service,’ and that broke the +tension and everybody started laughing and I felt embarrassed.” + +First Lady Laura Bush was involved in planning the memorial service and +she says she wanted it to be both dignified and comforting. “I wanted +the Psalms and everything to be read to be comforting, because I think +we were a country, that needed, everyone of us, needed comforting.” + +It also stirred the mourners’ resolve, as Rice remember. “As we stood to +sing the Battle Hymn of the Republic,” she says, “you could feel the +entire congregation and I could certainly feel myself stiffen, the kind +of spine, and this deep sadness was being replaced by resolve. + +“We all felt that we still had mourning to do for our countrymen who had +been lost but that we also had a new purpose in not just avenging what +had happened to them but making certain that the world was eventually +going to be safe from this kind of attack ever again.” + +Next came a visit to ground zero. The president was not prepared for +what he encountered there. + +“You couldn’t brief me, you couldn’t brief anybody on ground zero until +you saw it," Mr. Bush says. “It was like – it was ghostly. Like you’re +having a bad dream and you’re walking through the dream.” + +The president found the scene very powerful, particularly when the men +and women at ground zero began to chant, “USA! USA!.” + +“There was a lot of bloodlust,” the president recalls. “People were, you +know, pointing their big old hands at me saying, ‘Don’t you ever forget +this, Mr. President. Don’t let us down.’ The scene was very powerful. +Very powerful.” + +When Mr. Bush tried to speak, the crowd kept shouting, “We can’t hear +you.” + +The president responded, “I can hear you. I can hear you. The rest of +the world hears you. And the people who knocked these buildings down +will hear all of us soon.” + +Mr. Bush had been in New York just a few weeks before; he’d posed with +the firemen who always stood by whenever the president’s helicopter +landed there. Now, five of the men who stood with the president in the +picture were dead – lost at ground zero. + +When the president arrived Sept. 14, Manhattan was papered with the +faces of the lost. Families, unable to believe that so many had vanished +in an instant, held onto the hope that their loved ones were just +missing. It was a place where a child comforted a grieving mother. + +At a meeting the public never saw, the president spoke with several +hundred of these families in a convention hall. + +“People said to me, ‘He’ll come out. Don’t worry, Mr. president, we’ll +see him soon. I know my loved one, he will - he’ll find a place to +survive underneath the rubble and we’ll get him out.’ I, on the other +hand had been briefed about the realities, and my job was to hug and +cry, but I remember the whole time thinking, ‘This is incredibly sad +because the loved ones won’t come out.’” + +One little boy handed the president a picture of his father in his +firefighter uniform and as he signed it, Mr. Bush remembers, he told the +boy, “Your daddy won’t believe that I was here, so you show him that +autograph.” + +It was an effort “to provide a little hope,” the president recalls. “I +still get emotional thinking about it because we’re dealing with people +who loved their dads or loved their mom, or loved their…wives who loved +their husbands. It was a tough time, you know, it was a tough time for +all of us because we were a very emotional, and I was emotional at +times. I felt, I felt the same now as I did then, which is sad. And I +still feel sad for those who grieve for their families, but through my +tears, I see opportunity.” + +The president was supposed to be with the families for about 30 minutes; +he stayed for two and a half hours. It was there he met Arlene Howard. +The body of her son, George, was among the first to be found at ground +zero. + +“I called the police department,” Howard remembers, “ and they said he +hadn’t called in for roll call and to call back in an hour and I said, +‘No, I don’t need to call back.’ If he hadn’t called in, I knew where he +was.” + +George Howard had rescued children trapped in an elevator back in 1993 +when the World Trade Center was bombed. He had been off duty that day, +and he was off duty on Sept. 11, but couldn’t stay away. The police +department gave his badge to his mother and she gave it to the president. + +“He (the president) he leaned over to talk to me,” Howard recalls. “And +he extends his sympathy to me and that’s when I asked him I’d like to +present George’s shield to him in honor of all the men and women who +were killed over there.” + +By the end of that day, Mr. Bush flew to Camp David visibly drained. + +“He was physically exhausted, he was mentally exhausted, he was +emotionally exhausted, he was spiritually exhausted,” recalls Card.. + +The next day – Saturday, Sept. 15 - Mr. Bush met members of his war +cabinet at the presidential retreat for a last decisive meeting. + +“My message is for everybody who wears the uniform – get ready. The +United States will do what it takes,” Mr. Bush told them. + +As Powell remembers it, “He was encouraging us to think boldly. He was +listening to all ideas; he was not constrained to any one idea; he +wanted to hear his advisors talk and argue and debate with each other.” + +President Bush was pleased with the progress that had been made. “On the +other hand,” he says, “I wanted to clarify plans and I went around the +room and I asked everybody what they thought ought to happen.” + +When he left that meeting on Saturday night, he still had not told the +cabinet what he was planning. + +“I wanted to just think it through,” Mr. Bush remembers. “Any time you +commit troops to harm’s way, a president must make sure that he fully +understands all the consequences and ramifications. And I wanted to just +spend some time on it alone. And did.” + +What were his reservations? + +Mr. Bush says, “Could we win? I didn’t want to be putting our troops in +there unless I was certain we could win. And I was certain we could win.” + +Nine days after the attacks on America, before a joint session of +Congress the president committed the nation to the war on terror. + +“Each of us will remember what happened that day and to whom it +happened,” Mr. Bush told the Congress and the nation. “We’ll remember +the moment the news came, where we were and what we were doing. Some +will remember an image of a fire or a story of rescue. Some will carry +memories of a face and a voice gone forever. And I will carry this. It +is the police shield of a man named George Howard, who died at the World +Trade Center trying to save others. It was given to me by his mom, +Arlene, as a proud memorial to her son. It is my reminder of lives that +ended and a task that does not end.” + +A year has passed since then, but the president says his job is still to +remind Americans of what happened and of the war that is still being +waged, a war he reminds himself of every day in the Oval Office, +literally keeping score, one terrorist at a time. + +In his desk, the president says, “I have a classified document that +might have some pictures on there, just to keep reminding me about who’s +out there, where they might be” + +And as the terrorists are captures or killed? “I might make a little +check there, yeah,” Mr. Bush admits. + +But there is no check by the name that must be on the top of that list – +Osama bin Laden. + +(CBS) A lot has happened in the year since Sept. 11. One year ago, the +president was new on the job, with little experience in foreign policy. +He had wanted to pull the military back from foreign entanglements. Now, +on his orders, U.S. forces are engaged around the globe in a war he did +not expect, in a world completely changed. In the Oval Office last week, +CBS News Correspondent Scott Pelley asked the president about Iraq, +about whether Americans are safe at home and about Osama bin Laden. +------------------------------------------------------------------------ + + +Scott Pelley: You must be frustrated, maybe angry. After a year, we +still don’t have Osama Bin Laden? + +President Bush: How do you know that? I don’t know whether Osama bin +Laden is dead or alive. I don’t know that. He’s not leading a lot of +parades. And he’s not nearly the hero that a lot of people thought he +was. This is much bigger than one person anyway. This is — we’re slowly +but surely dismantling and disrupting the al Qaeda network that, that +hates America. And we will stay on task until we complete the task. I +always knew this was a different kind of war, Scott. See, in the old +days, you measure the size and the strength of the enemy by counting his +tanks or his airplanes and his ships. This is an international manhunt. +We’re after these people one at the time. They’re killers. Period. + +Pelley: But have you won the war before you find Osama bin Laden dead or +alive? + +Mr. Bush: If he were dead, there’s somebody else to replace him. And we +would find that person. But slowly but surely, we will dismantle the al +Qaeda network. And those who sponsor them and those who harbor them. And +at the same time, hopefully lay the seeds for, the conditions necessary +so that people don’t feel like they’ve got to conduct terror to achieve +objectives. + +Pelley: Do you look back on the Afghan campaign with any doubts? +Certainly, we’ve overthrown the Taliban government. Certainly, al Qaeda +has been scattered. But some of the Taliban leaders appear to have +gotten away. And there have been many civilian casualties as well. + +Mr. Bush: Uh huh. Well, you know, I am sad that civilians lost their +life. But I understand war. We did everything we can to — everything we +could to protect people. When civilians did die, it was because of a +mistake. Certainly not because of intention. We liberated a country for +which I’m extremely proud. No, — I don’t second guess things. It’s — +things never go perfect in a time of war. + +Pelley: Are you committed to ending the rule of Saddam Hussein? + +Mr. Bush: I’m committed to regime change. + +Pelley: There are those who have been vocal in their advice against war +in Iraq. Some of our allies in the Gulf War, Saudi Arabia, Turkey for +example. Even your father’s former national security advisor, Mr. +Scowcroft has written about it in the paper. What is it in your +estimation that they don’t understand about the Iraq question that you +do appreciate? + +Mr. Bush: The policy of the government is regime change, Scott, hasn’t +changed. I get all kinds of advice. I’m listening to the advice. I +appreciate the consultations. And we’ll consult with a lot of people but +our policy hasn’t changed. + +Pelley: On Air Force One you described the terrorists as evil. + +Mr. Bush: Yeah. + +Pelley: I don’t think anyone would disagree with that, but at the same +time, many in the Arab world are angry at the United States for +political reasons because of our policy in Israel or our troops in the +oil region of the Middle East. Is there any change in foreign policy +that you’re considering that might reduce Arab anger against the United +States. + +Mr. Bush: Hmm. Well, I’m working for peace in the Middle East. I’m the +first president that ever went to the United Nations and publicly +declared the need to have a Palestinian state living side-by-side with +Israel in peace. I’ve made it clear that in order for there to be peace +the Palestinians have gotta to get some leadership that renounces terror +and believes in peaces and quits using the Palestinian people as pawns. +I've also made it clear to the other Arab nations in the region that +they’ve got responsibilities. If you want peace they gotta work toward +it. We’re more than willing to work for it, but they have to work for it +as well. But all this business isn’t going to happen as long as a few +are willing to blow up the hopes of many. So we all gotta work to fight +off terror. + +Pelley: Arafat has to go? + +Mr. Bush: Either, he’s, he’s been a complete failure as far as I am +concerned. Utter disappointment. + +Pelley: There has been some concern over the year about civil liberties. + +Mr. Bush: Yeah… + +Pelley: In fact, an appeals court recently was harsh about your +administration’s decision to close certain deportation hearings. They +said, quote, “A government operating in secrecy stands in opposition to +the Constitution.” Where do you draw the line sir? + +Mr. Bush: I draw the line at the Constitution. We will protect America. +But we will do so on, within the guidelines of the Constitution, +confines of the Constitution, spirit of the Constitution. + +Pelley: Is there anything that the Justice Department has brought to you +as an idea that you’ve thought, “No, that’s too far. I don’t wanna go…" + +Mr. Bush: Nah, not that that I remember. And I am pleased with the +Justice Department. I think that Attorney General’s doing a fine job, by +the way...and to the extent that our courts are willing to make sure +that they review decisions we make, I think that’s fine. I mean, that’s +good. It’s healthy. It’s part of America. + +Pelley: Franklin Roosevelt said that America should stand in defense of +four freedoms. Freedom of speech, freedom of religion, freedom from want +and freedom from fear. Do we have that today Mr. President? Freedom from +fear? + +Mr. Bush: I think more than we did, in retrospect. The fact that we are +on alert, the fact that we understand the new circumstances makes us +more free from fear than on that fateful day of September the 11th. +We’ve got more work to do. + +Pelley: And Americans should not live their lives in fear? + +Mr. Bush: I don’t think so. No. I think Americans oughta know their +government’s doing everything possible to help. And obviously if we get +information that relates directly a particular attack we’ll deal with +it. And if we get noise that deals with a general attack, we’ll alert +people. There are a lot of good folks working hard to disrupt and deny +and run down leads. And the American people need to go about their +lives. It seems like they are. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0628.731724cb11140a651d8ad58451ea5c79 b/machine-learning-ex6/ex6/easy_ham/0628.731724cb11140a651d8ad58451ea5c79 new file mode 100644 index 0000000..104bacd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0628.731724cb11140a651d8ad58451ea5c79 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Thu Sep 12 21:21:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 43C7E16F03 + for ; Thu, 12 Sep 2002 21:21:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CJGPC12159 for ; + Thu, 12 Sep 2002 20:16:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D1C992940A6; Thu, 12 Sep 2002 12:13:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm1-38.sba1.netlojix.net + [207.71.218.86]) by xent.com (Postfix) with ESMTP id 7B8A429409A for + ; Thu, 12 Sep 2002 12:12:01 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id MAA07568; + Thu, 12 Sep 2002 12:22:41 -0700 +Message-Id: <200209121922.MAA07568@maltesecat> +To: fork@example.com +Subject: dylsexics of the wrold, untie! +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 12:22:40 -0700 +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +> (and no it wasnt me even though the spellingis +> oddly familar) + +Not that this is news to FoRKs, but: + + + +> ... randomising letters in the middle of words [has] little or no +> effect on the ability of skilled readers to understand the text. This +> is easy to denmtrasote. In a pubiltacion of New Scnieitst you could +> ramdinose all the letetrs, keipeng the first two and last two the same, +> and reibadailty would hadrly be aftcfeed. My ansaylis did not come +> to much beucase the thoery at the time was for shape and senqeuce +> retigcionon. Saberi's work sugsegts we may have some pofrweul palrlael +> prsooscers at work. The resaon for this is suerly that idnetiyfing +> coentnt by paarllel prseocsing speeds up regnicoiton. We only need +> the first and last two letetrs to spot chganes in meniang. + +-Dave + + diff --git a/machine-learning-ex6/ex6/easy_ham/0629.8a0d84ac5694ddcc8474e5a1d55b53d3 b/machine-learning-ex6/ex6/easy_ham/0629.8a0d84ac5694ddcc8474e5a1d55b53d3 new file mode 100644 index 0000000..60e01e9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0629.8a0d84ac5694ddcc8474e5a1d55b53d3 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Thu Sep 12 21:21:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D73B916F03 + for ; Thu, 12 Sep 2002 21:21:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CJZNC12728 for ; + Thu, 12 Sep 2002 20:35:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E7FB02940D4; Thu, 12 Sep 2002 12:32:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id D4B1629409A for ; Thu, + 12 Sep 2002 12:31:22 -0700 (PDT) +Received: (qmail 26030 invoked from network); 12 Sep 2002 19:34:21 -0000 +Received: from adsl-67-119-24-40.dsl.snfc21.pacbell.net (HELO golden) + (67.119.24.40) by relay1.pair.com with SMTP; 12 Sep 2002 19:34:21 -0000 +X-Pair-Authenticated: 67.119.24.40 +Message-Id: <011501c25a93$63a70de0$640a000a@golden> +From: "Gordon Mohr" +To: +References: <200209121922.MAA07568@maltesecat> +Subject: Re: dylsexics of the wrold, untie! +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 12:34:18 -0700 +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=EMAIL_ATTRIBUTION,INVALID_MSGID,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Dave Long writes: +> > (and no it wasnt me even though the spellingis +> > oddly familar) +> +> Not that this is news to FoRKs, but: +> +> +> +> > ... randomising letters in the middle of words [has] little or no +> > effect on the ability of skilled readers to understand the text. This +> > is easy to denmtrasote. In a pubiltacion of New Scnieitst you could +> > ramdinose all the letetrs, keipeng the first two and last two the same, +> > and reibadailty would hadrly be aftcfeed. My ansaylis did not come +> > to much beucase the thoery at the time was for shape and senqeuce +> > retigcionon. Saberi's work sugsegts we may have some pofrweul palrlael +> > prsooscers at work. The resaon for this is suerly that idnetiyfing +> > coentnt by paarllel prseocsing speeds up regnicoiton. We only need +> > the first and last two letetrs to spot chganes in meniang. + +Hmm, there's probably a patentable input-method for +touch-tone keypads in there somewhere. + +- Gordon + + diff --git a/machine-learning-ex6/ex6/easy_ham/0630.fe9381ba8a0b28e57cc0f481d658e0d0 b/machine-learning-ex6/ex6/easy_ham/0630.fe9381ba8a0b28e57cc0f481d658e0d0 new file mode 100644 index 0000000..b7ea8fc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0630.fe9381ba8a0b28e57cc0f481d658e0d0 @@ -0,0 +1,85 @@ +From fork-admin@xent.com Thu Sep 12 21:21:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6BC0416F03 + for ; Thu, 12 Sep 2002 21:21:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CJhOC12964 for ; + Thu, 12 Sep 2002 20:43:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA9402940E9; Thu, 12 Sep 2002 12:40:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id AE5D229409A for ; + Thu, 12 Sep 2002 12:39:34 -0700 (PDT) +Received: (qmail 64339 invoked by uid 19621); 12 Sep 2002 19:41:15 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 12 Sep 2002 19:41:15 -0000 +Subject: Re: dylsexics of the wrold, untie! +From: James Rogers +To: fork@example.com +In-Reply-To: <200209121922.MAA07568@maltesecat> +References: <200209121922.MAA07568@maltesecat> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1031860743.14237.42.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 12 Sep 2002 12:59:03 -0700 +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +On Thu, 2002-09-12 at 12:22, Dave Long wrote: +> +> +> > ... randomising letters in the middle of words [has] little or no +> > effect on the ability of skilled readers to understand the text. This +> > is easy to denmtrasote. In a pubiltacion of New Scnieitst you could +> > ramdinose all the letetrs, keipeng the first two and last two the same, +> > and reibadailty would hadrly be aftcfeed. My ansaylis did not come +> > to much beucase the thoery at the time was for shape and senqeuce +> > retigcionon. Saberi's work sugsegts we may have some pofrweul palrlael +> > prsooscers at work. The resaon for this is suerly that idnetiyfing +> > coentnt by paarllel prseocsing speeds up regnicoiton. We only need +> > the first and last two letetrs to spot chganes in meniang. + + +I'm working with an experimental text recognition/processing engine that +exhibits similar characteristics. It can read right through +misspellings like the above without any difficulty. And as the author +above suggested, the pattern matching is inherently parallel internally. + +If the text recognition algorithm/architecture humans use is anything +like the algorithm/structure we've been working with, the reason the +first letter (and to a lesser extent, the last letter) is important is +that without it the text pattern recognition problem is exponentially +more difficult (from a theoretical standpoint anyway) and has to be +resolved using deeper abstraction analysis. The middle letters are far +less important and computationally much easier to resolve correctly. + +Cheers, + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0631.6a6516bb19c38ae705d06f9518231f49 b/machine-learning-ex6/ex6/easy_ham/0631.6a6516bb19c38ae705d06f9518231f49 new file mode 100644 index 0000000..9a7eb72 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0631.6a6516bb19c38ae705d06f9518231f49 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Thu Sep 12 21:21:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2283616F03 + for ; Thu, 12 Sep 2002 21:21:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CJm8C13051 for ; + Thu, 12 Sep 2002 20:48:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8D1932940F5; Thu, 12 Sep 2002 12:41:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 4C18429409A for ; + Thu, 12 Sep 2002 12:40:02 -0700 (PDT) +Received: (qmail 8253 invoked from network); 12 Sep 2002 19:43:02 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 12 Sep 2002 19:43:02 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 841E21C0A9; + Thu, 12 Sep 2002 15:43:00 -0400 (EDT) +To: Dave Long +Cc: fork@example.com +Subject: Re: dylsexics of the wrold, untie! +References: <200209121922.MAA07568@maltesecat> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 12 Sep 2002 15:43:00 -0400 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +So much for carnivore ;) + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0632.5a55cc359e591b1264cefa42b228df98 b/machine-learning-ex6/ex6/easy_ham/0632.5a55cc359e591b1264cefa42b228df98 new file mode 100644 index 0000000..09e3870 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0632.5a55cc359e591b1264cefa42b228df98 @@ -0,0 +1,59 @@ +From fork-admin@xent.com Thu Sep 12 21:21:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 757FA16F03 + for ; Thu, 12 Sep 2002 21:21:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CK2NC13516 for ; + Thu, 12 Sep 2002 21:02:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 472FD2940F2; Thu, 12 Sep 2002 12:59:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 9146329409A for ; Thu, + 12 Sep 2002 12:58:47 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 90C683EDE2; + Thu, 12 Sep 2002 16:05:31 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8F34E3EDD2; Thu, 12 Sep 2002 16:05:31 -0400 (EDT) +From: Tom +To: Gary Lawrence Murphy +Cc: Dave Long , +Subject: Re: dylsexics of the wrold, untie! +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 16:05:28 -0400 (EDT) +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On 12 Sep 2002, Gary Lawrence Murphy wrote: + +--] +--]So much for carnivore ;) + +Yep, that ws the plan all alng with my typos, I am the only one to be +consistently fighting the evls of da vore. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0633.f47f5c3a3dc10c57366f5715ef33fe3e b/machine-learning-ex6/ex6/easy_ham/0633.f47f5c3a3dc10c57366f5715ef33fe3e new file mode 100644 index 0000000..daa97ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0633.f47f5c3a3dc10c57366f5715ef33fe3e @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Sep 12 21:21:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D729D16F03 + for ; Thu, 12 Sep 2002 21:21:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CKAeC13786 for ; + Thu, 12 Sep 2002 21:10:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 292C1294178; Thu, 12 Sep 2002 13:07:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 345EC29409A for + ; Thu, 12 Sep 2002 13:06:28 -0700 (PDT) +Received: (qmail 26088 invoked by uid 508); 12 Sep 2002 20:08:53 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.9) by + venus.phpwebhosting.com with SMTP; 12 Sep 2002 20:08:53 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8CK8l805874; Thu, 12 Sep 2002 22:08:47 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Tom +Cc: Gary Lawrence Murphy , + Dave Long , +Subject: Re: dylsexics of the wrold, untie! +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 22:08:47 +0200 (CEST) +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Thu, 12 Sep 2002, Tom wrote: + +> Yep, that ws the plan all alng with my typos, I am the only one to be +> consistently fighting the evls of da vore. + +Well, yeah, but there's an easier way. + + http://www.google.com/search?hl=en&lr=&ie=UTF-8&oe=UTF-8&q=STARTTLS&spell=1 + +There's still MITM, but it requires a far higher capability, and is easier +to detect once you go beyond the scamed interaction of two parties, since +being manipulative in principle. + +If you run your own mailserver, or have a say in what your host does, make +him adopt STARTTLS. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0634.2da7e83d50baee90c3c9defd2aa30b72 b/machine-learning-ex6/ex6/easy_ham/0634.2da7e83d50baee90c3c9defd2aa30b72 new file mode 100644 index 0000000..70ddfd0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0634.2da7e83d50baee90c3c9defd2aa30b72 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Fri Sep 13 13:37:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B297916F03 + for ; Fri, 13 Sep 2002 13:37:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:37:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CKYhC14626 for ; + Thu, 12 Sep 2002 21:34:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0D3A82940E5; Thu, 12 Sep 2002 13:31:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id D38FF29409A for ; + Thu, 12 Sep 2002 13:30:29 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8CKXVO32620 for ; + Thu, 12 Sep 2002 16:33:31 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: RE: dylsexics of the wrold, untie! +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <1031860743.14237.42.camel@avalon> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 16:32:52 -0400 +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,TO_ADDRESS_EQ_REAL,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +> If the text recognition algorithm/architecture humans use is anything +> like the algorithm/structure we've been working with, the reason the +> first letter (and to a lesser extent, the last letter) is important is +> that without it the text pattern recognition problem is exponentially +> more difficult (from a theoretical standpoint anyway) and has to be +> resolved using deeper abstraction analysis. The middle letters are far +> less important and computationally much easier to resolve correctly. + +I think keeping the number of middle letters consistent with the correct +spelling is important. Would be interesting to see if this same effect is +applicable to written forms of other languages, maybe even Japanese romongi. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0635.9df0cec793507fcd3cab877c7d7616be b/machine-learning-ex6/ex6/easy_ham/0635.9df0cec793507fcd3cab877c7d7616be new file mode 100644 index 0000000..ba9c5e8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0635.9df0cec793507fcd3cab877c7d7616be @@ -0,0 +1,80 @@ +From fork-admin@xent.com Fri Sep 13 13:37:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C2C2316F16 + for ; Fri, 13 Sep 2002 13:37:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:37:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8CNsQC20509 for ; + Fri, 13 Sep 2002 00:54:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A31B02940D3; Thu, 12 Sep 2002 16:51:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from web13003.mail.yahoo.com (web13003.mail.yahoo.com + [216.136.174.13]) by xent.com (Postfix) with SMTP id 5696629409A for + ; Thu, 12 Sep 2002 16:50:13 -0700 (PDT) +Message-Id: <20020912235313.4003.qmail@web13003.mail.yahoo.com> +Received: from [67.114.193.54] by web13003.mail.yahoo.com via HTTP; + Thu, 12 Sep 2002 16:53:13 PDT +From: Michael Watson +Subject: Re: From salon.com - Forbidden thoughts about 9/11 +To: Chris Haun +Cc: fork@example.com +In-Reply-To: +MIME-Version: 1.0 +Content-Type: multipart/alternative; boundary="0-1051763016-1031874793=:3397" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 16:53:13 -0700 (PDT) +X-Spam-Status: No, hits=-5.1 required=7.0 + tests=HTML_TAG_MIXED_CASE,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,SUPERLONG_LINE,YAHOO_MSGID_ADDED + version=2.50-cvs +X-Spam-Level: + +--0-1051763016-1031874793=:3397 +Content-Type: text/plain; charset=us-ascii + + +I am delurking to comment on the Salon article. I just wanted to say that I am grateful they choose not to publish my forbidden thought. I sent it in a couple of days before the 9/11 commeration. If I had just watched the sentimental network and cable shows on 9/11 my cynical thoughts would have remain unchanged. However, I watch the Frontline show "Faith and Doubt at Ground Zero" on PBS. That show tackled head on, with much more courage than I have seen elsewhere, the larger questions about good and evil, about art as an alternate religion (Karlheinz Stockhausen -- 9/11 was a great work of art), and especially the question about how religion has a darker side which when carried to fanatic extremes tends to negate the humanity of the non-believers. +I am not a religious person but I stunned at the scope of this program. It talked about the Lutheran minister who spoke at Yankees Stadium on a podium with other religious leaders present who was charged with heresy by his own church for promoting the idea that all religions are equal (presumably the Lutherans have the one true path?). +Thanks for listening, I just felt like I needed to put the word out about this program. My shallow comment on Salon and others like it (my boyfriend and I had sex while the towers collapsed) gives me pause about how some of us tend to harden ourselves to the suffering of others. +Mike + Chris Haun wrote:i though this was all rather interesting, first bit of 9/11 coverage that +i've liked. + +http://www.salon.com/mwt/feature/2002/09/11/forbidden_letters/index.html + +Chris + + + +--------------------------------- +Do you Yahoo!? +Yahoo! News - Today's headlines +--0-1051763016-1031874793=:3397 +Content-Type: text/html; charset=us-ascii + +

I am delurking to comment on the Salon article. I just wanted to say that I am grateful they choose not to publish my forbidden thought. I sent it in a couple of days before the 9/11 commeration. If I had just watched the sentimental network and cable shows on 9/11 my cynical thoughts would have remain unchanged. However, I watch the Frontline show "Faith and Doubt at Ground Zero" on PBS. That show tackled head on, with much more courage than I have seen elsewhere, the larger questions about good and evil, about art as an alternate religion (Karlheinz Stockhausen -- 9/11 was a great work of art), and especially the question about how religion has a darker side which when carried to fanatic extremes tends to negate the humanity of the non-believers. +

I am not a religious person but I stunned at the scope of this program. It talked about the Lutheran minister who spoke at Yankees Stadium on a podium with other religious leaders present who was charged with heresy by his own church for promoting the idea that all religions are equal (presumably the Lutherans have the one true path?). +

Thanks for listening, I just felt like I needed to put the word out about this program. My shallow comment on Salon and others like it (my boyfriend and I had sex while the towers collapsed) gives me pause about how some of us tend to harden ourselves to the suffering of others. +

Mike +

 Chris Haun wrote: +

i though this was all rather interesting, first bit of 9/11 coverage that
i've liked.

http://www.salon.com/mwt/feature/2002/09/11/forbidden_letters/index.html

Chris



Do you Yahoo!?
+Yahoo! News - Today's headlines +--0-1051763016-1031874793=:3397-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0636.e678baa8a0acb4e6b95c11f37d7541b0 b/machine-learning-ex6/ex6/easy_ham/0636.e678baa8a0acb4e6b95c11f37d7541b0 new file mode 100644 index 0000000..48f0ef7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0636.e678baa8a0acb4e6b95c11f37d7541b0 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Fri Sep 13 20:45:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 76A6B16F03 + for ; Fri, 13 Sep 2002 20:45:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8DIVRC30305 for ; + Fri, 13 Sep 2002 19:31:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4ECE72940AC; Fri, 13 Sep 2002 11:28:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm7-33.sba1.netlojix.net + [207.71.222.129]) by xent.com (Postfix) with ESMTP id BEF5429409A for + ; Fri, 13 Sep 2002 11:27:37 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA15344; + Fri, 13 Sep 2002 11:38:22 -0700 +Message-Id: <200209131838.LAA15344@maltesecat> +To: fork@example.com +Subject: plate tectonics update +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 11:38:21 -0700 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + + +When we were discussing Kuhn, I wrote: + + +> My understanding of the history of +> plate tectonics is that the magnetic +> reversal patterns encoded in seafloor +> basalts were crucial supporting data +> which suddenly became available only +> after Navy declassification, so the +> adoption curve may be skewed. + +Many of the essays in Oreskes' _Plate +Tectonics_ seem to support this idea: + +Sandwell, "Plate Tectonics: A Martian View" +> In this essay, I'll describe a few of the important confirmations of +> plate tectonic theory provided by satellites and ships. These tools +> were largely developed to support the Cold War effort, and many are +> labeled geodetic since they are used to make precise measurements +> of the size and shape of the earth and the spatial variations in the +> pull of gravity. The tools of satellite geodesy are needed for all +> aspects of global warfare; precise satellite tracking and gravity +> field development are needed for precision satellite surveillance +> as well as for targeting ballistic missiles; the global positioning +> system is used in all aspects of modern warfare; radar altimetery is +> used or aiming submarine-launched ballistic missiles as well as for +> inertial navigation when submerged. +> +> The global seismic networks were developed, primarily, to monitor +> underground nuclear tests. Marine magnetometers were developed, +> primarily, for detection of submarines. Multibeam sea floor mapping +> systems were developed, primarily, for surveying critical and +> operational areas of the northern oceans. + +... and the Navy was in no hurry +to declassify any of these data, +as any uneven coverage could have +revealed the parts of the oceans +they found most interesting. + +-Dave + +(What do our seismic networks say +about the middle east? I hazily +recall a story about LA reporters +asking their local geophysicists +about an early morning quake, to +be told that, as far as could be +figured, the "epicenter" was at a +negative depth, travelling near +mach speed, and presumably headed +towards Edwards) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0637.2eadb44dff5eb5df1615ff5e826bc69e b/machine-learning-ex6/ex6/easy_ham/0637.2eadb44dff5eb5df1615ff5e826bc69e new file mode 100644 index 0000000..306ca16 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0637.2eadb44dff5eb5df1615ff5e826bc69e @@ -0,0 +1,79 @@ +From fork-admin@xent.com Fri Sep 13 20:45:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 26AB416F16 + for ; Fri, 13 Sep 2002 20:45:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8DJ5PC31289 for ; + Fri, 13 Sep 2002 20:05:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4E9812940B3; Fri, 13 Sep 2002 12:02:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm2-6.sba1.netlojix.net + [207.71.218.102]) by xent.com (Postfix) with ESMTP id 4537D29409A for + ; Fri, 13 Sep 2002 12:01:42 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id MAA16027; + Fri, 13 Sep 2002 12:12:23 -0700 +Message-Id: <200209131912.MAA16027@maltesecat> +To: fork@example.com +Subject: Re: dylsexics of the wrold, untie! +In-Reply-To: Message from fork-request@xent.com of + "Fri, 13 Sep 2002 06:26:17 PDT." + <20020913132617.9935.12598.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 12:12:23 -0700 +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + + +> I think keeping the number of middle letters consistent with the correct +> spelling is important. + +Aeftr tinryg it out on my lacol daciinorty, +the worst I cloud find were teilprs, and of +tehm the most cfinnosug seeemd to be: + + parental paternal prenatal + +as cenotxt wloud be mcuh more sacfgiiinnt +with the rest, scuh as: + + bakers beakers breaks + +98% of the 45k wdors were uinque. + +-Dave + +1. romaji, or european languages which +tend to end in vowels, would presumably +work better with attention on the ending +syllable (or at least consonant sound) + +2. are typos a larger or smaller space? +I had a whoromatic proggy that scattered +transpositions at hazard where the hands +alternated quickly; that would be a much +smaller space -- but transposing/eliding +spaces might make for a much larger one. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0638.70122b70a334560fdbc450b6516bf752 b/machine-learning-ex6/ex6/easy_ham/0638.70122b70a334560fdbc450b6516bf752 new file mode 100644 index 0000000..1328a95 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0638.70122b70a334560fdbc450b6516bf752 @@ -0,0 +1,144 @@ +From fork-admin@xent.com Fri Sep 13 20:45:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 944DB16F03 + for ; Fri, 13 Sep 2002 20:45:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8DJfQC32333 for ; + Fri, 13 Sep 2002 20:41:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 22DED2940DF; Fri, 13 Sep 2002 12:38:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id 0306B29409A for + ; Fri, 13 Sep 2002 12:37:33 -0700 (PDT) +Received: from spinnaker ([64.157.32.1]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020913194106.BWPD670.hughes-fe01@spinnaker> for ; + Fri, 13 Sep 2002 15:41:06 -0400 +Subject: Re: The Big Jump +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Chuck Murcko +To: fork@example.com +In-Reply-To: <3D7CE662.9040000@permafrost.net> +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 12:40:23 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8DJfQC32333 +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +The USAF had a program in the 1959-1960 in which successful free jumps +were made from balloons at up to ~32 km (100,000 ft.). The relevance was +astronauts and SR-71 bailouts. This would top that achievement +comfortably. + +http://www.wpafb.af.mil/museum/history/postwwii/pe.htm + +Chuck + +On Monday, September 9, 2002, at 11:20 AM, Owen Byrne wrote: + +> John Hall wrote: +> +>> Why so fast? Normal terminal velocity is much slower. +>> +> Not at 40,000 m. I found this article +> (http://www.wired.com/news/print/0,1294,53928,00.html) : +> +> "The last person to try to break the highest free fall record died in +> the attempt. In 1965, New Jersey truck driver Nick Piantanida suffered +> catastrophic equipment failure when his facemask blew out at 57,000 +> feet. Lack of oxygen caused such severe brain damage that he went into +> a coma and died four months later." +> +> And in amongst the flash at +> http://www.legrandsaut.org/site_en/ +> +> you can discover that he will break the sound barrier at 35,000 m, +> presumably reaching top speed somewhere above 30,000. +> +> Owen +> +>> +>>> -----Original Message----- +>>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +>>> bitbitch@magnesium.net +>>> Sent: Sunday, September 08, 2002 8:36 AM +>>> To: (Robert Harley) +>>> Cc: fork@example.com +>>> Subject: Re: The Big Jump +>>> +>>> +>>> +>>> So uh, would this qualify for the Darwin awards if he doesn't make it? +>>> +>>> Freaking french people... +>>> :-) +>>> -BB +>>> RH> Today a French officer called Michel Fournier is supposed to get +>>> +>> in a +>> +>>> RH> 350-metre tall helium balloon, ride it up to the edge of space (40 +>>> +>> km +>> +>>> RH> altitude) and jump out. His fall should last 6.5 minutes and +>>> +>> reach +>> +>>> RH> speeds of Mach 1.5. He hopes to open his parachute manually at +>>> +>> the +>> +>>> RH> end, although with an automatic backup if he is 7 seconds from the +>>> RH> ground and still hasn't opened it. +>>> +>>> RH> R +>>> +>>> RH> ObQuote: +>>> RH> "Vederò, si averò si grossi li coglioni, come ha il re di +>>> +>> Franza." +>> +>>> RH> ("Let's see if I've got as much balls as the King of France!") +>>> RH> - Pope Julius II, 2 January 1511 +>>> +>>> +>>> +>>> -- +>>> Best regards, +>>> bitbitch mailto:bitbitch@magnesium.net +>>> +>> +>> +>> +> +> +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0639.3462e01cf21a5b919a58b6e70e96ccb4 b/machine-learning-ex6/ex6/easy_ham/0639.3462e01cf21a5b919a58b6e70e96ccb4 new file mode 100644 index 0000000..9a6a6d0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0639.3462e01cf21a5b919a58b6e70e96ccb4 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Sat Sep 14 16:17:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5B2F16F16 + for ; Sat, 14 Sep 2002 16:17:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:17:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8EEVRC06592 for ; + Sat, 14 Sep 2002 15:31:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F23252940C2; Sat, 14 Sep 2002 07:28:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id E6A3629409A for ; + Sat, 14 Sep 2002 07:27:13 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H2F005SJMYJWD@mta6.snfc21.pbi.net> for fork@xent.com; Sat, + 14 Sep 2002 07:30:20 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: introductions +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D8345B0.85F424CF@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 14 Sep 2002 07:20:32 -0700 +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +As I've had to resubscribe to fork and fork-noarchive, +I guess I have to reintroduce myself. I'm formerly +known as gbolcer at endtech dot com to the FoRK +mailman program, formerly an overposter, and love +soaking up bits through avid reading or scanning +of almost every single list that's got informative to say. + +Hopefully all those overpost will get cleared out at +somepoint and fork-archived. + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0640.95f677f7c53a182c30e068eaab74950e b/machine-learning-ex6/ex6/easy_ham/0640.95f677f7c53a182c30e068eaab74950e new file mode 100644 index 0000000..e3a78a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0640.95f677f7c53a182c30e068eaab74950e @@ -0,0 +1,172 @@ +From fork-admin@xent.com Mon Sep 16 10:42:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A99B116F03 + for ; Mon, 16 Sep 2002 10:42:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 10:42:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8G1HYC07158 for ; + Mon, 16 Sep 2002 02:17:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A9D12940AA; Sun, 15 Sep 2002 18:14:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id 92B8829409A for ; Sun, + 15 Sep 2002 18:13:06 -0700 (PDT) +Received: from lig.net (unknown [66.95.227.18]) by mail.lig.net (Postfix) + with ESMTP id 5E531680F6; Sun, 15 Sep 2002 21:17:04 -0400 (EDT) +Message-Id: <3D85326C.7010801@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0rc2) + Gecko/20020512 Netscape/7.0b1 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com, lea@lig.net +Subject: Slaughter in the Name of God +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 15 Sep 2002 21:22:52 -0400 +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +An old Indian friend forwarded this to me a while ago. + +http://www.washingtonpost.com/ac2/wp-dyn?pagename=article&node=&contentId=A58173-2002Mar7¬Found=true + +Slaughter in the Name of God +By Salman Rushdie +Friday, March 8, 2002; Page A33 Washington Post + +The defining image of the week, for me, is of a small child's burned and +blackened arm, its tiny fingers curled into a fist, protruding from the +remains of a human bonfire in Ahmadabad, Gujarat, in India. The murder +of children is something of an Indian specialty. The routine daily +killings of unwanted girl babies . . . the massacre of innocents in +Nellie, Assam, in the 1980s when village turned against neighboring +village . . . the massacre of Sikh children in Delhi during the +horrifying reprisal murders that followed Indira Gandhi's assassination: +They bear witness to our particular gift, always most dazzlingly in +evidence at times of religious unrest, for dousing our children in +kerosene and setting them alight, or cutting their throats, or +smothering them or just clubbing them to death with a good strong length +of wood. + +I say "our" because I write as an Indian man, born and bred, who loves +India deeply and knows that what one of us does today, any of us is +potentially capable of doing tomorrow. If I take pride in India's +strengths, then India's sins must be mine as well. Do I sound angry? +Good. Ashamed and disgusted? I certainly hope so. Because, as India +undergoes its worst bout of Hindu-Muslim bloodletting in more than a +decade, many people have not been sounding anything like angry, ashamed +or disgusted enough. Police chiefs have been excusing their men's +unwillingness to defend the citizens of India, without regard to +religion, by saying that these men have feelings too and are subject to +the same sentiments as the nation in general. + +Meanwhile, India's political masters have been tut-tutting and offering +the usual soothing lies about the situation being brought under control. +(It has escaped nobody's notice that the ruling party, the Bharatiya +Janata Party (BJP), or Indian People's Party, and the Hindu extremists +of the Vishwa Hindu Parishad (VHP), or World Hindu Council, are sister +organizations and offshoots of the same parent body.) Even some +international commentators, such as Britain's Independent newspaper, +urge us to "beware excess pessimism." + +The horrible truth about communal slaughter in India is that we're used +to it. It happens every so often; then it dies down. That's how life is, +folks. Most of the time India is the world's largest secular democracy; +and if, once in a while, it lets off a little crazy religious steam, we +mustn't let that distort the picture. + +Of course, there are political explanations. Ever since December 1992, +when a VHP mob demolished a 400-year-old Muslim mosque in Ayodhya, which +they claim was built on the sacred birthplace of the god Ram, Hindu +fanatics have been looking for this fight. The pity of it is that some +Muslims were ready to give it to them. Their murderous attack on the +train-load of VHP activists at Godhra (with its awful, atavistic echoes +of the killings of Hindus and Muslims by the train-load during the +partition riots of 1947) played right into the Hindu extremists' hands. + +The VHP has evidently tired of what it sees as the equivocations and +insufficient radicalism of India's BJP government. Prime Minister Atal +Bihari Vajpayee is more moderate than his party; he also heads a +coalition government and has been obliged to abandon much of the BJP's +more extreme Hindu nationalist rhetoric to hold the coalition together. +But it isn't working anymore. In state elections across the country, the +BJP is being trounced. This may have been the last straw for the VHP +firebrands. Why put up with the government's betrayal of their fascistic +agenda when that betrayal doesn't even result in electoral success? + +The electoral failure of the BJP is thus, in all probability, the spark +that lit the fire. The VHP is determined to build a Hindu temple on the +site of the demolished Ayodhya mosque -- that's where the Godhra dead +were coming from -- and there are, reprehensibly, idiotically, +tragically, Muslims in India equally determined to resist them. Vajpayee +has insisted that the slow Indian courts must decide the rights and +wrongs of the Ayodhya issue. The VHP is no longer prepared to wait. + +The distinguished Indian writer Mahasveta Devi, in a letter to India's +president, K. R. Narayanan, blames the Gujarat government (led by a BJP +hard-liner) as well as the central government for doing "too little too +late." She pins the blame firmly on the "motivated, well-planned out and +provocative actions" of the Hindu nationalists. But another writer, the +Nobel laureate V. S. Naipaul, speaking in India just a week before the +violence erupted, denounced India's Muslims en masse and praised the +nationalist movement. + +The murderers of Godhra must indeed be denounced, and Mahasveta Devi in +her letter demands "stern legal action" against them. But the VHP is +determined to destroy that secular democracy in which India takes such +public pride and which it does so little to protect; and by supporting +them, Naipaul makes himself a fellow traveler of fascism and disgraces +the Nobel award. + +The political discourse matters, and explains a good deal. But there's +something beneath it, something we don't want to look in the face: +namely, that in India, as elsewhere in our darkening world, religion is +the poison in the blood. Where religion intervenes, mere innocence is no +excuse. Yet we go on skating around this issue, speaking of religion in +the fashionable language of "respect." What is there to respect in any +of this, or in any of the crimes now being committed almost daily around +the world in religion's dreaded name? How well, with what fatal results, +religion erects totems, and how willing we are to kill for them! And +when we've done it often enough, the deadening of affect that results +makes it easier to do it again. + +So India's problem turns out to be the world's problem. What happened in +India has happened in God's name. The problem's name is God. + +Salman Rushdie is a novelist and author of the forthcoming essay +collection "Step Across This Line." + +© 2002 The Washington Post Company + + +sdw + +-- +sdw@lig.net http://sdw.st +Stephen D. Williams 43392 Wayside Cir,Ashburn,VA 20147-4622 +703-724-0118W 703-995-0407Fax Dec2001 + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0641.6608cb0a3168e2f803b29e3bcdd68c23 b/machine-learning-ex6/ex6/easy_ham/0641.6608cb0a3168e2f803b29e3bcdd68c23 new file mode 100644 index 0000000..f7883d2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0641.6608cb0a3168e2f803b29e3bcdd68c23 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Sep 16 10:42:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C7E0716F03 + for ; Mon, 16 Sep 2002 10:42:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 10:42:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8G20WC08154 for ; + Mon, 16 Sep 2002 03:00:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EDE5D2940CA; Sun, 15 Sep 2002 18:57:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 2801229409A for ; Sun, + 15 Sep 2002 18:56:21 -0700 (PDT) +Received: (qmail 5394 invoked from network); 16 Sep 2002 01:59:32 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 16 Sep 2002 01:59:32 -0000 +Reply-To: +From: "John Hall" +To: "'Stephen D. Williams'" , , + +Subject: RE: Slaughter in the Name of God +Message-Id: <000201c25d24$b3272c90$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <3D85326C.7010801@lig.net> +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 15 Sep 2002 18:59:32 -0700 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +What I understood was that the activists on the train refused to pay for +the food and other items they acquired from the Muslim vendors -- then +taunted them. + +That may not be true, but it would put things in a more interesting +light. Taking food from a small vendor in India and not paying them is +trying to starve them. + +It sounded consistent with the ideas and purpose of the train full of +activists. + +I'm rarely an apologist for Muslims anywhere. Yet I find my sympathies +with the Muslims in this case, even after they burned the train. + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Stephen D. Williams + +> The pity of it is that some +> Muslims were ready to give it to them. Their murderous attack on the +> train-load of VHP activists at Godhra (with its awful, atavistic +echoes +> of the killings of Hindus and Muslims by the train-load during the +> partition riots of 1947) played right into the Hindu extremists' +hands. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0642.297a1718a1180f8419c4e4232d4c30b5 b/machine-learning-ex6/ex6/easy_ham/0642.297a1718a1180f8419c4e4232d4c30b5 new file mode 100644 index 0000000..0d1bfb5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0642.297a1718a1180f8419c4e4232d4c30b5 @@ -0,0 +1,46 @@ +From fork-admin@xent.com Mon Sep 16 15:33:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D97EA16F03 + for ; Mon, 16 Sep 2002 15:33:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 15:33:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8GDxYC27975 for ; + Mon, 16 Sep 2002 14:59:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 84CE32940A1; Mon, 16 Sep 2002 06:56:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 9CE1329409A for ; Mon, 16 Sep 2002 06:55:39 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 03CCEC44D; + Mon, 16 Sep 2002 15:54:31 +0200 (CEST) +To: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020916135431.03CCEC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 15:54:31 +0200 (CEST) +X-Spam-Status: No, hits=-1.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +The usual crud. Why do morons ranting and beating their chests in the +National Review (or similar rags) merit FoRKing? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0643.2c10d49ca3fc564fd6993c1504b7de1a b/machine-learning-ex6/ex6/easy_ham/0643.2c10d49ca3fc564fd6993c1504b7de1a new file mode 100644 index 0000000..34922a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0643.2c10d49ca3fc564fd6993c1504b7de1a @@ -0,0 +1,146 @@ +From fork-admin@xent.com Tue Sep 17 11:29:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 657D616F03 + for ; Tue, 17 Sep 2002 11:29:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:29:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8GJJZC06421 for ; + Mon, 16 Sep 2002 20:19:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 97E102940CF; Mon, 16 Sep 2002 12:16:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id BEBD02940CD for ; Mon, + 16 Sep 2002 12:15:47 -0700 (PDT) +Received: (qmail 30648 invoked from network); 16 Sep 2002 19:19:01 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 16 Sep 2002 19:19:01 -0000 +Reply-To: +From: "John Hall" +To: "'Stephen D. Williams'" +Cc: , +Subject: RE: Slaughter in the Name of God +Message-Id: <003701c25db5$e9d7e860$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: <3D8628B3.1020906@hpti.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 12:18:59 -0700 +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +First, it was my understanding that they had the food before they +refused to pay. I often have the goods in my possession before I settle +the paycheck. + +Second, 'not being paid for a little food' is an awfully big deal in +India. It isn't far from stealing the only food my children have so +I'll have to watch them starve. The margin of survival is very, very, +thin. + +So yes. In my particular reality distortion field 'not paying for a +little food' in India is akin to a direct act of violence intended to +cause suffering if not death on the victims family. That such an act +triggers a violent response is, IMHO, hardly surprising. + +In other words, as far as I could tell the people on the train fired the +first shot. + +With all of that said I still don't know if this happened or not. Nor +do I know for sure that the margin of survival for those Muslim vendors +was that thin. + + +> -----Original Message----- +> From: Stephen D. Williams [mailto:swilliams@hpti.com] +> Sent: Monday, September 16, 2002 11:54 AM +> To: johnhall@evergo.net +> Cc: fork@example.com; lea@lig.net +> Subject: Re: Slaughter in the Name of God +> +> Wow! It seems you are evaluating this with a large reality distortion +> field. +> +> If the activists on the train refused to pay for food, then the +vendors +> shouldn't give it to them. And the local police force should be +> arresting them. Etc. +> +> You have to be operating from a particularly primitive point of view, +> which obviously was in operation with the participants here, to think +> that religious differences or not being paid for a little food (or +> taunting!) was even a remote justification for burning a train full of +> people alive. +> +> sdw +> +> John Hall wrote: +> > What I understood was that the activists on the train refused to pay +for +> > the food and other items they acquired from the Muslim vendors -- +then +> > taunted them. +> > +> > That may not be true, but it would put things in a more interesting +> > light. Taking food from a small vendor in India and not paying them +is +> > trying to starve them. +> > +> > It sounded consistent with the ideas and purpose of the train full +of +> > activists. +> > +> > I'm rarely an apologist for Muslims anywhere. Yet I find my +sympathies +> > with the Muslims in this case, even after they burned the train. +> > +> > +> > +> >>From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> >>Stephen D. Williams +> > +> > +> >>The pity of it is that some +> >>Muslims were ready to give it to them. Their murderous attack on the +> >>train-load of VHP activists at Godhra (with its awful, atavistic +> > +> > echoes +> > +> >>of the killings of Hindus and Muslims by the train-load during the +> >>partition riots of 1947) played right into the Hindu extremists' +> > +> > hands. +> +> sdw +> -- +> swilliams@hpti.com http://www.hpti.com +> Stephen D. Williams, Senior Technical Director +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0644.465fabd80d5659bce12a75942fc62c06 b/machine-learning-ex6/ex6/easy_ham/0644.465fabd80d5659bce12a75942fc62c06 new file mode 100644 index 0000000..18c456f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0644.465fabd80d5659bce12a75942fc62c06 @@ -0,0 +1,89 @@ +From fork-admin@xent.com Tue Sep 17 11:29:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DB4C516F03 + for ; Tue, 17 Sep 2002 11:29:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:29:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8GJhcC07013 for ; + Mon, 16 Sep 2002 20:43:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 89BE82940D0; Mon, 16 Sep 2002 12:40:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id B6F8B2940CD for + ; Mon, 16 Sep 2002 12:39:05 -0700 (PDT) +Received: (qmail 8446 invoked by uid 508); 16 Sep 2002 19:43:47 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (62.155.144.96) by + venus.phpwebhosting.com with SMTP; 16 Sep 2002 19:43:47 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8GJBlB15944; Mon, 16 Sep 2002 21:11:47 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: +Cc: Gary Lawrence Murphy , + Udhay Shankar N , Adam Rifkin , + +Subject: Re: storage bits +In-Reply-To: <3D862A52.1080502@hpti.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 21:11:47 +0200 (CEST) +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 16 Sep 2002, Stephen D. Williams wrote: + +> It's efficient-end, not low end. At 1Million hour MTBF, 133MB/sec, +> and pretty good buffering and speed, the only thing going for SCSI is +> 15,000 RPM vs. 7200 and in a very small number of cases, slightly +> better scatter-gather. (Actually, I think there might be a 15,000 RPM +> IDE now.) + +It's not just krpm, the desktop HDs have a higher failure rate. But I +agree, EIDE has high density, and EIDE hardware RAID can offer SCSI a +sound beating for reliability, performance, and storage density/rack units +for the money, if designed for it, and if people would actually start +buying it. + +> The other issues are pretty much non-issues: using multiple drives and +> controller contention (just use many IDE channels with extra PCI +> cards, up to 10 in some systems), and long cable runs (just split + +There are not all that many hard drives inside an 1U enclosure. Airflow +blockage (you have to fit in 2-3x the number of SCSI disks with EIDE) will +soon be a thing of the past due to SATA. + +> storage between nodes). Dual-port SCSI is also a non-issue since it +> is very expensive, doesn't work that well in practice because there +> are numerous secondary failure modes for shared disk systems, and +> because you still end up with a single point of failure. + +Since rack-space costs dominate, and our systems need more or less decent +I/O we're going with 1U Dells with SCSI. The hard drive prices don't +really make a visible difference, given the cost of the iron, and the +rackspace/month. Plus, 1U Dells don't have any space left for lots of EIDE +drives. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0645.10b54fc6ea0ff6afea35a0dc440cc2d1 b/machine-learning-ex6/ex6/easy_ham/0645.10b54fc6ea0ff6afea35a0dc440cc2d1 new file mode 100644 index 0000000..7b866d5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0645.10b54fc6ea0ff6afea35a0dc440cc2d1 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Tue Sep 17 11:29:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4667316F03 + for ; Tue, 17 Sep 2002 11:29:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:29:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8GL4ZC09586 for ; + Mon, 16 Sep 2002 22:04:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 23AD52940D2; Mon, 16 Sep 2002 14:01:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 5EE0E2940CD for ; + Mon, 16 Sep 2002 14:00:40 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17r32k-00063A-00; Mon, 16 Sep 2002 17:04:31 -0400 +From: "Geege Schuman" +To: "Jim Whitehead" , "FoRK" +Subject: RE: introductions +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +In-Reply-To: +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 17:02:29 -0400 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +the doctor wears many hats, including but not limited to a rubber skullcap +for playing water polo, a beret for making sparkling wines, and an oversized +fedora to deflect his own cigar smoke, which he regularly blows up my ... + + +geege + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Jim +Whitehead +Sent: Monday, September 16, 2002 2:08 PM +To: FoRK +Subject: RE: introductions + + +> Aren't you Dr. Gregory A. Bolcer, Dutch Uncle of P2P? + +I thought he was Greg Bolcer, recovering XPilot & Doom junkie... + +- Jim + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0646.5b8ef44185fab30abb58d0f440885d00 b/machine-learning-ex6/ex6/easy_ham/0646.5b8ef44185fab30abb58d0f440885d00 new file mode 100644 index 0000000..8ed6371 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0646.5b8ef44185fab30abb58d0f440885d00 @@ -0,0 +1,106 @@ +From fork-admin@xent.com Tue Sep 17 11:29:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4660216F03 + for ; Tue, 17 Sep 2002 11:29:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:29:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8GLdYC10822 for ; + Mon, 16 Sep 2002 22:39:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9DDC52940CD; Mon, 16 Sep 2002 14:36:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 853882940C9 for ; Mon, + 16 Sep 2002 14:35:18 -0700 (PDT) +Received: (qmail 17526 invoked from network); 16 Sep 2002 21:38:32 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 16 Sep 2002 21:38:32 -0000 +Reply-To: +From: "John Hall" +To: +Cc: , +Subject: RE: Slaughter in the Name of God +Message-Id: <004601c25dc9$67a436a0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: <3D864AC8.60005@hpti.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 14:38:32 -0700 +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + + + +> From: Stephen D. Williams [mailto:swilliams@hpti.com] + +> +> Just to further weaken the food transaction argument, I'll note that +in +> my neighborhood, the local McDonalds won't even hand you your drink in +> the drive through until you fork over the cash. + + +Maybe you never bought a hot dog from a street vendor. + +> And why is it that the margin of survival is so thin? Could it be +that +> all of these tribal rivalries are part of what's holding back +wholesale +> movement to the modern, first world patterns of constructive thinking? + +Well, yes. But it doesn't change the idea that the margin of survival +probably IS that thin in this region. + +> I'm sure that both sides were ready to be the agressor. + +I'm not. I'm sure both sides were equally ready to be the aggressor +provided they were in a predominant position of power. + +> Bush's reluctance to blast blind obeyance of religion as taught by +your +> local madrassa or KKK leader, apparently because he is fully involved +> with the general effort to expand unfettered religiosity as the +solution +> to the world's ills, is disappointing. He has spoke against madrassa, +> but what I heard sounded lame and carefully crafted to shield religion +> in general from scrutiny. + +1. Which religion and how it is currently being expressed matters. +2. The US is trying to avoid making war on the Muslim religion. +3. US Leadership remains reflexively multi-cultural. + +> We all have +> disagreements, but at some point it becomes a crime against humanity. + +I didn't say burning the train was a good thing. I said I understood it +wasn't a spontaneous attack on people who had done no wrong. + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0647.3e7d91fa18377c667aedf719bc1b2c5a b/machine-learning-ex6/ex6/easy_ham/0647.3e7d91fa18377c667aedf719bc1b2c5a new file mode 100644 index 0000000..041d07b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0647.3e7d91fa18377c667aedf719bc1b2c5a @@ -0,0 +1,153 @@ +From fork-admin@xent.com Tue Sep 17 11:30:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F144816F03 + for ; Tue, 17 Sep 2002 11:30:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:30:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8H2hZC23657 for ; + Tue, 17 Sep 2002 03:43:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2922C2940C9; Mon, 16 Sep 2002 19:40:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id 23E8229409F for ; Mon, + 16 Sep 2002 19:39:11 -0700 (PDT) +Received: from lig.net (unknown [66.95.227.18]) by mail.lig.net (Postfix) + with ESMTP id 4FD2C681FA; Mon, 16 Sep 2002 22:43:09 -0400 (EDT) +Message-Id: <3D869694.1060906@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: johnhall@evergo.net +Cc: fork@example.com, lea@lig.net +Subject: Re: Slaughter in the Name of God +References: <004601c25dc9$67a436a0$0200a8c0@JMHALL> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 22:42:28 -0400 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +John Hall wrote: + +>>From: Stephen D. Williams [mailto:swilliams@hpti.com] +>> +>> +>>Bush's reluctance to blast blind obeyance of religion as taught by +>> +>your +> +> +>>local madrassa or KKK leader, apparently because he is fully involved +>>with the general effort to expand unfettered religiosity as the +>> +>> +>solution +> +>>to the world's ills, is disappointing. He has spoke against madrassa, +>>but what I heard sounded lame and carefully crafted to shield religion +>>in general from scrutiny. +>> +>> +> +>1. Which religion and how it is currently being expressed matters. +> +A) Which religion is it that can claim no foul actions in its past? + Certainly not Christianity, Islam, etc. +B) "How it is currently being expressed" amounts to a tacit +acknowledgement that the sophistication of the society involved and +people's self-limiting reasonableness are important to avoid primitive +expression. This leads to the point that religion and less +sophisticated societies are a dangerous mix. It also tends to invoke +the image of extremes that might occur without diligent maintenance of +society. +C) Many splinter Christianity religions have 'clean hands' but they also +aren't 'found in the wild'. + +(By "primitive expression", I don't mean to slight any society, but that +there is some chronic evidence of irrational mob actions and uncivilized +behavior (killing infants, women to break religious blue laws, etc.). + The US has only really been mostly free of "primitive expression" for +40-50 years, although large categories, including serious religious +conflict, were settled quite a while ago.) + +D) The Northern Ireland Protestant vs. Catholic feud, recently more or +less concluded, is not completely unlike this kind of friction generated +by splitting society too much along religious lines. One Post article +pointed out that the problem basically stemmed from the vertical +integration of areas along religious lines all the way to schools, +government, political party, etc. (Of course both cases have a heritage +of British conquest, but who doesn't?) + +(I couldn't find the article I remember, but here are a couple of others:) +http://www.washingtonpost.com/ac2/wp-dyn?pagename=article&node=&contentId=A33761-2001Jul8¬Found=true +http://www.washingtonpost.com/ac2/wp-dyn?pagename=article&node=&contentId=A15956-2002Jul16¬Found=true + +'Northern Ireland is a British province of green valleys and +cloud-covered hills whose 1.6 million people are politically and +religiously divided. About 54 percent of the population is Protestant, +and most Protestants are unionists who want the province to remain part +of Britain. The Roman Catholic minority is predominantly republican, or +nationalist; they want to merge with the Republic of Ireland to the south. + + +In 1968, Catholic leaders launched a civil rights drive modeled on the +Rev. Martin Luther King Jr.'s campaign in the American South. But +violence quickly broke out, with ancient religious animosities fueling +the political argument. Armed paramilitary groups sprung up on both +sides. Police records and historians agree that the most lethal group by +far was the IRA, fighting on the Catholic side with a goal of a united +Ireland + +The provincial police force estimates that about 3,600 people were +killed during the 30-year conflict known, with characteristic Northern +Ireland understatement, as "The Troubles."' + +>2. The US is trying to avoid making war on the Muslim religion. +> +That's fine, as it would be an inappropriate concentration. It would be +difficult to address the issues raised here in a clean way. I'd be +happy with an acknowledgement that the connection is there. + +>3. US Leadership remains reflexively multi-cultural. +> +This is ok to a point, as long as it doesn't shy away from logical, +objective analysis of when a society could be seriously improved in +certain ways. + +>>We all have +>>disagreements, but at some point it becomes a crime against humanity. +>> +>> +> +>I didn't say burning the train was a good thing. I said I understood it +>wasn't a spontaneous attack on people who had done no wrong. +> + +True, although I don't think you were as clear originally. :-) + +sdw + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0648.35cbc1bb7547966c1171f83d2312d4a9 b/machine-learning-ex6/ex6/easy_ham/0648.35cbc1bb7547966c1171f83d2312d4a9 new file mode 100644 index 0000000..e471b18 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0648.35cbc1bb7547966c1171f83d2312d4a9 @@ -0,0 +1,143 @@ +From fork-admin@xent.com Tue Sep 17 11:30:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E9F7216F03 + for ; Tue, 17 Sep 2002 11:30:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:30:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8H3BaC24508 for ; + Tue, 17 Sep 2002 04:11:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 52B5E2940E7; Mon, 16 Sep 2002 20:08:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 6BE8F2940E2 for ; Mon, + 16 Sep 2002 20:07:56 -0700 (PDT) +Received: (qmail 5491 invoked from network); 17 Sep 2002 03:11:11 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 17 Sep 2002 03:11:11 -0000 +Reply-To: +From: "John Hall" +To: "'Stephen D. Williams'" +Cc: , +Subject: RE: Slaughter in the Name of God +Message-Id: <002401c25df7$dfb547a0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <3D869694.1060906@lig.net> +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 16 Sep 2002 20:11:10 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8H3BaC24508 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +> From: Stephen D. Williams [mailto:sdw@lig.net] +> Sent: Monday, September 16, 2002 7:42 PM + +> >1. Which religion and how it is currently being expressed matters. +> > +> A) Which religion is it that can claim no foul actions in its past? +> Certainly not Christianity, Islam, etc. + +Hence the qualifier 'current'. + +> B) "How it is currently being expressed" amounts to a tacit +> acknowledgement that the sophistication of the society involved and +> people's self-limiting reasonableness are important to avoid primitive +> expression. This leads to the point that religion and less +> sophisticated societies are a dangerous mix. It also tends to invoke +> the image of extremes that might occur without diligent maintenance of +> society. + +The tacit acknowledgement and self-limiting you speak of is not a given +or a function of 'sophistication' but is primarily a feature of +(current) Western Civilization. Of course, 'sophisticated' and 'Western +Civilization' are essentially equivalent IMHO. But it need not be so. + +> D) The Northern Ireland Protestant vs. Catholic feud, recently more or +> less concluded, is not completely unlike this kind of friction +generated +> by splitting society too much along religious lines. One Post article +> pointed out that the problem basically stemmed from the vertical +> integration of areas along religious lines all the way to schools, +> government, political party, etc. (Of course both cases have a +heritage +> of British conquest, but who doesn't?) + +And sometimes the religious component is a façade for an equally +dangerous ethnic affiliation. Hindu extremism isn't about the Hindu +religious theology as far as I can see. It is a peg to hang an ethnic +identity and identity politics on. + +Muslim extremism appears to have a far greater connection to theology. + +> 'Northern Ireland is a British province of green valleys and +> cloud-covered hills whose 1.6 million people are politically and +> religiously divided. About 54 percent of the population is Protestant, +> and most Protestants are unionists who want the province to remain +part +> of Britain. The Roman Catholic minority is predominantly republican, +or +> nationalist; they want to merge with the Republic of Ireland to the +south. + +Yep, all because the Scots ate oats and starved their Irish out long +ago, while the English preferred wheat and that doesn't grow so well in +Ireland. That and the introduction of potatoes saved the Irish as +Irish. + +> That's fine, as it would be an inappropriate concentration. It would +be +> difficult to address the issues raised here in a clean way. I'd be +> happy with an acknowledgement that the connection is there. + +Oh, I think we are in a war with wide aspects of the Muslim religion. I +know it is there, but it just might not be appropriate to admit it +publicly. + +> >3. US Leadership remains reflexively multi-cultural. +> > +> This is ok to a point, as long as it doesn't shy away from logical, +> objective analysis of when a society could be seriously improved in +> certain ways. + +I didn't say this was a *good* thing. With the exception of ethnic +restaurants, I can generally be counted on to oppose anything labeled +'multi-cultural'. + +> >I didn't say burning the train was a good thing. I said I understood +it +> >wasn't a spontaneous attack on people who had done no wrong. +> > +> +> True, although I don't think you were as clear originally. :-) + +I'm sure I wasn't. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0649.60e2fd87157b13643293adc15ff03dd5 b/machine-learning-ex6/ex6/easy_ham/0649.60e2fd87157b13643293adc15ff03dd5 new file mode 100644 index 0000000..8b50f39 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0649.60e2fd87157b13643293adc15ff03dd5 @@ -0,0 +1,108 @@ +From fork-admin@xent.com Tue Sep 17 11:30:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 772D816F03 + for ; Tue, 17 Sep 2002 11:30:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:30:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8H4lZC27844 for ; + Tue, 17 Sep 2002 05:47:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3EA9D2940DA; Mon, 16 Sep 2002 21:44:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 064D129409F for + ; Mon, 16 Sep 2002 21:43:35 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rAG0-0000iI-00; + Tue, 17 Sep 2002 00:46:41 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: The War Prayer +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 00:43:39 -0400 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Date: Mon, 16 Sep 2002 14:57:27 -0700 +To: nettime-l@bbs.thing.net +From: Phil Duncan +Subject: The War Prayer +Sender: nettime-l-request@bbs.thing.net +Reply-To: Phil Duncan + +The following prayer is from a story by Mark Twain, and was quoted by Lewis +Laphan in the October issue of Harper's magazine. It occurs at the very end +of an excellent article which I recommend to you. + +In the story, an old man enters a church where the congregation has been +listening to an heroic sermon about "the glory to be won in battle by young +patriots armed with the love of God." He usurps the pulpit and prays the +following: + +"O Lord our God, help us to tear their soldiers to bloody shreads with our +shells; help us to cover their smiling fields with the pale forms of their +patriot dead; help us to drown the thunder of the guns with the shrieks of +their wounded, writhing in pain; help us to lay waste their humble homes with +a hurricane of fire; help us to wring the hearts of their unoffending widows +with unavailing grief; help us to turn them out roofless with their little +children to wander unfriended the wastes of their desolated land in rags and +hunger and thirst, sports of the sun flames in summer and the icy winds of +winter, broken in spirit, worn with travail, imploring Thee for the refuge of +the grave and denied it -- for our sakes who adore Thee, Lord, blast their +hopes, blight their lives, protract their bitter pilgrimage, make heavy their +steps, water their way with their tears, stain the white snow with the blood +of their wounded feet! We ask it, in the spirit of love, of Him Who is the +Source of Love, and Who is the ever-faithful refuge and friend of all that +are sore beset and seek His aid with humble and contrite hearts. Amen." + +Twain wrote the story, "The War Prayer," in 1905 during the American +occupation of the Philippines, but the story wasn't printed until 1923, +thirteen years after his death, because the editors thought it "unsuitable" +for publication at the time it was written. + +# distributed via : no commercial use without permission +# is a moderated mailing list for net criticism, +# collaborative text filtering and cultural politics of the nets +# more info: majordomo@bbs.thing.net and "info nettime-l" in the msg body +# archive: http://www.nettime.org contact: nettime@bbs.thing.net + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0650.98f5c18e05ccd24028b10fa7317d67e8 b/machine-learning-ex6/ex6/easy_ham/0650.98f5c18e05ccd24028b10fa7317d67e8 new file mode 100644 index 0000000..9046ee1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0650.98f5c18e05ccd24028b10fa7317d67e8 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Tue Sep 17 11:30:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8ABEC16F03 + for ; Tue, 17 Sep 2002 11:30:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:30:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8H9JaC03588 for ; + Tue, 17 Sep 2002 10:19:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AB2CD2940D8; Tue, 17 Sep 2002 02:16:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 7132229409F for + ; Tue, 17 Sep 2002 02:15:25 -0700 (PDT) +Received: (qmail 24536 invoked by uid 508); 17 Sep 2002 09:18:40 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.43) by + venus.phpwebhosting.com with SMTP; 17 Sep 2002 09:18:40 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8H9IXY03200; Tue, 17 Sep 2002 11:18:33 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: "Stephen D. Williams" +Cc: Gary Lawrence Murphy , + Udhay Shankar N , Adam Rifkin , + +Subject: Re: storage bits +In-Reply-To: <3D8684B4.7060801@lig.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 11:18:33 +0200 (CEST) +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 16 Sep 2002, Stephen D. Williams wrote: + +> To make what work? I already pointed out that a single drive is +> comparable between IDE/SCSI. + +Alas, that's wrong. Both the drives are faster (10..15 krpm vs. ~7 krpm, +faster seek), and the EIDE protocol is ridiculously dumb (queing; +disconnect). + +> I think you're wrong with recent releases. I'll check this week. +> There's also JFS and XFS. + +None of them are production quality. Right now only ext2 and ext3 qualify. +It will take a good while (a year, or two) before we can trust anything +else. + +> >SCSI has got advantages still, particular if it comes to off-shelf +> >high-density racks. +> > +> Check out RaidZone.com. + +Have you looked inside a dual-CPU 1U Dell? Three drives are easy to get +in. Anything else would require a redesign, and would in nontrivial +thermal engineering issues. + +> A number of vendors are putting the Promise IDE hardware on the +> motherboard. All that remains is the proper drive socket. + +I can't think of a single major vendor who sells 1U systems with hardware +EIDE RAID. + +> Additionally, you can get hardware IDE raid as a pair of drive bays or +> even an IDE-IDEx2 controller that can be screwed into a 1U chassis. + +I believe you that stuff can be found, if one is looking for it. However, +I wouldn't put this into production unless I've had that system hanging in +the local rack under simulated load for a half a year. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0651.28519f3986ee75e6f2ccb5e51995a875 b/machine-learning-ex6/ex6/easy_ham/0651.28519f3986ee75e6f2ccb5e51995a875 new file mode 100644 index 0000000..7aa4797 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0651.28519f3986ee75e6f2ccb5e51995a875 @@ -0,0 +1,93 @@ +From fork-admin@xent.com Tue Sep 17 15:09:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E911B16F03 + for ; Tue, 17 Sep 2002 15:09:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 15:09:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HDlaC12241 for ; + Tue, 17 Sep 2002 14:47:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7D0BD2940A2; Tue, 17 Sep 2002 06:44:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta5.snfc21.pbi.net (mta5.snfc21.pbi.net [206.13.28.241]) + by xent.com (Postfix) with ESMTP id 6DA1E29409F for ; + Tue, 17 Sep 2002 06:43:06 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta5.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H2L005KI4X92S@mta5.snfc21.pbi.net> for fork@xent.com; Tue, + 17 Sep 2002 06:46:22 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: introductions +To: Geege Schuman +Cc: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D872FE0.651D6DD7@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 06:36:32 -0700 +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,USER_AGENT_MOZILLA_XM, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +I'd like to claim the parenthood of desktop web services, +but then there's a ton of people doing it now. + +What I am the parent of is, Jackson Alan Bolcer--I just +realized that the birth announcement was something that +didn't get sent through due to my general laziness of +being kicked off of FoRK from our stupid DNS fiasco +mixed with the post filtering. August 20th, 7lbs, 14oz, +8:30pm. + +Greg + + + +Geege Schuman wrote: +> +> Aren't you Dr. Gregory A. Bolcer, Dutch Uncle of P2P? +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +> Gregory Alan Bolcer +> Sent: Saturday, September 14, 2002 10:21 AM +> To: FoRK +> Subject: introductions +> +> As I've had to resubscribe to fork and fork-noarchive, +> I guess I have to reintroduce myself. I'm formerly +> known as gbolcer at endtech dot com to the FoRK +> mailman program, formerly an overposter, and love +> soaking up bits through avid reading or scanning +> of almost every single list that's got informative to say. +> +> Hopefully all those overpost will get cleared out at +> somepoint and fork-archived. +> +> Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0652.5ed46908836bacba742b337197ce3499 b/machine-learning-ex6/ex6/easy_ham/0652.5ed46908836bacba742b337197ce3499 new file mode 100644 index 0000000..4216016 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0652.5ed46908836bacba742b337197ce3499 @@ -0,0 +1,188 @@ +From fork-admin@xent.com Tue Sep 17 15:09:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 87A8516F03 + for ; Tue, 17 Sep 2002 15:09:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 15:09:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HE0kC12569 for ; + Tue, 17 Sep 2002 15:00:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2BA312940E2; Tue, 17 Sep 2002 06:57:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id 69F8129409F for ; + Tue, 17 Sep 2002 06:56:53 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H2L0038T5K9KU@mta7.pltn13.pbi.net> for fork@xent.com; Tue, + 17 Sep 2002 07:00:10 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: RSA (repost) +To: fork@example.com +Reply-To: gbolcer@endeavors.com +Message-Id: <3D87331C.4AC53007@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8BIT +X-Accept-Language: en, pdf +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 06:50:20 -0700 +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=AWL,CALL_FREE,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +"Adam L. Beberg" wrote: +> +> So, who has done RSA implementation before? +> Having a typo-I-cant-spot problem with my CRT... +> +> - Adam L. "Duncan" Beberg +> http://www.mithral.com/~beberg/ +> beberg@mithral.com +> +> http://xent.com/mailman/listinfo/fork + +Done a ton of them, both with and without their +stuff. With is definitely easier.[1] + +Greg + +[1] http://www.endeavors.com/PressReleases/rsa.htm + + + + + + Endeavors Technology and RSA Security Form Strategic Partnership to + Enhance SSL Performance in Secure, Enterprise-Scalable P2P Computing + +Endeavors Technology and RSA Security combine their respective peer-to-peer Magi Enterprise +Web collaboration and RSA BSAFE® software for SSL users to instantly extend security and improve performance +of +desktop and corporate data sharing, and Web interaction between workgroups inside and across corporations. + +Irvine (CA) and Cambridge (UK), September 12, 2002 - Secure web collaboration software leader Endeavors +Technology, Inc. today +announced a technology sharing and marketing agreement with RSA Security Inc. the most trusted name in +e-security.® This strategic +partnership is aimed at extending the security and improving the performance of the standard SSL security +protocol used by every e-based +desktop, laptop and server. + +Under the terms of the agreement, RSA Security's trusted security tools are embedded into Endeavors +Technology's award-winning Magi +Enterprise software product. The combined solution enables IT managers and users to simply extend security and +encryption to every +Magi-enabled device for the direct device-to-device sharing and interaction of corporate data and workflow +between workgroups within and +beyond the enterprise. + +Secure collaboration between desktops and corporate systems calls for enterprises to build complex and costly +network infrastructures. This +combination of technologies from the two companies eliminates both overheads, and also the need for specific +security tools for each desktop +application such as Microsoft Project. With Magi's secure RSA Security-based peer environment, collaboration +can now be rapidly, easily and +securely extended across all devices and company firewalls, and workgroups can interact with colleagues, +partners and clients without concern +in compromising corporate information. This brings true Internet scaling to corporations needing to interact +highly securely with strong +encryption and authentication across firewalls. + +"In these challenging times, there can be no compromise in safeguarding corporate data and knowledge," says +Bernard Hulme, chairman and +CEO of Endeavors Technology. "Embedding RSA Security encryption software into Magi products provides IT +managers with added +assurance, speed and cost savings, and a proven security net to accelerate the deployment of business-centric +peer-to-peer computing" + +Endeavors Technology joins the RSA Secured® Partner Program. The program is designed to ensure complete +interoperability between +partner products and RSA Security's solutions including RSA SecurID® two-factor authentication, RSA +ClearTrust® Web access +management, RSA BSAFE® encryption and RSA Keon® digital certificate management. + +The strategic partnership paves the way for Magi Enterprise to bear the RSA Secured brand on product packaging +and advertising, be listed in +RSA Secured Partner Solutions directories, and have RSA Security's out-of-the-box, certified interoperability. +It will also lead to joint +marketing and promotional activities between the two firms, mutual field sales engagement opportunities on +joint accounts, and 24x7 worldwide +business continuity support. + +"Endeavors Technology is taking a leadership role by providing the highest-level of security in its enterprise +products and streamlining the +deployment process for IT managers," says Stuart Cohen, director of partner development at RSA Security. "By +combining our products, +enterprise customers have a solution that provides encryption and authentication across firewalls." + +About Magi +Magi Enterprise 3.0, an award-winning web collaboration system, transforms today's Web into a highly secure +inter- and intra-enterprise +collaboration network. For the first time, enterprises can implement ad-hoc Virtual Private Networks for +collaboration very rapidly and +affordably without disrupting existing applications, networks or work practices. Magi Enterprise 3.0 does this +by effectively transforming +unsecured, "read-only" Web networks into two-way trusted and transparent collaboration environments, through +the use of such features as +cross-firewall connections, advanced data extraction, an intuitive graphical interface, and universal name +spaces generating "follow me URLs" +for mobile professionals. + +About RSA Security, Inc. +RSA Security Inc., the most trusted name in e-security, helps organizations build secure, trusted foundations +for e-business through its RSA +SecurID two-factor authentication, RSA ClearTrust Web access management, RSA BSAFE encryption and RSA Keon +digital certificate +management product families. With approximately one billion RSA BSAFE-enabled applications in use worldwide, +more than ten million RSA +SecurID authentication users and almost 20 years of industry experience, RSA Security has the proven +leadership and innovative technology to +address the changing security needs of e-business and bring trust to the online economy. RSA Security can be +reached at +www.rsasecurity.com. + +About Endeavors Technology, Inc. +Endeavors Technology, Inc. is a wholly-owned subsidiary of mobile computing and network infrastructure vendor +Tadpole Technology plc +(www.tadpole.com), which has plants and offices in Irvine and Carlsbad (California), and Cambridge, Edinburgh, +and Bristol (UK). For further +information on Endeavors' P2P solutions, call 949-833-2800, email to p2p@endeavors.com, or visit the company's +website +www.endeavors.com. + + +Copyright 2002 Endeavors Technology, Inc. Magi, and Magi Enterprise are registered trademarks of Endeavors +Technology, Inc. RSA, BSAFE, ClearTrust, Keon, SecurID, RSA Secured and The Most +Trusted Name in e-Security are registered trademarks or trademarks of RSA Security Inc. in the United States +and/or other countries. All other products and services mentioned are trademarks of their +respective companies. + + + + © 2002 Endeavors Technology, Inc., 19600 Fairchild, Suite 350, Irvine, CA 92612, phone +949-833-2800, fax 949-833-2881, email info@endeavors.com. + All rights reserved; specifications and descriptions subject to change without +notice. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0653.68f91129d7292df3acc78eb6d575130f b/machine-learning-ex6/ex6/easy_ham/0653.68f91129d7292df3acc78eb6d575130f new file mode 100644 index 0000000..fb512f6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0653.68f91129d7292df3acc78eb6d575130f @@ -0,0 +1,60 @@ +From fork-admin@xent.com Tue Sep 17 15:09:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 56A0F16F03 + for ; Tue, 17 Sep 2002 15:09:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 15:09:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HE7aC12891 for ; + Tue, 17 Sep 2002 15:07:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A15352940EC; Tue, 17 Sep 2002 07:04:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id F16B529409F for ; + Tue, 17 Sep 2002 07:03:22 -0700 (PDT) +Received: from Golux.Com (dmz-firewall [206.199.198.4]) by + Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id g8HE6ZN18534; + Tue, 17 Sep 2002 10:06:35 -0400 +Message-Id: <3D8739C4.65DE6FEE@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (WinNT; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Flatware or Road Kill? +Subject: Harvest Moon +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 10:18:44 -0400 +X-Spam-Status: No, hits=-5.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_SPARSE, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +http://spineless.org/~mod/pix/octoberMoon.jpg +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0654.e2ac2ca047fa228203d83f0f094cc529 b/machine-learning-ex6/ex6/easy_ham/0654.e2ac2ca047fa228203d83f0f094cc529 new file mode 100644 index 0000000..66c60b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0654.e2ac2ca047fa228203d83f0f094cc529 @@ -0,0 +1,146 @@ +Replied: Tue, 17 Sep 2002 17:50:28 +0100 +Replied: Gary Lawrence Murphy +Replied: "Stephen D. Williams" +Replied: johnhall@evergo.net +Replied: fork@example.com +Replied: lea@lig.net +From fork-admin@xent.com Tue Sep 17 17:22:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A560216F03 + for ; Tue, 17 Sep 2002 17:22:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 17:22:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HEplC14370 for ; + Tue, 17 Sep 2002 15:51:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BDAA62940F0; Tue, 17 Sep 2002 07:48:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id B35E729409F for ; + Tue, 17 Sep 2002 07:47:34 -0700 (PDT) +Received: (qmail 2030 invoked from network); 17 Sep 2002 14:50:50 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 17 Sep 2002 14:50:50 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 1275E1C2C4; + Tue, 17 Sep 2002 10:50:47 -0400 (EDT) +To: "Stephen D. Williams" +Cc: johnhall@evergo.net, fork@example.com, lea@lig.net +Subject: Re: Slaughter in the Name of God +References: <004601c25dc9$67a436a0$0200a8c0@JMHALL> <3D869694.1060906@lig.net> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 17 Sep 2002 10:50:46 -0400 +X-Spam-Status: No, hits=-9.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "S" == Stephen D Williams writes: + + S> A) Which religion is it that can claim no foul actions in its + S> past? Certainly not Christianity, Islam, etc. + +Rastafari. + +That is, if you concede that of the two founding branches, only the +one founded by the Nyabingi were legit and the others were +thinly-veneered anti-colonial hooligans. + +There is also Vietnamese Buddhism, unless you count setting fire to +oneself as a "foul action". + + S> C) Many splinter Christianity religions have 'clean hands' but + S> they also aren't 'found in the wild'. + +You'd have to explain "found in the wild". For example, I know of +no violence perpetrated by the South Pacific "Cargo Cults" outside +of a pretty darn /mean/ game of cricket. + + S> D) The Northern Ireland Protestant vs. Catholic feud, recently + S> more or less concluded, is not completely unlike this kind of + S> friction generated by splitting society too much along + S> religious lines. One Post article pointed out that the problem + S> basically stemmed from the vertical integration of areas along + S> religious lines all the way to schools, government, political + S> party, etc. (Of course both cases have a heritage of British + S> conquest, but who doesn't?) + +When we launched the Native Net in 1989, one of the first things we +noticed on networking aboriginal groups around the world is that the +British Army, with the US Army as a proxy by extension, were the +common thread. Where neither was present (physically or through +influence) there /tended/ to be less violence. + +The issue in Ireland is complex, but rest assured that religious +aspects are only a co-incidence of the invader/colonials being +predominantly members of the Royal-headed Anglicans and the aboriginal +population being predominantly members of the Pope-headed Catholics. +The conflict itself has nothing to do with ideology or practice, since +the Anglican Church is a near-identical clone of Catholicism. + +(now I bet that's going to attract some healthy debate ;) + + S> .. most Protestants are unionists who want the + S> province to remain part of Britain. + +Mebst. Mebst. It's the other way around. Most Unionists are protestants. +It's their _Unionism_ that is the source of the conflict, not their +sacriments. + + S> ... Police records and historians agree that the most lethal + S> group by far was the IRA, fighting on the Catholic side with a + S> goal of a united Ireland + +And which side of the colonial fence do you suppose the Police and +Historians sit? If the Russians had invaded the USA as feared in +episodes such as the Bay of Pigs, would the Americans have organized +to become a "lethal force", or would they have just said, "Oh well, +there goes /that/ democracy!" and settle in under communist rule? + +Just wondering. + + >> 2. The US is trying to avoid making war on the Muslim religion. + +It is interesting to me that the Canadian media is trying to paint +Chretien as some sort of buffoon for saying that 3rd-world poverty was +a major contributor to 9-11. If they'd /watch/ his now-infamous +interview, they'd see that it's still us-against-hooligans, but his +point is that the hooligans would not be able to find friendly states +so easily if those states were not so bled-dry by the west. + +The same is true of street-gangs: When people are disenfranchised, +it's easier to offer them the Triad as a new family. You get +cellphones, cars, a dry place to live. Triad, biker gangs, mafia, the +IRA, Al Queda ... we've been fighting the War on Terrorism for as long +as there's been commerce, so you'd think we'd /realize/ that +escalation of violence is not a solution. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0655.62691c84d110fdfa26e8579cd00c1a68 b/machine-learning-ex6/ex6/easy_ham/0655.62691c84d110fdfa26e8579cd00c1a68 new file mode 100644 index 0000000..3b3dbcf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0655.62691c84d110fdfa26e8579cd00c1a68 @@ -0,0 +1,111 @@ +From fork-admin@xent.com Tue Sep 17 17:57:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7250516F03 + for ; Tue, 17 Sep 2002 17:57:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 17:57:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HGpbC19130 for ; + Tue, 17 Sep 2002 17:51:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EEB412940BB; Tue, 17 Sep 2002 09:48:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay06.indigo.ie (relay06.indigo.ie [194.125.133.230]) by + xent.com (Postfix) with SMTP id 0C55D29409F for ; + Tue, 17 Sep 2002 09:47:30 -0700 (PDT) +Received: (qmail 32637 messnum 1040879 invoked from + network[194.125.173.182/ts13-182.dublin.indigo.ie]); 17 Sep 2002 16:50:45 + -0000 +Received: from ts13-182.dublin.indigo.ie (HELO example.com) + (194.125.173.182) by relay06.indigo.ie (qp 32637) with SMTP; + 17 Sep 2002 16:50:45 -0000 +Received: by example.com (Postfix, from userid 500) id 4F4EA16F03; + Tue, 17 Sep 2002 17:50:28 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 4D6C1F7B1; Tue, 17 Sep 2002 17:50:28 +0100 (IST) +To: Gary Lawrence Murphy +Cc: "Stephen D. Williams" , johnhall@evergo.net, + fork@xent.com, lea@lig.net +Subject: Re: Slaughter in the Name of God +In-Reply-To: Message from Gary Lawrence Murphy of + "17 Sep 2002 10:50:46 EDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020917165028.4F4EA16F03@example.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 17:50:23 +0100 +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,HABEAS_SWE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Gary Lawrence Murphy said: +> >>>>> "S" == Stephen D Williams writes: +> S> A) Which religion is it that can claim no foul actions in its +> S> past? Certainly not Christianity, Islam, etc. +> Rastafari. +> That is, if you concede that of the two founding branches, only the +> one founded by the Nyabingi were legit and the others were +> thinly-veneered anti-colonial hooligans. +> There is also Vietnamese Buddhism, unless you count setting fire to +> oneself as a "foul action". + +What about Tibetan Buddhism BTW? They seem like an awfully nice bunch +of chaps (and chapesses). + +> When we launched the Native Net in 1989, one of the first things we +> noticed on networking aboriginal groups around the world is that the +> British Army, with the US Army as a proxy by extension, were the +> common thread. Where neither was present (physically or through +> influence) there /tended/ to be less violence. +> +> The issue in Ireland is complex, but rest assured that religious +> aspects are only a co-incidence of the invader/colonials being +> predominantly members of the Royal-headed Anglicans and the aboriginal +> population being predominantly members of the Pope-headed Catholics. +> The conflict itself has nothing to do with ideology or practice, since +> the Anglican Church is a near-identical clone of Catholicism. +> +> (now I bet that's going to attract some healthy debate ;) + +Man, I'm not going *there* again ;) I'll agree, though, that the ideology +or practices of the religions have very little to do with the conflict. + +> The same is true of street-gangs: When people are disenfranchised, +> it's easier to offer them the Triad as a new family. You get +> cellphones, cars, a dry place to live. Triad, biker gangs, mafia, the +> IRA, Al Queda ... we've been fighting the War on Terrorism for as long +> as there's been commerce, so you'd think we'd /realize/ that +> escalation of violence is not a solution. + +Well said! + +--j. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0656.dd2af7ab5d99adf717056893adb12a20 b/machine-learning-ex6/ex6/easy_ham/0656.dd2af7ab5d99adf717056893adb12a20 new file mode 100644 index 0000000..df778ac --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0656.dd2af7ab5d99adf717056893adb12a20 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Sep 17 18:42:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E307E16F03 + for ; Tue, 17 Sep 2002 18:42:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 18:42:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HHRaC20431 for ; + Tue, 17 Sep 2002 18:27:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 526962940ED; Tue, 17 Sep 2002 10:24:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id C1FCC29409F for ; Tue, 17 Sep 2002 10:23:31 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id A1DBDC44D; + Tue, 17 Sep 2002 19:26:27 +0200 (CEST) +To: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020917172627.A1DBDC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 19:26:27 +0200 (CEST) +X-Spam-Status: No, hits=-4.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +Chuck Murcko wrote: +> > The usual crud. Why do morons ranting and beating their chests in the +> > National Review (or similar rags) merit FoRKing? +> Probably because we have this pesky 1st Amendment thing here. [...] + +It must be so great in the US. The rest of us live in caves and have +no such thing as free speech. + +BTW, I wasn't aware that the 1st Amendment mandated that crap must be FoRKed. + + +> You can just ignore it if you wish. + +I will, thanks. + + +> But I must feel obligated to defend to the death your right to do so. + +«Je désapprouve ce que vous dites, mais je défendrai jusqu'à ma mort votre +droit de le dire» +- Arouet Le Jeune, dit «Voltaire» (1694-1778). + + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0657.277ad7f9191a5cb65e5e9f6c303de296 b/machine-learning-ex6/ex6/easy_ham/0657.277ad7f9191a5cb65e5e9f6c303de296 new file mode 100644 index 0000000..fc0aabc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0657.277ad7f9191a5cb65e5e9f6c303de296 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Tue Sep 17 18:42:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6B71216F03 + for ; Tue, 17 Sep 2002 18:42:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 18:42:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HHbbC20660 for ; + Tue, 17 Sep 2002 18:37:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2C8212940E8; Tue, 17 Sep 2002 10:34:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from towel.boston.ximian.com (gateway.ximian.com + [141.154.95.125]) by xent.com (Postfix) with ESMTP id 7BBA729409F for + ; Tue, 17 Sep 2002 10:33:37 -0700 (PDT) +Received: (from louie@localhost) by towel.boston.ximian.com + (8.11.6/8.11.6) id g8HHaok02484 for fork@xent.com; Tue, 17 Sep 2002 + 13:36:50 -0400 +X-Authentication-Warning: towel.boston.ximian.com: louie set sender to + louie@ximian.com using -f +Subject: Re: Slaughter in the Name of God +From: Luis Villa +To: fork@example.com +In-Reply-To: <20020917165028.4F4EA16F03@example.com> +References: <20020917165028.4F4EA16F03@example.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +Organization: +Message-Id: <1032284209.2347.186.camel@towel.boston.ximian.com> +MIME-Version: 1.0 +X-Mailer: Ximian Evolution 1.1.1.99 (Preview Release) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 17 Sep 2002 13:36:49 -0400 +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-09-17 at 12:50, Justin Mason wrote: +> What about Tibetan Buddhism BTW? They seem like an awfully nice bunch +> of chaps (and chapesses). + +They were the ruling class of a feudal, farming society for quite some +time; I believe there were more than a few issues there. Certainly, not +everyone in Tibet is as excited about the Dalai Lama as Hollywood +appears to be. [Not that the Chinese are much better rights-wise, but +they've actually built roads and such, which led to the creation of +merchant classes and the like that never existed under the Tibetans.] + +Luis + + diff --git a/machine-learning-ex6/ex6/easy_ham/0658.0e24e5ee1cfb7ee361c794aa043b416a b/machine-learning-ex6/ex6/easy_ham/0658.0e24e5ee1cfb7ee361c794aa043b416a new file mode 100644 index 0000000..aebf5f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0658.0e24e5ee1cfb7ee361c794aa043b416a @@ -0,0 +1,92 @@ +From fork-admin@xent.com Tue Sep 17 23:29:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D354E16F03 + for ; Tue, 17 Sep 2002 23:29:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HHgaC20754 for ; + Tue, 17 Sep 2002 18:42:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 200432940EE; Tue, 17 Sep 2002 10:39:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from advantageservices.net (wddx002.wddx.net [216.235.120.252]) + by xent.com (Postfix) with ESMTP id 073B22940EE for ; + Tue, 17 Sep 2002 10:38:37 -0700 (PDT) +Received: from durnik [64.34.232.217] by advantageservices.net with ESMTP + (SMTPD32-7.12) id A95F5D0110; Tue, 17 Sep 2002 13:41:51 -0400 +From: +To: +Subject: FW: Wanna buy a nuke? +Message-Id: <000b01c25e71$813bf1e0$c809a8c0@imagery.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook CWS, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +X-Note: This E-mail was scanned by the wddx.net servers for spam. +X-Note: Please send abuse reports to abuse@advantageservices.net. Thank you. +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 13:41:50 -0400 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,NO_REAL_NAME,SMTPD_IN_RCVD + version=2.50-cvs +X-Spam-Level: + +I have been told to take anything read in Pravda with a grain of salt... +but +this article certainly looks impressive when paired together with this other +one from the associated press... + +Just the concept makes me shudder, imagining how easy it must be to smuggle +these things around some parts of Europe right now. + +Hopefully, it's just my imagination. + +-- Michael Cummins + Fort Lauderdale, FL + +---------------------------------------------------------------------------- +---- +http://english.pravda.ru/main/2002/09/13/36519.html +11:14 2002-09-13 +200 SOVIET NUKES LOST IN UKRAINE +---------------------------------------------------------------------------- +---- +http://story.news.yahoo.com/news?tmpl=story2&cid=518&ncid=518&e=51&u=/ap/200 +20903/ap_on_re_eu/ukraine_iraq_3 +Ukraine-Iraq Arms Deals Alleged +Tue Sep 3, 6:07 PM ET +By TIM VICKERY, Associated Press Writer +---------------------------------------------------------------------------- +---- + +Rohit Khare - I wish you the best of luck in your search. I found *my* Very +Special Lady when I was intentionally looking elsewhere... you never know +what +lurks around every corner. Love certainly has its *own* agenda. + + + + +--------------------------------------------------------------- +Scanned for viruses by the advanced mail servers at advantageservices.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0659.81f1a5072ceecb246d133ec78a8e33eb b/machine-learning-ex6/ex6/easy_ham/0659.81f1a5072ceecb246d133ec78a8e33eb new file mode 100644 index 0000000..4200a50 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0659.81f1a5072ceecb246d133ec78a8e33eb @@ -0,0 +1,84 @@ +From fork-admin@xent.com Tue Sep 17 23:29:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 813E816F03 + for ; Tue, 17 Sep 2002 23:29:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HHmaC20997 for ; + Tue, 17 Sep 2002 18:48:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AE79A2940F3; Tue, 17 Sep 2002 10:45:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from permafrost.net (unknown [64.5.214.38]) by xent.com + (Postfix) with SMTP id D39BB29409F for ; Tue, + 17 Sep 2002 10:44:05 -0700 (PDT) +Received: (qmail 14583 invoked by uid 1000); 17 Sep 2002 17:38:52 -0000 +From: "Owen Byrne" +To: Chuck Murcko +Cc: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020917173852.GB5613@www.NT-NETWORK> +References: <96394F38-CA61-11D6-A53C-003065F93D3A@topsail.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <96394F38-CA61-11D6-A53C-003065F93D3A@topsail.org> +User-Agent: Mutt/1.4i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 14:38:52 -0300 +X-Spam-Status: No, hits=-16.9 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Tue, Sep 17, 2002 at 10:19:13AM -0700, Chuck Murcko wrote: +> Probably because we have this pesky 1st Amendment thing here. Still, +> lots of us in the States have developed a disturbing tendency to shout +> down or (in recent years) shackle in legal BS opinions, thoughts, and +> individual behaviors we don't agree with. +> + +Except that parroting the party line doesn't really require much +freedom of speech. Now if you had posted something from a left of +center source, you would have been shouted down in flames, buried in +ad hominem attacks, and probably get your name added to an FBI list. + + +Besides the basic rule in the United States now is "I'll defend your +rights to say anything you want, but if it isn't appropriately +neoconish, well, don't expect to work": + + +HHS Seeks Science Advice to Match Bush Views + +By Rick Weiss +Washington Post Staff Writer +Tuesday, September 17, 2002; Page A01 + +The Bush administration has begun a broad restructuring of the +scientific advisory committees that guide federal policy in areas such +as patients' rights and public health, eliminating some committees +that were coming to conclusions at odds with the president's views and +in other cases replacing members with handpicked choices. +... +http://www.washingtonpost.com/wp-dyn/articles/A26554-2002Sep16.html + +Owen + + diff --git a/machine-learning-ex6/ex6/easy_ham/0660.72cd510cc3e2813ce5fa531d7cc31440 b/machine-learning-ex6/ex6/easy_ham/0660.72cd510cc3e2813ce5fa531d7cc31440 new file mode 100644 index 0000000..e265a9c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0660.72cd510cc3e2813ce5fa531d7cc31440 @@ -0,0 +1,56 @@ +From garym@canada.com Tue Sep 17 23:29:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5C9D216F03 + for ; Tue, 17 Sep 2002 23:29:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:41 +0100 (IST) +Received: from smtp1.superb.net (IDENT:qmailr@smtp1.superb.net + [207.228.225.14]) by dogma.slashnull.org (8.11.6/8.11.6) with SMTP id + g8HIGUC21769 for ; Tue, 17 Sep 2002 19:16:31 +0100 +Received: (qmail 6439 invoked from network); 17 Sep 2002 18:16:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 17 Sep 2002 18:16:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 7F08F1C2C4; + Tue, 17 Sep 2002 14:16:56 -0400 (EDT) +Sender: garym@maya.dyndns.org +To: yyyy@example.com (Justin Mason) +Cc: "Stephen D. Williams" , johnhall@evergo.net, + fork@xent.com, lea@lig.net +Subject: Re: Slaughter in the Name of God +References: <20020917165028.4F4EA16F03@example.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Date: 17 Sep 2002 14:16:56 -0400 +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=AWL,NOSPAM_INC,REFERENCES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == Justin Mason writes: + + J> What about Tibetan Buddhism BTW? They seem like an awfully + J> nice bunch of chaps (and chapesses). + +Yes, them too. When wolves attack their sheep, they coral the wolf +into a quarry and then throw rocks from the surrounding cliffs so +that "no one will know who killed the wolf" + +In Samskar, before the Chinese arrived, there had not been a killing +in over 2000 years, and the last recorded skirmish, over rights to +a water hole, had happened several generations ago. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0661.123776ef7c55f1119daa8f77075f77cb b/machine-learning-ex6/ex6/easy_ham/0661.123776ef7c55f1119daa8f77075f77cb new file mode 100644 index 0000000..55c8f58 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0661.123776ef7c55f1119daa8f77075f77cb @@ -0,0 +1,74 @@ +From fork-admin@xent.com Tue Sep 17 23:29:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 01A1C16F16 + for ; Tue, 17 Sep 2002 23:29:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HIHeC21918 for ; + Tue, 17 Sep 2002 19:17:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 22C8C2940EA; Tue, 17 Sep 2002 11:14:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id E8EB529409F for ; + Tue, 17 Sep 2002 11:13:40 -0700 (PDT) +Received: (qmail 6439 invoked from network); 17 Sep 2002 18:16:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 17 Sep 2002 18:16:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 7F08F1C2C4; + Tue, 17 Sep 2002 14:16:56 -0400 (EDT) +To: yyyy@example.com (Justin Mason) +Cc: "Stephen D. Williams" , johnhall@evergo.net, + fork@xent.com, lea@lig.net +Subject: Re: Slaughter in the Name of God +References: <20020917165028.4F4EA16F03@example.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 17 Sep 2002 14:16:56 -0400 +X-Spam-Status: No, hits=-9.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == Justin Mason writes: + + J> What about Tibetan Buddhism BTW? They seem like an awfully + J> nice bunch of chaps (and chapesses). + +Yes, them too. When wolves attack their sheep, they coral the wolf +into a quarry and then throw rocks from the surrounding cliffs so +that "no one will know who killed the wolf" + +In Samskar, before the Chinese arrived, there had not been a killing +in over 2000 years, and the last recorded skirmish, over rights to +a water hole, had happened several generations ago. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0662.edbb54c8f940c4cf54b4a61e930691d7 b/machine-learning-ex6/ex6/easy_ham/0662.edbb54c8f940c4cf54b4a61e930691d7 new file mode 100644 index 0000000..6689433 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0662.edbb54c8f940c4cf54b4a61e930691d7 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Tue Sep 17 18:42:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 831BA16F03 + for ; Tue, 17 Sep 2002 18:42:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 18:42:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HHKeC20202 for ; + Tue, 17 Sep 2002 18:20:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DC8BE2940DE; Tue, 17 Sep 2002 10:17:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id 9EAC029409F for + ; Tue, 17 Sep 2002 10:16:07 -0700 (PDT) +Received: from spinnaker ([64.157.32.1]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020917171953.BJNK977.hughes-fe01@spinnaker> for ; + Tue, 17 Sep 2002 13:19:53 -0400 +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Re: Hanson's Sept 11 message in the National Review +From: Chuck Murcko +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: <96394F38-CA61-11D6-A53C-003065F93D3A@topsail.org> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 10:19:13 -0700 +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +Probably because we have this pesky 1st Amendment thing here. Still, +lots of us in the States have developed a disturbing tendency to shout +down or (in recent years) shackle in legal BS opinions, thoughts, and +individual behaviors we don't agree with. + +You can just ignore it if you wish. But I must feel obligated to defend +to the death your right to do so. + +Chuck + +On Monday, September 16, 2002, at 06:54 AM, Robert Harley wrote: + +The usual crud. Why do morons ranting and beating their chests in the +National Review (or similar rags) merit FoRKing? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0663.202ef7d7fb966db47f818a7b09b89b0e b/machine-learning-ex6/ex6/easy_ham/0663.202ef7d7fb966db47f818a7b09b89b0e new file mode 100644 index 0000000..9496353 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0663.202ef7d7fb966db47f818a7b09b89b0e @@ -0,0 +1,93 @@ +From fork-admin@xent.com Tue Sep 17 23:29:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AAC1216F03 + for ; Tue, 17 Sep 2002 23:29:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HIibC22560 for ; + Tue, 17 Sep 2002 19:44:37 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C08382940EF; Tue, 17 Sep 2002 11:41:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 4DEC029409F for ; + Tue, 17 Sep 2002 11:40:56 -0700 (PDT) +Received: (qmail 31352 invoked by uid 19621); 17 Sep 2002 18:42:41 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 17 Sep 2002 18:42:41 -0000 +Subject: Re: Slaughter in the Name of God +From: James Rogers +To: fork@example.com +In-Reply-To: +References: <20020917165028.4F4EA16F03@example.com> + +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032289276.2646.35.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 17 Sep 2002 12:01:16 -0700 +X-Spam-Status: No, hits=-11.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-09-17 at 11:16, Gary Lawrence Murphy wrote: +> >>>>> "J" == Justin Mason writes: +> +> J> What about Tibetan Buddhism BTW? They seem like an awfully +> J> nice bunch of chaps (and chapesses). +> +> Yes, them too. When wolves attack their sheep, they coral the wolf +> into a quarry and then throw rocks from the surrounding cliffs so +> that "no one will know who killed the wolf" +> +> In Samskar, before the Chinese arrived, there had not been a killing +> in over 2000 years, and the last recorded skirmish, over rights to +> a water hole, had happened several generations ago. + + +I'm skeptical. + +One of the many perversions of modern civilization is the fictitious +rendering of various peoples, frequently to the point where the fiction +is more "real" than the reality. You see it over and over again in +history: The Primitive People pull a fast one on Whitey The Junior +Anthropologist, playing to all the prejudices of Whitey (who only became +Junior Anthropologists to support personal ideologies), and before you +know it the charade takes on a life of its own which the Primitive +People are compelled to perpetuate. Worse, even when there is +substantial evidence to the contrary with some basic scholarship, the +facts have a hard time competing with the ideologically pleasing fiction +that is already firmly entrenched. And many peoples (e.g. American +Indians) develop a profit motive for maintaining and promoting the myth +in popular culture. + +I'm far more inclined to believe that people is people, no matter where +you are on the planet. The only time you see any anomalies is when you +have a self-selecting sub-population within an otherwise normal +population, which is hardly a fair way to look at any major population. + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0664.0d4d48964387db0637509ad10ee66763 b/machine-learning-ex6/ex6/easy_ham/0664.0d4d48964387db0637509ad10ee66763 new file mode 100644 index 0000000..1f199de --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0664.0d4d48964387db0637509ad10ee66763 @@ -0,0 +1,115 @@ +From fork-admin@xent.com Tue Sep 17 23:29:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3F52416F03 + for ; Tue, 17 Sep 2002 23:29:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HJXcC23989 for ; + Tue, 17 Sep 2002 20:33:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 454BD2940A6; Tue, 17 Sep 2002 12:30:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm1-28.sba1.netlojix.net + [207.71.218.76]) by xent.com (Postfix) with ESMTP id 1DD2429409F for + ; Tue, 17 Sep 2002 12:29:01 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id MAA26187; + Tue, 17 Sep 2002 12:40:05 -0700 +Message-Id: <200209171940.MAA26187@maltesecat> +To: fork@example.com +Subject: Re: The Big Jump +In-Reply-To: Message from fork-request@xent.com of + "Mon, 09 Sep 2002 19:25:02 PDT." + <20020910022502.8777.4915.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 12:40:05 -0700 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + + +> All else being equal, the terminal velocity is inversely proportional to the +> square root of air density. Air density drops off pretty quickly, and I +> really should be doing something other than digging up the math for that. I +> think it involves calculus to integrate the amount of mass as the column of +> the atmosphere trails off. + +Chemistry types have a method for +dealing with this question without +dragging in the calculus: + +Suppose an atmosphere to be mainly +affected by gravity, resulting in +the potential energy for a mass M +to be linear in height h: Mgh. + +What relative concentrations will +we have when two different packets +of air are in equilibrium? + +If they are at the same height, we +will have half the mass in one, and +half the mass in the other, and the +amount flowing from one to the other +balances the amount flowing in the +opposite direction.[0] + +If they are at differing heights, +then a greater percentage of the +higher air tends to descend than +that percentage of the lower air +which ascends. In order for the +two flows to balance, the higher +packet must contain less air than +the lower, and the mass balance +of the flows corresponds thusly: + + high percentage of thin air + --------------------------- + low percentage of dense air + +Now, rates are exponential in +energy differences[1], so that +theoretically we should expect +an exponential decay in height, +to compensate. How does it go +in practice? + +-Dave + +[0] How well does it balance? + Chemical equilibria seem + stable, as they deal with + very large numbers over a + very long time. Economic + equilibria are viewed from + the mayfly standpoint of + individual people, and so, + at best, the shot noise is + very visible. + +[1] That is to say, rates will + be exponential in the free + energy differences between + endpoints and a transition + state. We can ignore that + complication in this model. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0665.92e4e88458a94d0f02cfa34985127107 b/machine-learning-ex6/ex6/easy_ham/0665.92e4e88458a94d0f02cfa34985127107 new file mode 100644 index 0000000..6c83ec2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0665.92e4e88458a94d0f02cfa34985127107 @@ -0,0 +1,54 @@ +From johnhall@evergo.net Tue Sep 17 23:29:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CF5C316F03 + for ; Tue, 17 Sep 2002 23:29:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:47 +0100 (IST) +Received: from mail.evergo.net ([206.191.151.2]) by dogma.slashnull.org + (8.11.6/8.11.6) with SMTP id g8HKUvC25665 for ; + Tue, 17 Sep 2002 21:30:58 +0100 +Received: (qmail 31515 invoked from network); 17 Sep 2002 20:31:20 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 17 Sep 2002 20:31:20 -0000 +Reply-To: +From: "John Hall" +To: , "'Gary Lawrence Murphy'" +Cc: "'Stephen D. Williams'" , , + +Subject: RE: Slaughter in the Name of God +Date: Tue, 17 Sep 2002 13:31:20 -0700 +Message-Id: <001601c25e89$2f06a3d0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <20020917165028.4F4EA16F03@example.com> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Spam-Status: No, hits=-6.0 required=7.0 + tests=AWL,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + + +> From: yyyy@example.com [mailto:yyyy@example.com] +> Sent: Tuesday, September 17, 2002 9:50 AM +> > ... we've been fighting the War on Terrorism for as long +> > as there's been commerce, so you'd think we'd /realize/ that +> > escalation of violence is not a solution. +> +> Well said! +> +> --j. + +Yeah. It certainly wasn't a solution to the Carthaginian problem or the +Barbary Pirates. Wait ... no ... actually ... it was a rather permanent +solution. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0666.d26ea575aa017100f7caa40a0462fcc4 b/machine-learning-ex6/ex6/easy_ham/0666.d26ea575aa017100f7caa40a0462fcc4 new file mode 100644 index 0000000..8d00503 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0666.d26ea575aa017100f7caa40a0462fcc4 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Tue Sep 17 23:29:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3806216F03 + for ; Tue, 17 Sep 2002 23:29:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HKWiC25691 for ; + Tue, 17 Sep 2002 21:32:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 38AD02940C1; Tue, 17 Sep 2002 13:29:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 9656429409F for ; Tue, + 17 Sep 2002 13:28:20 -0700 (PDT) +Received: (qmail 31515 invoked from network); 17 Sep 2002 20:31:20 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 17 Sep 2002 20:31:20 -0000 +Reply-To: +From: "John Hall" +To: , "'Gary Lawrence Murphy'" +Cc: "'Stephen D. Williams'" , , + +Subject: RE: Slaughter in the Name of God +Message-Id: <001601c25e89$2f06a3d0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <20020917165028.4F4EA16F03@example.com> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 13:31:20 -0700 +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + + +> From: yyyy@example.com [mailto:yyyy@example.com] +> Sent: Tuesday, September 17, 2002 9:50 AM +> > ... we've been fighting the War on Terrorism for as long +> > as there's been commerce, so you'd think we'd /realize/ that +> > escalation of violence is not a solution. +> +> Well said! +> +> --j. + +Yeah. It certainly wasn't a solution to the Carthaginian problem or the +Barbary Pirates. Wait ... no ... actually ... it was a rather permanent +solution. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0667.9e0b1ad2888b8d638be9d486637eb445 b/machine-learning-ex6/ex6/easy_ham/0667.9e0b1ad2888b8d638be9d486637eb445 new file mode 100644 index 0000000..c739159 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0667.9e0b1ad2888b8d638be9d486637eb445 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Sep 17 23:29:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7517616F03 + for ; Tue, 17 Sep 2002 23:29:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HKbbC25882 for ; + Tue, 17 Sep 2002 21:37:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3B2DE2940C8; Tue, 17 Sep 2002 13:34:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav26.law15.hotmail.com [64.4.22.83]) by + xent.com (Postfix) with ESMTP id B4D652940C8 for ; + Tue, 17 Sep 2002 13:33:04 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 17 Sep 2002 13:36:22 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "Luis Villa" , +References: <20020917165028.4F4EA16F03@example.com> + <1032284209.2347.186.camel@towel.boston.ximian.com> +Subject: Re: Slaughter in the Name of God +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 17 Sep 2002 20:36:22.0259 (UTC) FILETIME=[E2742C30:01C25E89] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 13:40:12 -0700 +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Luis Villa" + +> +> They were the ruling class of a feudal, farming society for quite some +> time; I believe there were more than a few issues there. Certainly, not +> everyone in Tibet is as excited about the Dalai Lama as Hollywood +> appears to be. [Not that the Chinese are much better rights-wise, but +> they've actually built roads and such, which led to the creation of +> merchant classes and the like that never existed under the Tibetans.] +And it's not /going/ to exist under the Tibetans, because it'll be owned and +operated by Chinese nationals. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0668.d9eabdd9363513f9740355970eff7ae6 b/machine-learning-ex6/ex6/easy_ham/0668.d9eabdd9363513f9740355970eff7ae6 new file mode 100644 index 0000000..94ed4e8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0668.d9eabdd9363513f9740355970eff7ae6 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Tue Sep 17 23:29:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C0B9816F03 + for ; Tue, 17 Sep 2002 23:29:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:29:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8HLnbC27965 for ; + Tue, 17 Sep 2002 22:49:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C82AF2940A8; Tue, 17 Sep 2002 14:46:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 27C3E29409F for + ; Tue, 17 Sep 2002 14:45:50 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rQDJ-0002rP-00; + Tue, 17 Sep 2002 17:48:58 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net (Unverified) +Message-Id: +In-Reply-To: <1032289276.2646.35.camel@avalon> +References: <20020917165028.4F4EA16F03@example.com> + <1032289276.2646.35.camel@avalon> +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: Slaughter in the Name of God +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 17:26:09 -0400 +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 12:01 PM -0700 on 9/17/02, James Rogers wrote: + + +> The Primitive People pull a fast one on Whitey The Junior +> Anthropologist + +Or Margaret, in the case of a famous proto-feminist... + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0669.2d5135216a15406b161ca553a4612b2b b/machine-learning-ex6/ex6/easy_ham/0669.2d5135216a15406b161ca553a4612b2b new file mode 100644 index 0000000..bfc8b1c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0669.2d5135216a15406b161ca553a4612b2b @@ -0,0 +1,61 @@ +From fork-admin@xent.com Wed Sep 18 11:52:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 76DA416F03 + for ; Wed, 18 Sep 2002 11:52:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I2geC08306 for ; + Wed, 18 Sep 2002 03:42:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A34FE2940BF; Tue, 17 Sep 2002 19:39:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 26E6B29409F for + ; Tue, 17 Sep 2002 19:38:32 -0700 (PDT) +Received: (qmail 11587 invoked by uid 501); 18 Sep 2002 02:41:40 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 18 Sep 2002 02:41:40 -0000 +From: CDale +To: fork@example.com +Subject: boycotting yahoo +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 21:41:40 -0500 (CDT) +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Because of this: +http://hrw.org/press/2002/08/yahoo080902.htm +there are several of us who are in the BDSM lifestyle who are trying to +encourage our local groups to find alternatives to yahoo groups as a way +of communicating with each other. I've set up a place to have maillists +on my server for any group who wants to use it, but I was wondering if +anyone knows of an alternative that allows all the bells and whistles that +yahoo has, such as reminders, file storage, calendars, etc. Anyone? +TIA, +Cindy + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0670.4d4f5d10e1bcf26a5438defe1188dc57 b/machine-learning-ex6/ex6/easy_ham/0670.4d4f5d10e1bcf26a5438defe1188dc57 new file mode 100644 index 0000000..e49da33 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0670.4d4f5d10e1bcf26a5438defe1188dc57 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Wed Sep 18 11:52:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2245516F03 + for ; Wed, 18 Sep 2002 11:52:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I4MeC12215 for ; + Wed, 18 Sep 2002 05:22:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 954A62940C7; Tue, 17 Sep 2002 21:19:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from c007.snv.cp.net (h013.c007.snv.cp.net [209.228.33.241]) by + xent.com (Postfix) with SMTP id 0346C29409F for ; + Tue, 17 Sep 2002 21:18:29 -0700 (PDT) +Received: (cpmta 17587 invoked from network); 17 Sep 2002 21:21:48 -0700 +Received: from 65.189.7.13 (HELO alumni.rice.edu) by + smtp.directvinternet.com (209.228.33.241) with SMTP; 17 Sep 2002 21:21:48 + -0700 +X-Sent: 18 Sep 2002 04:21:48 GMT +Message-Id: <3D87FF0F.1000309@alumni.rice.edu> +From: Wayne E Baisley +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: FoRK@xent.com +Subject: Re: storage bits +References: +Content-Type: text/plain; charset=US-ASCII; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 23:20:31 -0500 +X-Spam-Status: No, hits=-1.4 required=7.0 + tests=KNOWN_MAILING_LIST,REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +At Fermi (yes I'm back there; long story), we're buying 4U systems like +the fiscal year is ending. We have ~20 ASA IR4US1 systems (not pushing +them, there are some other similar units available), with 60 more on +order. They're 2-1/2 TB for $10K, although we add a separate IDE or +SCSI system disk, because the 3Ware RAID controllers can saturate. +Intel SDS2 motherboard, 2 1.4GHz P3s, 2 GB ram, 2 3Ware 7850 Raid +controllers, 16 160GB Maxtors, SysKonnect gigabit enet, Fermi RedHat 7.3. + +http://www.asacomputers.com/cgi-bin/index.fcg?action=displayscreen&templateid=25 + +There's some interesting info at: + +http://mit.fnal.gov/~msn/cdf/caf/server_evaluation.html + +We've decided to go with XFS (which Linus has just merged into the 2.5 +tree), mostly because none of the other journaled fs's can maintain >30 +GB/s rates with a nearly full filesystem (mostly GB files) with random +deletions (we use these systems for caching our 2 petabyte tape store). + Ext3 almost did it but dropped from from ~38MB/s to 10 with random +deletions, and didn't want to do direct io at all. Only concern is an +occasional system lock-up we haven't chased down yet. A load avg > 100 +is always a patio of fun. + +Oddly, even fairly beefy systems like these will breathe hard to keep up +with the new STK 9940B tape drives, which crank along at a steady +30GB/s. And you oldforktimers will remember "doofus" my old file server +system. It would only take 2.1" of rackspace now, instead of 14 racks. + +Cheers, +Wayne + + diff --git a/machine-learning-ex6/ex6/easy_ham/0671.ea82754ba3b836e43d376b32c07b79f0 b/machine-learning-ex6/ex6/easy_ham/0671.ea82754ba3b836e43d376b32c07b79f0 new file mode 100644 index 0000000..3748dfa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0671.ea82754ba3b836e43d376b32c07b79f0 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Wed Sep 18 11:52:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2E7BC16F03 + for ; Wed, 18 Sep 2002 11:52:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I4vZC13372 for ; + Wed, 18 Sep 2002 05:57:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F3C7B2940D1; Tue, 17 Sep 2002 21:54:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from c007.snv.cp.net (h008.c007.snv.cp.net [209.228.33.236]) by + xent.com (Postfix) with SMTP id 8C0BC29409F for ; + Tue, 17 Sep 2002 21:53:30 -0700 (PDT) +Received: (cpmta 966 invoked from network); 17 Sep 2002 21:56:49 -0700 +Received: from 65.189.7.13 (HELO alumni.rice.edu) by + smtp.directvinternet.com (209.228.33.236) with SMTP; 17 Sep 2002 21:56:49 + -0700 +X-Sent: 18 Sep 2002 04:56:49 GMT +Message-Id: <3D880744.1050300@alumni.rice.edu> +From: Wayne E Baisley +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Florida Our Recount Kapitol +Subject: Re: FWD: Florida Primary 2002: Back to the Future +References: <3D8216C8.8F0D61DA@Golux.Com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 17 Sep 2002 23:55:32 -0500 +X-Spam-Status: No, hits=-1.4 required=7.0 + tests=KNOWN_MAILING_LIST,REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Yes, it's nice to be back in America's flaccid state ... + +Seems like only yesterday we were suffering electile dysfunction ... + +Maybe if they made the ballot ovals look like little blue pills ... + +No, seriously ... I'm here all week ... You were great ... +'nite everybody + + diff --git a/machine-learning-ex6/ex6/easy_ham/0672.a8927156ce344160530dc0e918a42472 b/machine-learning-ex6/ex6/easy_ham/0672.a8927156ce344160530dc0e918a42472 new file mode 100644 index 0000000..25c7158 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0672.a8927156ce344160530dc0e918a42472 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Wed Sep 18 11:52:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C0FEF16F03 + for ; Wed, 18 Sep 2002 11:52:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I5wYC15711 for ; + Wed, 18 Sep 2002 06:58:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 083F02940C6; Tue, 17 Sep 2002 22:55:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 7555029409F for ; + Tue, 17 Sep 2002 22:54:27 -0700 (PDT) +Received: (qmail 20902 invoked from network); 18 Sep 2002 05:57:48 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 18 Sep 2002 05:57:48 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id AE0ED1C2C4; + Wed, 18 Sep 2002 01:57:43 -0400 (EDT) +To: CDale +Cc: fork@example.com +Subject: Re: boycotting yahoo +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 18 Sep 2002 01:57:43 -0400 +X-Spam-Status: No, hits=-5.3 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +I'm a bit confused about this boycott thing. How is what China is +doing any different than having Scientology and who ever else +state-side who takes the whim evoking the DMCA to close down foreign +sites they deem inappropriate? At least the Chinese make it voluntary +and ask politely, rather than just sending legal musclemen first off. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0673.1850e124a4ef3beb85071e67d7f8bf6d b/machine-learning-ex6/ex6/easy_ham/0673.1850e124a4ef3beb85071e67d7f8bf6d new file mode 100644 index 0000000..81ddcb6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0673.1850e124a4ef3beb85071e67d7f8bf6d @@ -0,0 +1,162 @@ +From fork-admin@xent.com Wed Sep 18 11:52:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5CDB816F03 + for ; Wed, 18 Sep 2002 11:52:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I7UpC19432 for ; + Wed, 18 Sep 2002 08:30:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CFB012940CB; Wed, 18 Sep 2002 00:27:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 1207F29409F for ; Wed, + 18 Sep 2002 00:26:08 -0700 (PDT) +Received: (qmail 17500 invoked from network); 18 Sep 2002 07:29:22 -0000 +Received: from adsl-66-124-227-84.dsl.snfc21.pacbell.net (HELO golden) + (66.124.227.84) by relay1.pair.com with SMTP; 18 Sep 2002 07:29:22 -0000 +X-Pair-Authenticated: 66.124.227.84 +Message-Id: <008201c25ee5$1285de40$640a000a@golden> +From: "Gordon Mohr" +To: +References: <20020917172627.A1DBDC44D@argote.ch> +Subject: Defending Unliked Speech Re: Hanson's Sept 11 message in the + National Review +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 8bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 00:29:01 -0700 +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES + version=2.50-cvs +X-Spam-Level: + +Robert Harley writes: +> Chuck Murcko wrote: + +> > But I must feel obligated to defend to the death your right to do so. +> +> «Je désapprouve ce que vous dites, mais je défendrai jusqu'à ma mort votre +> droit de le dire» +> - Arouet Le Jeune, dit «Voltaire» (1694-1778). + +Here's hoping that tradition perseveres for the novelist +currently on trial in Paris for calling Islam "the stupidest +religion"... + +http://ca.news.yahoo.com/020917/5/ozxa.html + +# Tuesday September 17 11:07 AM EST +# +# French Writer Tried As Anti-Islam, Protest Erupts +# By Caroline Brothers +# +# PARIS (Reuters) - Provocative French novelist Michel Houellebecq +# faced a Paris court on Tuesday for allegedly inciting racial hatred +# by calling Islam "the stupidest religion" and its holy book the +# Koran a depressing read. +# +# The case, brought against him by four Muslim groups, is a cause +# celebre reminiscent of the Salman Rushdie affair, pitting freedom of +# expression against religious sensitivities. +# +# The Muslim groups, which include the Mecca-based World Islamic +# League and the Paris Mosque, accuse the writer of insulting Islam in +# an interview with the literary magazine "Lire" during last year's +# launch of his novel "Plateforme." +# +# Lire is also on trial over the remarks, which have taken on an added +# significance in France in the atmosphere of heightened sensitivity +# and concern about Islam following the September 11 attacks by Muslim +# radicals in the United States. +# +# Shortly after the trial started, 11 people in the courtroom stripped +# off their shirts to reveal T-shirts saying "No to the censure of the +# imams" and "Marianne veiled, Marianne raped" -- a reference to the +# female symbol of the French republic. +# +# "Freedom of expression! freedom of expression!" they and other +# Houellebecq supporters chanted after they were thrown out of the +# courtroom at the main law courts in central Paris. +# +# While intellectuals argued before the trial that Houellebecq should +# be free to write what he wants, Lyon Mosque rector Kamel Kabtan +# retorted: "We are for freedom of expression, but not for insulting +# communities." +# +# BETE NOIRE +# +# Houellebecq, 45, the bete noire of contemporary French literature, +# is no stranger to controversy. He offended conservatives and the +# politically correct left with his 1998 novel "Les Particules +# Elementaires" ("Atomised" in English). +# +# Paris Mosque rector Dalil Boubakeur says Muslims have been insulted +# once before by Houellebecq, who had the main character in Plateforme +# admit he felt "a quiver of glee" every time a "Palestinian +# terrorist" was killed. +# +# The World Islamic League, the Lyon Mosque and the National +# Federation of Muslims in France have joined the Paris Mosque in +# bringing Houellebecq to trial. +# +# France's Human Rights League joined them as a civil party, saying +# Houellebecq's comments amounted to "Islamophobia" and deserved to be +# sanctioned as part of the league's struggle against discrimination +# and racism. +# +# The Paris Mosque has hired Jean-Marc Varaut, one of France's leading +# trial lawyers, whose past clients include Maurice Papon, the former +# official condemned in 1998 for Nazi-era crimes against humanity for +# sending Jews to death camps. +# +# RESTORING BLASPHEMY? +# +# Houellebecq's lawyer Emmanuel Pierrat argues that the case +# effectively re-establishes the notion of blasphemy, despite the fact +# that France as a secular state has no such law, and says +# Houellebecq's opponents want to deny him freedom of expression. +# +# He also argues that the interview in Lire truncated a six-hour +# conversation and Houellebecq was not given the chance to approve the +# article before it appeared. +# +# Houellebecq's publisher Flammarion has distanced itself from the +# author, whose comments some say may have cost him France's +# prestigious Goncourt prize -- for which he had been a contender. +# +# The novelist, who lives outside Cork, Ireland, writes in a detached +# style about a bleak world in which people have forgotten how to +# love. +# +# Translated into 25 languages, "Atomised" incensed France's 1968 +# generation with its scathing descriptions of the hippie era but won +# him France's November prize in 1998 and the Impac award, one of the +# world's biggest fiction prizes. +# +# Losing his case may mean a year in jail or a $51,000 fine. + +- Gordon + + diff --git a/machine-learning-ex6/ex6/easy_ham/0674.491042298959b1aed91c95ae2beaece2 b/machine-learning-ex6/ex6/easy_ham/0674.491042298959b1aed91c95ae2beaece2 new file mode 100644 index 0000000..72162cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0674.491042298959b1aed91c95ae2beaece2 @@ -0,0 +1,56 @@ +From fork-admin@xent.com Wed Sep 18 11:52:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D206816F03 + for ; Wed, 18 Sep 2002 11:52:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8I9SdC23677 for ; + Wed, 18 Sep 2002 10:28:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BE5482940D3; Wed, 18 Sep 2002 02:25:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id CABFF29409F for ; Wed, 18 Sep 2002 02:24:23 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id DB839C44D; + Wed, 18 Sep 2002 11:27:12 +0200 (CEST) +To: fork@example.com +Subject: Re: RSA (repost) +Message-Id: <20020918092712.DB839C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 11:27:12 +0200 (CEST) +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +"Adam L. Beberg" wrote: +> So, who has done RSA implementation before? + +/me raises hand. + + +> Having a typo-I-cant-spot problem with my CRT... + +Send me the source. + + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0675.6af6c3451a0d2caed7a332366aa3ddd8 b/machine-learning-ex6/ex6/easy_ham/0675.6af6c3451a0d2caed7a332366aa3ddd8 new file mode 100644 index 0000000..45e5742 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0675.6af6c3451a0d2caed7a332366aa3ddd8 @@ -0,0 +1,50 @@ +From fork-admin@xent.com Wed Sep 18 11:52:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6697216F03 + for ; Wed, 18 Sep 2002 11:52:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:52:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IAmeC26123 for ; + Wed, 18 Sep 2002 11:48:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 976052940D4; Wed, 18 Sep 2002 03:45:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id BA31D29409F for ; Wed, 18 Sep 2002 03:44:51 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 5A00BC44D; + Wed, 18 Sep 2002 12:47:40 +0200 (CEST) +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +Message-Id: <20020918104740.5A00BC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 12:47:40 +0200 (CEST) +X-Spam-Status: No, hits=-1.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Pity. Reading that woman's ad and knowing Rohit for years, they sound +like a match made in heaven. But why, oh, why, keep that shaved-head +photo on prominent display??? There are lots of photos of Rohit +looking rather dashing, and with the crucial hair feature enabled! + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0676.80208e9973e3ec09a0377e1342c0a3a5 b/machine-learning-ex6/ex6/easy_ham/0676.80208e9973e3ec09a0377e1342c0a3a5 new file mode 100644 index 0000000..11837d0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0676.80208e9973e3ec09a0377e1342c0a3a5 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Wed Sep 18 14:06:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6F01716F03 + for ; Wed, 18 Sep 2002 14:06:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 14:06:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IBEdC27094 for ; + Wed, 18 Sep 2002 12:14:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8FA052940D6; Wed, 18 Sep 2002 04:11:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id EB19C29409F for ; + Wed, 18 Sep 2002 04:10:10 -0700 (PDT) +Received: from Golux.Com (dsl-64-192-128-105.telocity.com + [64.192.128.105]) by Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id + g8IBDUi31333; Wed, 18 Sep 2002 07:13:30 -0400 +Message-Id: <3D885FE0.37C1C9EA@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (Windows NT 5.0; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Flatware or Road Kill? +Subject: Re: boycotting yahoo +References: +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 07:13:36 -0400 +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +CDale wrote: +> +> I was wondering if anyone knows of an alternative that allows +> all the bells and whistles that yahoo has, such as reminders, +> file storage, calendars, etc. + +SmartGroups, I think. +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0677.16c583f992f1c13c9f2eb2aa58f84214 b/machine-learning-ex6/ex6/easy_ham/0677.16c583f992f1c13c9f2eb2aa58f84214 new file mode 100644 index 0000000..d5fca0a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0677.16c583f992f1c13c9f2eb2aa58f84214 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Wed Sep 18 14:06:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B1A4716F03 + for ; Wed, 18 Sep 2002 14:06:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 14:06:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IBUcC27697 for ; + Wed, 18 Sep 2002 12:30:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5EEED2940E1; Wed, 18 Sep 2002 04:27:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from permafrost.net (unknown [64.5.214.38]) by xent.com + (Postfix) with SMTP id 2A5332940E0 for ; Wed, + 18 Sep 2002 04:26:51 -0700 (PDT) +Received: (qmail 767 invoked by uid 1000); 18 Sep 2002 11:21:39 -0000 +From: "Owen Byrne" +To: Paul Prescod +Cc: Owen Byrne , fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020918112139.GA740@www.NT-NETWORK> +References: <96394F38-CA61-11D6-A53C-003065F93D3A@topsail.org> + <20020917173852.GB5613@www.NT-NETWORK> <3D87FCD5.8000302@prescod.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <3D87FCD5.8000302@prescod.net> +User-Agent: Mutt/1.4i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 08:21:39 -0300 +X-Spam-Status: No, hits=-11.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Tue, Sep 17, 2002 at 09:11:01PM -0700, Paul Prescod wrote: +> Owen Byrne wrote: +> >... +> > +> >Except that parroting the party line doesn't really require much +> >freedom of speech. Now if you had posted something from a left of +> >center source, you would have been shouted down in flames, buried in +> >ad hominem attacks, and probably get your name added to an FBI list. +> +> Do you think it is really useful to combat hysterical right-wing +> propoganda with hysterical left-wing propoganda? +> +Sure it is - it tends to bring out the people who let "hysterical +right wing propaganda" spew forth, while reaching for their gun +whenever a "liberal" enters the room. + +my hysterical left wing "propaganda" is generally an emotional +reaction on a mailing list, not an organizaed attempt at converting +people's thinking through lies and distortion (as was the original +article). + +Whereas your constant and predictable brandings of my postings are, to + my mind, a deliberate and reasoned effort to reduce debate, and + discourage left of center postngs. + +Owen + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0678.98548de034832af64015d60cec0d69c6 b/machine-learning-ex6/ex6/easy_ham/0678.98548de034832af64015d60cec0d69c6 new file mode 100644 index 0000000..09e1347 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0678.98548de034832af64015d60cec0d69c6 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Wed Sep 18 14:06:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 54A4716F03 + for ; Wed, 18 Sep 2002 14:06:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 14:06:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ICOeC29554 for ; + Wed, 18 Sep 2002 13:24:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C502129409F; Wed, 18 Sep 2002 05:21:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id BB5BC29409E for + ; Wed, 18 Sep 2002 05:20:52 -0700 (PDT) +Received: (qmail 19572 invoked by uid 501); 18 Sep 2002 12:24:02 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 18 Sep 2002 12:24:02 -0000 +From: CDale +To: Gary Lawrence Murphy +Cc: fork@example.com +Subject: Re: boycotting yahoo +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 07:24:02 -0500 (CDT) +X-Spam-Status: No, hits=-8.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Well I don't think China could force Yahoo! to give up info. So if they +are so willing to give it, why wouldn't they be willing to give info to +some silly group who may one day decide to get a hair up their ass about +the practice of BDSMers? (not to mention folks who don't even practice, +but who are just interested in information) What about folks who are +interested in talking about software security issues? Didja read about +the guy in China who got 11 years for downloading and printing out pro-democracy +info? +http://www.democracy.org.hk/EN/2002/aug/news_04.html +I'm confused about what you're confused about. +Cindy + +On 18 Sep 2002, Gary Lawrence Murphy wrote: + +> +> I'm a bit confused about this boycott thing. How is what China is +> doing any different than having Scientology and who ever else +> state-side who takes the whim evoking the DMCA to close down foreign +> sites they deem inappropriate? At least the Chinese make it voluntary +> and ask politely, rather than just sending legal musclemen first off. +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0679.0395351a76c9b311808536a2bfa5961c b/machine-learning-ex6/ex6/easy_ham/0679.0395351a76c9b311808536a2bfa5961c new file mode 100644 index 0000000..6542565 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0679.0395351a76c9b311808536a2bfa5961c @@ -0,0 +1,72 @@ +From fork-admin@xent.com Wed Sep 18 17:43:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EA23316F03 + for ; Wed, 18 Sep 2002 17:43:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 17:43:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IGDeC06492 for ; + Wed, 18 Sep 2002 17:13:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3C54E2940E3; Wed, 18 Sep 2002 09:10:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from tisch.mail.mindspring.net (tisch.mail.mindspring.net + [207.69.200.157]) by xent.com (Postfix) with ESMTP id 459DC29409E for + ; Wed, 18 Sep 2002 09:09:05 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + tisch.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rhQz-0003iE-00; + Wed, 18 Sep 2002 12:12:14 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: <3D885FE0.37C1C9EA@Golux.Com> +References: + <3D885FE0.37C1C9EA@Golux.Com> +To: Rodent of Unusual Size , + Flatware or Road Kill? +From: "R. A. Hettinga" +Subject: Re: boycotting yahoo +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 11:06:01 -0400 +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 7:13 AM -0400 on 9/18/02, Rodent of Unusual Size wrote: + + +> SmartGroups, I think. + +Dave Farber's Interesting People list just went over to + + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0680.7f29d3e313c7bf2b543c6fa48b43e77e b/machine-learning-ex6/ex6/easy_ham/0680.7f29d3e313c7bf2b543c6fa48b43e77e new file mode 100644 index 0000000..3a114a5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0680.7f29d3e313c7bf2b543c6fa48b43e77e @@ -0,0 +1,86 @@ +From fork-admin@xent.com Wed Sep 18 17:43:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 52A8916F03 + for ; Wed, 18 Sep 2002 17:43:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 17:43:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IGUdC07204 for ; + Wed, 18 Sep 2002 17:30:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3AB012940E5; Wed, 18 Sep 2002 09:27:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id EE98E29409E for ; + Wed, 18 Sep 2002 09:26:31 -0700 (PDT) +Received: (qmail 14126 invoked from network); 18 Sep 2002 16:26:35 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 18 Sep 2002 16:26:35 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 49CB21C2C4; + Wed, 18 Sep 2002 12:26:32 -0400 (EDT) +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +References: <20020918104740.5A00BC44D@argote.ch> + <200209181145.50631.eh@mad.scientist.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 18 Sep 2002 12:26:32 -0400 +X-Spam-Status: No, hits=-5.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "E" == Eirikur Hallgrimsson writes: + + E> You just can't tell important things from a picture and a few + E> words. It's not how we are built. There's no geek code for + E> the heart and soul. + +Nor is there a Turing Test, even for someone with whom you've spent 11 +years, boom, bust and boom again, and 3 children (trust me) There is +no magic litmus test other than the totally empirical: "Try it and +see" + +"String bags full of oranges + And matters of the heart, + People laugh at /anything/ + And things just fall apart." + - michael leunig + +The only real test, the only /sensible/ test, is to look back and +realize your relationship has lasted 50 years and see no reason to +believe it couldn't last another 50. In the absense of 50 years of +actual (ahem) hands-on experiential data, a photo and a few words are +as good as any, provided you are prepared for the dynamics of it. + +Love is a verb. Sex is a /shared/ pursuit. There is no +'relation-ship', there is only the crew. sail away! + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0681.a0c682a61d47a58820ffa73d5555f3fb b/machine-learning-ex6/ex6/easy_ham/0681.a0c682a61d47a58820ffa73d5555f3fb new file mode 100644 index 0000000..5a343eb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0681.a0c682a61d47a58820ffa73d5555f3fb @@ -0,0 +1,125 @@ +From fork-admin@xent.com Wed Sep 18 17:43:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1544E16F03 + for ; Wed, 18 Sep 2002 17:43:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 17:43:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IFmlC05232 for ; + Wed, 18 Sep 2002 16:48:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 579FF2940C5; Wed, 18 Sep 2002 08:45:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc52.attbi.com (rwcrmhc52.attbi.com [216.148.227.88]) + by xent.com (Postfix) with ESMTP id 92CFB29409E for ; + Wed, 18 Sep 2002 08:44:14 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc52.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020918154734.SMXN6128.rwcrmhc52.attbi.com@Intellistation> for + ; Wed, 18 Sep 2002 15:47:34 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +User-Agent: KMail/1.4.1 +References: <20020918104740.5A00BC44D@argote.ch> +In-Reply-To: <20020918104740.5A00BC44D@argote.ch> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209181145.50631.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 11:45:50 -0400 +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Wednesday 18 September 2002 06:47 am, Robert Harley wrote: +> ....and with the crucial hair feature enabled! + +That got a good laugh out of me. Just saying "crucial hair feature" +improves my day immeasurably. + +I've done a fair amount of thinking about the "media intermediated" meeting +thing. It seriously loses for reasons like Rohit's just encountered. +One is both rejected for trivial reasons and rejects for the same. +Some people loudly defend that these choices are not trivial. + +I'd have never met my best friend if I had to pick her out of a crowd for +getting to know. I was a teen at the time, but I won't say I'm much +improved at being able to spot "interesting" at a distance. Interesting +isn't an external thing. I have that brought home to me again every so +often. I may think that interesting people dress differently or whatever, +but that's total superstition. How do I know what your version of +creative attire is? Maybe it's purely functional. + +I was at a loud party recently, sufficiently loud that conversation of any +kind was extremely difficult, and intoxication was the norm. I was +working on what my algorithm for meeting people there should be and one of +the candidates was "women, in order of attractiveness." I flinched from +that, rather violently. At a trade show, or something, I might elect to +talk to the people who are looking at interesting exhibits. At a +party.....well, if you can't hear the conversation they are having, or if +on the net all you have is a photo..... + +You just can't tell important things from a picture and a few words. It's +not how we are built. There's no geek code for the heart and soul. +(And if there were people would lie and game the system.) +It's too easy to say "Oh, no! He's a geek!" or "She's a CAT person, +ick!" when you might have a great time together. + +We are constructed to form alliances based on how we fit together as +people, how we feel in the other person's company, how well we partner on +tasks and recreation. This is all entirely speculative based on nothing +but superstitious association unless you actually have time in the +person's company. Which is why we tend to be screwed when our circle of +exposure shrinks after school. + +Personally, as a writer, the whole internet meet & email thing ought to +work better for me than it does for other people, but interestingly, it +doesn't. I have to put out the same amount of effort and reap about the +same poor results. I have to think it's not the people, but the tool. + +An aside (okay, yes, I'm a tool geek): Speed Dating +Speed Dating (aka 7 Minute Dating) is a live-action stab at actual time in +the company of a variety of people, compressed into one event. I think +it's noticably better, but still absolutely nothing like working on a +project together, cooking, climbing a mountain or whatever. +It was, in fact, invented as a jewish thing seeking to match up the young +people to avoid total assimilation. It has too much "interview" context +and no shared activity beyond that. I give it several points for effort +though. + +I guess my impression that even the Speed Dating thing doesn't do much for +you means that the traditional advice of "join activities groups" is +actually sound. + +Eirikur + + + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0682.d34b905308dfbc89c0175ffcd5646113 b/machine-learning-ex6/ex6/easy_ham/0682.d34b905308dfbc89c0175ffcd5646113 new file mode 100644 index 0000000..07d2c24 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0682.d34b905308dfbc89c0175ffcd5646113 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Thu Sep 19 11:04:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EEB6716F03 + for ; Thu, 19 Sep 2002 11:04:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IH9dC08730 for ; + Wed, 18 Sep 2002 18:09:40 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AE2802940E9; Wed, 18 Sep 2002 10:06:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 8967929409E for ; Wed, 18 Sep 2002 10:05:09 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 80FA1C44D; + Wed, 18 Sep 2002 19:07:52 +0200 (CEST) +To: fork@example.com +Subject: Re: Defending Unliked Speech +Message-Id: <20020918170752.80FA1C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 19:07:52 +0200 (CEST) +X-Spam-Status: No, hits=-1.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Gordon Mohr quoted: +># French Writer Tried As Anti-Islam, Protest Erupts +># By Caroline Brothers +># +># PARIS (Reuters) - Provocative French novelist Michel Houellebecq +># faced a Paris court on Tuesday for allegedly inciting racial hatred +># by calling Islam "the stupidest religion" and its holy book the +># Koran a depressing read. +># +># The case, brought against him by four Muslim groups, is a cause +># celebre reminiscent of the Salman Rushdie affair, pitting freedom of +># expression against religious sensitivities. + +Very reminiscent indeed. Ayatollah Chirac has decreed a death +sentence on Houellebecq and liked-minded fundamentalists have offered +millions of euros bounty for his head, so he has gone into hiding +under police protection for a few years. + +Or maybe some handful of Muslims are acting uppity and dragging him to +court under "hate speech" laws make a point about people not showin' +dem da massive respect dat dey deserve, especially these days. + +Or maybe some journo is trying to fill column inches on a boring day. + + +BTW I read Houellebecq's "Extension du domaine de la lutte" recently, +about a depressed computer services dude working in Paris, looking for +love and not finding it, slowing losing his marbles and trying to get +a friend of his to kill a woman, and ending up in a clinic for +nutcases... Yikes! Purposely provocative, very depressing, with some +unbelievably boring passages where the anti-hero writes little stories +about animals talking philosophical mumbo-jumbo to each other, quoted +inline in full for pages on end. + +It starts out: + +"On Friday evening, I was invited to a party with some colleagues from +work. There were about thrity of us, all professionals aged from +twenty-five to forty. At one point, some cunt started getting +undressed. She took off her T-shirt, then her bra, then her skirt, all +the while making unbelievable faces. She pranced around for a few +seconds, then she started getting dresesd again because she didn't +know what else to do. Anyway she never sleeps with anyone. Which +underlines the absurdity of her behaviour. + +After my fourth glass of vodka I started to feel pretty bad so I had +to go lie down on a bunch of cushions behind the couch. Shortly after +that, two girls came and sat on the couch. Those girls are not pretty +at all, the two fat office cows actually. They go to eat together and +read books about the development of language in children, all that +sort of stuff." + +... and it's downhill from there! + + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0683.782e26a57d2ef6f0d8f9e82b658563e0 b/machine-learning-ex6/ex6/easy_ham/0683.782e26a57d2ef6f0d8f9e82b658563e0 new file mode 100644 index 0000000..f8af04a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0683.782e26a57d2ef6f0d8f9e82b658563e0 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Thu Sep 19 11:04:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 86B8616F16 + for ; Thu, 19 Sep 2002 11:04:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IHExC08992 for ; + Wed, 18 Sep 2002 18:15:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BFEED2940F2; Wed, 18 Sep 2002 10:08:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 053DF2940A9 for + ; Wed, 18 Sep 2002 10:07:13 -0700 (PDT) +Received: (qmail 23158 invoked by uid 501); 18 Sep 2002 17:10:17 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 18 Sep 2002 17:10:17 -0000 +From: CDale +To: Gary Lawrence Murphy +Cc: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 12:10:17 -0500 (CDT) +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_DENSE, + T_REPLY_WITH_QUOTES,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hear hear, Gary. I'm living with a guy right now who I met at a party, +emailed with for 2 weeks, then powie! We were both looking at similar +goals in life in general, had some attraction for each other, and decided +to wing it. I can't say what's going to happen tomorrow, but right now, +and for the past few months, we've been happy. Onward Ho! (: +Cindy + +On 18 Sep 2002, Gary Lawrence Murphy wrote: + +> >>>>> "E" == Eirikur Hallgrimsson writes: +> +> E> You just can't tell important things from a picture and a few +> E> words. It's not how we are built. There's no geek code for +> E> the heart and soul. +> +> Nor is there a Turing Test, even for someone with whom you've spent 11 +> years, boom, bust and boom again, and 3 children (trust me) There is +> no magic litmus test other than the totally empirical: "Try it and +> see" +> +> "String bags full of oranges +> And matters of the heart, +> People laugh at /anything/ +> And things just fall apart." +> - michael leunig +> +> The only real test, the only /sensible/ test, is to look back and +> realize your relationship has lasted 50 years and see no reason to +> believe it couldn't last another 50. In the absense of 50 years of +> actual (ahem) hands-on experiential data, a photo and a few words are +> as good as any, provided you are prepared for the dynamics of it. +> +> Love is a verb. Sex is a /shared/ pursuit. There is no +> 'relation-ship', there is only the crew. sail away! +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0684.f0f0e8e9d0c203b93278c58447e3ce88 b/machine-learning-ex6/ex6/easy_ham/0684.f0f0e8e9d0c203b93278c58447e3ce88 new file mode 100644 index 0000000..767c0a2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0684.f0f0e8e9d0c203b93278c58447e3ce88 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Thu Sep 19 11:04:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ED42216F03 + for ; Thu, 19 Sep 2002 11:04:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IHH0C09020 for ; + Wed, 18 Sep 2002 18:17:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A2CD82940F1; Wed, 18 Sep 2002 10:12:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id 139AF29409E for + ; Wed, 18 Sep 2002 10:11:40 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g8IHF0h02719 for ; Wed, 18 Sep 2002 + 10:15:00 -0700 (PDT) +Message-Id: <3D88B494.1050702@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +References: <20020918104740.5A00BC44D@argote.ch> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 10:15:00 -0700 +X-Spam-Status: No, hits=-2.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Perhaps we should start a grass roots movement here on FoRK and send the +nice lady a few emails on his behalf? Better yet, why don't we see on +who can write the best personals ad for Rohit? I'll post the best one to +Craigs' list on his behalf. The winner can take me out to dinner. (No, +really, I'm charming.) + +Elias + + +Robert Harley wrote: + +>Pity. Reading that woman's ad and knowing Rohit for years, they sound +>like a match made in heaven. But why, oh, why, keep that shaved-head +>photo on prominent display??? There are lots of photos of Rohit +>looking rather dashing, and with the crucial hair feature enabled! +> +>R +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0685.1658351aa8cc515f74fb3eee7418d143 b/machine-learning-ex6/ex6/easy_ham/0685.1658351aa8cc515f74fb3eee7418d143 new file mode 100644 index 0000000..a46dab6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0685.1658351aa8cc515f74fb3eee7418d143 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Sep 19 11:04:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 229DB16F03 + for ; Thu, 19 Sep 2002 11:04:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IHweC10151 for ; + Wed, 18 Sep 2002 18:58:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA8072940A9; Wed, 18 Sep 2002 10:55:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 2B3C229409E for + ; Wed, 18 Sep 2002 10:54:02 -0700 (PDT) +Received: (qmail 12294 invoked by uid 508); 18 Sep 2002 17:57:04 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (62.155.144.50) by + venus.phpwebhosting.com with SMTP; 18 Sep 2002 17:57:04 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8IHvFP15382; Wed, 18 Sep 2002 19:57:15 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Tom +Cc: CDale , + Gary Lawrence Murphy , +Subject: Re: boycotting yahoo +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 19:57:15 +0200 (CEST) +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,T_REPLY_WITH_QUOTES,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Wed, 18 Sep 2002, Tom wrote: + +> The others are on mailing list only status for now. A few of the +> groups I was in that are run by others are harder to deal with since +> many folks just dont want to have to deal with the inconvienence of a +> understanding. + +I've terminated a number of my own mailing lists at yahoogroups many +months ago because of similiar sentiments. I've tried lobbying other +people to move, but with about zero success. + +I've got currently only one own mailing list there, which I'm going to +move as soon as it is technically possible (which is my ISP's problem, +basically). After that, I intend to kick yahoogroups for good. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0686.be9e16843bcf570a9e7e9549f770d3ac b/machine-learning-ex6/ex6/easy_ham/0686.be9e16843bcf570a9e7e9549f770d3ac new file mode 100644 index 0000000..6940a99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0686.be9e16843bcf570a9e7e9549f770d3ac @@ -0,0 +1,135 @@ +From fork-admin@xent.com Thu Sep 19 11:04:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 44D5C16F03 + for ; Thu, 19 Sep 2002 11:04:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IIcfC11476 for ; + Wed, 18 Sep 2002 19:38:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 76BD12940AC; Wed, 18 Sep 2002 11:35:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id F364929409E for + ; Wed, 18 Sep 2002 11:34:49 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rjiB-0006LF-00; + Wed, 18 Sep 2002 14:38:07 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: <20020918104740.5A00BC44D@argote.ch> + <200209181145.50631.eh@mad.scientist.com> +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: [VoID] a new low on the personals tip... +Cc: Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 14:13:32 -0400 +X-Spam-Status: No, hits=-5.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +I know it's not the popular choice for a lot of people, but I'd +suggest, um, church. :-). Like Woody Allen said, 90% of life is +showing up, right? + + +Almost anyone can find a church where the sermons don't make you bust +out laughing, and you're set. I, for instance, am a Unitarian, which, +as someone once observed, is merely a decompression chamber between a +real church and a golf course. (ObUUJokes: Mid 70's bumper-sticker: +"Honk if you're not sure"; Lenny Bruce: "Did you hear about how the +Klan burned a question mark on the Unitarian's lawn?"; "Unitarians +would rather go to a discussion group about heaven than to heaven +itself."; "Unitarians pray 'to whom it may concern'"; etc...) + +But, seriously, folks, my teenage-adopted denomination (I'm, um, +lapsed, on several fronts, a Dutch-Reformed-turned-atheist father and +an agnostic mother who used to be a southern Baptist of some stripe +or another) and frankly limousine liberal secular-humanist +congregation is about as orthogonal to my present +congenital-Republican small-l libertarian turned anarchocapitalist +politics as it is possible to be (except for the secular-humanist +bit...), and I still go pretty regularly, though not as much as I +used to. Heck, the older I get the less of the divine I believe in. +I'm asymptotically approaching my father's atheism, these days, and I +show up at least once a month. Nice folks though, when I can keep a +civil tongue in my head -- smart too, when I can't and end up arguing +with them. :-). + + +Anyway, if *I* can end up hitched, anyone can. Talk about orthogonal. +I met my practically-socialist state-education-bureaucrat wife one +year after I started, moved in with her 6 weeks later :-), married +her 2 years after that, and I wasn't even trying meet women. I was +just looking to make friends as I was new in town. + + +The trick to the church thing is, whatever denomination/congregation +you end up in, expect to end up with a mate, not a date. I mean, some +guys manage to stay single, but most, like me, don't. You can +practically see the laser-sights light up when you walk into a +room... + +That's because, of course, most churches are *run* by women. Most +regular attendants are women. Hell, 65% of all new *ministers*, in +protestant denominations, at least, are women. No matter your age, +looks, intelligence, whatever, you'll end up surrounded by women. +You'll be outnumbered, even several to one -- some of whom are at +least better looking than you are. :-). The only place where there +are *more* women running things is in grass-roots Republican politics +- -- but I won't go there, I promise. + + +If I may make a presumption here, since you brought it up, I figure +that between the sophistication and diversity of the subcontinent's +religions, and the ubiquity of Indians in various stages of +assimilation in So/NoCal, you can find some place to hang out near +you, Rohit. You probably don't even have to go, um, native, like I +did -- backsliding on my own ostensibly rational godless upbringing +and becoming, horrors, a Unitarian... + +Cheers, +RAH + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPYjCBcPxH8jf3ohaEQI2vwCbB2UkMyii/XwKQvvJFSWlMMRheBsAmwUB +jDmfQrNRQED3LmW6V8YutN54 +=vQ/A +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0687.e47c95556602cc66337c90bc82efa66a b/machine-learning-ex6/ex6/easy_ham/0687.e47c95556602cc66337c90bc82efa66a new file mode 100644 index 0000000..139871c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0687.e47c95556602cc66337c90bc82efa66a @@ -0,0 +1,80 @@ +From fork-admin@xent.com Thu Sep 19 11:04:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EAD0116F03 + for ; Thu, 19 Sep 2002 11:04:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:04:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IKQfC15006 for ; + Wed, 18 Sep 2002 21:26:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C09BF2940B3; Wed, 18 Sep 2002 13:23:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 51BD329409E for ; Wed, + 18 Sep 2002 13:22:05 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id AB1203ECF5; + Wed, 18 Sep 2002 16:29:40 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id A94CF3ECE9; Wed, 18 Sep 2002 16:29:40 -0400 (EDT) +From: Tom +To: "R. A. Hettinga" +Cc: fork@example.com, Digital Bearer Settlement List +Subject: Re: [VoID] a new low on the personals tip... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 16:29:40 -0400 (EDT) +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 18 Sep 2002, R. A. Hettinga wrote: +--]I know it's not the popular choice for a lot of people, but I'd +--]suggest, um, church. :-). Like Woody Allen said, 90% of life is +--]showing up, right? +--] + +I think another venue for finding people is the workplace. As a contractor +I have had the opertunity to meet lots of eligables over the course of my +wandering workhistory. + +My wife was my Task Order Manager years ago, thats how we met. Her joke +is that she is still my Task Order Manager but now I dont get paid:)- + +By starting up your own companies or working in sterile thinklabs you are +cutting yourself off from one heck of a fertile ground for linkages....the +common office. + +I like the shurch idea as well. Other ideas... + +Book circles, geocaching groups, heck Rhorho your still young enough to +hit the campus mixers...and I mean the social stuff not the techtech +events. + + +Above all, ask yourself whats important to you.. + +Life, you either life it or you waste it. + + +-tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0688.0c95af46930f4b1c6917030045619a50 b/machine-learning-ex6/ex6/easy_ham/0688.0c95af46930f4b1c6917030045619a50 new file mode 100644 index 0000000..426fdb3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0688.0c95af46930f4b1c6917030045619a50 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Thu Sep 19 11:05:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C630516F03 + for ; Thu, 19 Sep 2002 11:05:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IMweC21024 for ; + Wed, 18 Sep 2002 23:58:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C67DD2940DF; Wed, 18 Sep 2002 15:55:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id 671CB29409E for + ; Wed, 18 Sep 2002 15:54:31 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rnlR-0001Dl-00; + Wed, 18 Sep 2002 18:57:45 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: fork@example.com +From: "R. A. Hettinga" +Subject: AA Meetings the Hottest Place to Meet Women With Big Bucks +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 18:39:11 -0400 +X-Spam-Status: No, hits=-4.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +Church, AA, same diff? + +;-). + +Cheers, +RAH + + +http://www.newsmax.com/archive/print.shtml?a=2002/9/18/161934 + +NewsMax.com + + + +Wednesday, September 18, 2002 + +AA Meetings the Hottest Place to Meet Women With Big Bucks + +If you're looking to hook up with female millionaires you could try some of +the classier restaurants or clubs, but the best place of all is a certain +New York City Alcoholics Anonymous meeting. + +According to a Details magazine story cited in the New York Post, "the No. +1 location to score a megabucks babe is an Alcoholics Anonymous center on +[New York's] Upper East Side. + +"It's the choicest meeting in town, right next to the Ralph Lauren store" +on Madison Avenue, which features "rich vulnerable women," the mag's +October issue says. + +AA officials were not overjoyed by having the address of their meeting +place published, or being cited as the "in" place for finding loaded women +- or rather, women who are loaded. + +"The purpose of our meetings is to let people share their experiences and +help others find sobriety. It is not a place to pick up women!" an AA +spokesman told The Post. + +O.K. + +Return + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0689.0b105c87d5d0ac5638013457882d917b b/machine-learning-ex6/ex6/easy_ham/0689.0b105c87d5d0ac5638013457882d917b new file mode 100644 index 0000000..8251dd5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0689.0b105c87d5d0ac5638013457882d917b @@ -0,0 +1,57 @@ +From fork-admin@xent.com Thu Sep 19 11:05:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1B47316F03 + for ; Thu, 19 Sep 2002 11:05:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IN3qC21611 for ; + Thu, 19 Sep 2002 00:03:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E87962940F5; Wed, 18 Sep 2002 15:57:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 165692940F4 for ; Wed, + 18 Sep 2002 15:56:58 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D14CC3EBC5; + Wed, 18 Sep 2002 19:04:34 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id CFCBC3EBB9; Wed, 18 Sep 2002 19:04:34 -0400 (EDT) +From: Tom +To: "R. A. Hettinga" +Cc: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 19:04:34 -0400 (EDT) +X-Spam-Status: No, hits=-4.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 18 Sep 2002, R. A. Hettinga wrote: + +--]Church, AA, same diff? + +AA is sort of church with ashtrays. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0690.d6ab63f165b36f3bac2873fec24a797b b/machine-learning-ex6/ex6/easy_ham/0690.d6ab63f165b36f3bac2873fec24a797b new file mode 100644 index 0000000..604879e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0690.d6ab63f165b36f3bac2873fec24a797b @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Sep 19 11:05:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1B49E16F03 + for ; Thu, 19 Sep 2002 11:05:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8IN9eC21950 for ; + Thu, 19 Sep 2002 00:09:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B797F2940EB; Wed, 18 Sep 2002 16:06:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 9746729409E for ; Wed, + 18 Sep 2002 16:05:43 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 8A8FB3EBC5; + Wed, 18 Sep 2002 19:13:20 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8903A3EBB9; Wed, 18 Sep 2002 19:13:20 -0400 (EDT) +From: Tom +To: "R. A. Hettinga" +Cc: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 19:13:20 -0400 (EDT) +X-Spam-Status: No, hits=-3.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 18 Sep 2002, R. A. Hettinga wrote: +--]AA Meetings the Hottest Place to Meet Women With Big Bucks + +And, as always, you can take a page out of Fight Club and start showing up +at all sorts of support groups. Look what it did for Marla and Jack... + +"JACK You can't have *both* parasites. You take blood parasites and -- +MARLA I want brain parasites. +She opens another dryer and does the same thing again. PG 19 +JACK Okay. I'll take blood parasites and I'll take organic brain dementia +and -- +MARLA I want that. +JACK You can't have the whole brain! +MARLA So far, you have four and I have two! +JACK Well, then, take blood parasites. Now, we each have three. +MARLA So, we each have three -- that's six. What about the seventh day? I +want ascending bowel cancer. +JACK *I* want ascending bowel cancer. +MARLA That's your favorite, too? Tried to slip it by me, huh? +JACK We'll split it. You get it the first and third Sunday of the month. +MARLA Deal." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0691.bdcd311a789b4002c5f1afd663aaa1df b/machine-learning-ex6/ex6/easy_ham/0691.bdcd311a789b4002c5f1afd663aaa1df new file mode 100644 index 0000000..41b6252 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0691.bdcd311a789b4002c5f1afd663aaa1df @@ -0,0 +1,100 @@ +From fork-admin@xent.com Thu Sep 19 11:05:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5FAB816F03 + for ; Thu, 19 Sep 2002 11:05:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J1NgC30462 for ; + Thu, 19 Sep 2002 02:23:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3E8CE2940B8; Wed, 18 Sep 2002 18:20:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 0B49E29409E for ; + Wed, 18 Sep 2002 18:19:57 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17rq2g-0004zr-00; Wed, 18 Sep 2002 21:23:42 -0400 +From: "Geege Schuman" +To: "Tom" , "R. A. Hettinga" +Cc: +Subject: RE: AA Meetings the Hottest Place to Meet Women With Big Bucks +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 21:21:22 -0400 +X-Spam-Status: No, hits=-3.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +advice to the lovelorn haiku + +serendipity +pilots synchronicity: +turn the next corner. + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Tom +Sent: Wednesday, September 18, 2002 7:13 PM +To: R. A. Hettinga +Cc: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks + + +On Wed, 18 Sep 2002, R. A. Hettinga wrote: +--]AA Meetings the Hottest Place to Meet Women With Big Bucks + +And, as always, you can take a page out of Fight Club and start showing up +at all sorts of support groups. Look what it did for Marla and Jack... + +"JACK You can't have *both* parasites. You take blood parasites and -- +MARLA I want brain parasites. +She opens another dryer and does the same thing again. PG 19 +JACK Okay. I'll take blood parasites and I'll take organic brain dementia +and -- +MARLA I want that. +JACK You can't have the whole brain! +MARLA So far, you have four and I have two! +JACK Well, then, take blood parasites. Now, we each have three. +MARLA So, we each have three -- that's six. What about the seventh day? I +want ascending bowel cancer. +JACK *I* want ascending bowel cancer. +MARLA That's your favorite, too? Tried to slip it by me, huh? +JACK We'll split it. You get it the first and third Sunday of the month. +MARLA Deal." + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0692.06fd7c0113c3a271483073ec9f102c53 b/machine-learning-ex6/ex6/easy_ham/0692.06fd7c0113c3a271483073ec9f102c53 new file mode 100644 index 0000000..2ca5e42 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0692.06fd7c0113c3a271483073ec9f102c53 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Thu Sep 19 11:05:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A678E16F03 + for ; Thu, 19 Sep 2002 11:05:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J1VfC30826 for ; + Thu, 19 Sep 2002 02:31:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 703832940F4; Wed, 18 Sep 2002 18:28:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from frodo.hserus.net (202-77-223-48.outblaze.com + [202.77.223.48]) by xent.com (Postfix) with ESMTP id 0E8DC29409E for + ; Wed, 18 Sep 2002 18:27:07 -0700 (PDT) +Received: from ppp-181-80.bng.vsnl.net.in ([203.197.181.80] + helo=rincewind.pobox.com) by frodo.hserus.net with asmtp (Exim 4.10) id + 17rq93-0006mA-00; Thu, 19 Sep 2002 09:30:21 +0800 +X-PGP-Dsskey: 0x55FAB8D3 +X-PGP-Rsakey: 0xCAA67415 +Message-Id: <5.1.0.14.2.20020918220930.02fa8c60@frodo.hserus.net> +X-Nil: +To: "R. A. Hettinga" , + Rodent of Unusual Size , + Flatware or Road Kill? +From: Udhay Shankar N +Subject: Re: boycotting yahoo +In-Reply-To: +References: <3D885FE0.37C1C9EA@Golux.Com> + + <3D885FE0.37C1C9EA@Golux.Com> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 22:10:35 +0530 +X-Spam-Status: No, hits=-3.2 required=7.0 + tests=AWL,DATE_IN_PAST_06_12,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL, + IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 11:06 AM 9/18/02 -0400, R. A. Hettinga wrote: + +>Dave Farber's Interesting People list just went over to +> + +It always was, I think. Meng Weng Wong, the founder of pobox, listbox et al +was a student of Dave Farber's. + +Listbox just upgraded its software, however. + +Udhay + +-- +((Udhay Shankar N)) ((udhay @ pobox.com)) ((www.digeratus.com)) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0693.34e853f55e9434e84268d25d2f0a6f91 b/machine-learning-ex6/ex6/easy_ham/0693.34e853f55e9434e84268d25d2f0a6f91 new file mode 100644 index 0000000..8d0390d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0693.34e853f55e9434e84268d25d2f0a6f91 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Thu Sep 19 11:05:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E0ED16F16 + for ; Thu, 19 Sep 2002 11:05:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J1adC31099 for ; + Thu, 19 Sep 2002 02:36:39 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 51F482940FD; Wed, 18 Sep 2002 18:29:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 1272D2940FC for ; + Wed, 18 Sep 2002 18:28:30 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17rqB4-0005Kn-00; Wed, 18 Sep 2002 21:32:22 -0400 +From: "Geege Schuman" +To: "Tom" , "R. A. Hettinga" +Cc: +Subject: RE: AA Meetings the Hottest Place to Meet Women With Big Bucks +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 21:30:02 -0400 +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +less obscure haiku + +buy a puppy, ro! +they are chick magnets. master +ventriloquism. + +gg + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Tom +Sent: Wednesday, September 18, 2002 7:13 PM +To: R. A. Hettinga +Cc: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks + + +On Wed, 18 Sep 2002, R. A. Hettinga wrote: +--]AA Meetings the Hottest Place to Meet Women With Big Bucks + +And, as always, you can take a page out of Fight Club and start showing up +at all sorts of support groups. Look what it did for Marla and Jack... + +"JACK You can't have *both* parasites. You take blood parasites and -- +MARLA I want brain parasites. +She opens another dryer and does the same thing again. PG 19 +JACK Okay. I'll take blood parasites and I'll take organic brain dementia +and -- +MARLA I want that. +JACK You can't have the whole brain! +MARLA So far, you have four and I have two! +JACK Well, then, take blood parasites. Now, we each have three. +MARLA So, we each have three -- that's six. What about the seventh day? I +want ascending bowel cancer. +JACK *I* want ascending bowel cancer. +MARLA That's your favorite, too? Tried to slip it by me, huh? +JACK We'll split it. You get it the first and third Sunday of the month. +MARLA Deal." + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0694.81370eede2be95453ba67195c8619c60 b/machine-learning-ex6/ex6/easy_ham/0694.81370eede2be95453ba67195c8619c60 new file mode 100644 index 0000000..0da9564 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0694.81370eede2be95453ba67195c8619c60 @@ -0,0 +1,115 @@ +From fork-admin@xent.com Thu Sep 19 11:05:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9A3FF16F03 + for ; Thu, 19 Sep 2002 11:05:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J1ggC31403 for ; + Thu, 19 Sep 2002 02:42:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EC6ED2940FB; Wed, 18 Sep 2002 18:39:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id D5ED629409E; Wed, 18 Sep 2002 18:38:15 + -0700 (PDT) +Received: from [24.61.113.164] by rwcrmhc51.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020919014137.ZVCQ29827.rwcrmhc51.attbi.com@[24.61.113.164]>; + Thu, 19 Sep 2002 01:41:37 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <18198133428.20020918214126@magnesium.net> +To: fork-admin@xent.com, "Geege Schuman" +Cc: "Tom" , + "R. A. Hettinga" , fork@xent.com +Subject: Re[2]: AA Meetings the Hottest Place to Meet Women With Big Bucks +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 21:41:26 -0400 +X-Spam-Status: No, hits=-0.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +And the ever popular... + + +Or bring a baby, +Provided you do not own, +Women come, at baby's cry. + + +GS> less obscure haiku + +GS> buy a puppy, ro! +GS> they are chick magnets. master +GS> ventriloquism. + +GS> gg + + + +GS> -----Original Message----- +GS> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Tom +GS> Sent: Wednesday, September 18, 2002 7:13 PM +GS> To: R. A. Hettinga +GS> Cc: fork@example.com +GS> Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks + + +GS> On Wed, 18 Sep 2002, R. A. Hettinga wrote: +GS> --]AA Meetings the Hottest Place to Meet Women With Big Bucks + +GS> And, as always, you can take a page out of Fight Club and start showing up +GS> at all sorts of support groups. Look what it did for Marla and Jack... + +GS> "JACK You can't have *both* parasites. You take blood parasites and -- +GS> MARLA I want brain parasites. +GS> She opens another dryer and does the same thing again. PG 19 +GS> JACK Okay. I'll take blood parasites and I'll take organic brain dementia +GS> and -- +GS> MARLA I want that. +GS> JACK You can't have the whole brain! +GS> MARLA So far, you have four and I have two! +GS> JACK Well, then, take blood parasites. Now, we each have three. +GS> MARLA So, we each have three -- that's six. What about the seventh day? I +GS> want ascending bowel cancer. +GS> JACK *I* want ascending bowel cancer. +GS> MARLA That's your favorite, too? Tried to slip it by me, huh? +GS> JACK We'll split it. You get it the first and third Sunday of the month. +GS> MARLA Deal." + + + + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0695.938b36dec489bf6860a534c70f5853a8 b/machine-learning-ex6/ex6/easy_ham/0695.938b36dec489bf6860a534c70f5853a8 new file mode 100644 index 0000000..2fd9b53 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0695.938b36dec489bf6860a534c70f5853a8 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Thu Sep 19 11:05:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E382516F03 + for ; Thu, 19 Sep 2002 11:05:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J23fC32033 for ; + Thu, 19 Sep 2002 03:03:41 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 500572940F6; Wed, 18 Sep 2002 19:00:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (unknown [24.222.172.16]) by + xent.com (Postfix) with ESMTP id CFA1129409E for ; + Wed, 18 Sep 2002 18:59:22 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17rqbX-0006bn-00; Wed, 18 Sep 2002 22:59:43 -0300 +Message-Id: <3D893115.7070102@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Tom +Cc: "R. A. Hettinga" , fork@example.com, + Digital Bearer Settlement List +Subject: Re: [VoID] a new low on the personals tip... +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 23:06:13 -0300 +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Tom wrote: + +>On Wed, 18 Sep 2002, R. A. Hettinga wrote: +>--]I know it's not the popular choice for a lot of people, but I'd +>--]suggest, um, church. :-). Like Woody Allen said, 90% of life is +>--]showing up, right? +>--] +> +>I think another venue for finding people is the workplace. As a contractor +>I have had the opertunity to meet lots of eligables over the course of my +>wandering workhistory. +> +>My wife was my Task Order Manager years ago, thats how we met. Her joke +>is that she is still my Task Order Manager but now I dont get paid:)- +> +> +Sure if you're willing to risk firing, lawsuits, etc. The last full time +job I had the sexual harassement seminar +was pretty clear - yes you can have relationships at the office, but its +extremely difficult, and the pitfalls are +horrendous. + +Owen + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0696.5115510438ad02471df930ada920d7dc b/machine-learning-ex6/ex6/easy_ham/0696.5115510438ad02471df930ada920d7dc new file mode 100644 index 0000000..76fa9bc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0696.5115510438ad02471df930ada920d7dc @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Sep 19 11:05:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0CA7C16F03 + for ; Thu, 19 Sep 2002 11:05:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J28fC32196 for ; + Thu, 19 Sep 2002 03:08:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C75E0294100; Wed, 18 Sep 2002 19:05:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id A7316294101 for + ; Wed, 18 Sep 2002 19:04:31 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g8J27rh04391 for ; Wed, 18 Sep 2002 + 19:07:53 -0700 (PDT) +Message-Id: <3D893179.4020208@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +References: + <3D893115.7070102@permafrost.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 19:07:53 -0700 +X-Spam-Status: No, hits=-2.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This sort of thing is, in my (limited?) experience, increasingly a thing +of the past. Not one person I know has found it worth the risk to pursue +a relationship with someone in the workplace. It's terrible to think we +could litigate our way into extinction...! + +Elias + + +Owen Byrne wrote: + +> ... The last full time job I had the sexual harassement seminar +> was pretty clear - yes you can have relationships at the office, but +> its extremely difficult, and the pitfalls are horrendous. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0697.19351a0b5670fb30cc1a2c9eed90a26b b/machine-learning-ex6/ex6/easy_ham/0697.19351a0b5670fb30cc1a2c9eed90a26b new file mode 100644 index 0000000..14981df --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0697.19351a0b5670fb30cc1a2c9eed90a26b @@ -0,0 +1,151 @@ +From irregulars-admin@tb.tf Thu Sep 19 11:05:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C15EC16F03 + for ; Thu, 19 Sep 2002 11:05:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:22 +0100 (IST) +Received: from web.tb.tf (route-64-131-126-36.telocity.com + [64.131.126.36]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8J2iJC01203 for ; Thu, 19 Sep 2002 03:44:24 +0100 +Received: from web.tb.tf (localhost.localdomain [127.0.0.1]) by web.tb.tf + (8.11.6/8.11.6) with ESMTP id g8J2rCI29343; Wed, 18 Sep 2002 22:53:20 + -0400 +Received: from red.harvee.home (red [192.168.25.1] (may be forged)) by + web.tb.tf (8.11.6/8.11.6) with ESMTP id g8J2qXI29333 for + ; Wed, 18 Sep 2002 22:52:49 -0400 +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by red.harvee.home (8.11.6/8.11.6) with ESMTP id + g8J2hYD30568 for ; Wed, 18 Sep 2002 22:43:37 -0400 +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rrHn-00086k-00; + Wed, 18 Sep 2002 22:43:24 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, e$@vmeng.com, + mac_crypto@vmeng.com, + Digital Bearer Settlement List , fork@xent.com, + irregulars@tb.tf +From: "R. A. Hettinga" +Content-Type: text/plain; charset="us-ascii" +Subject: [IRR] [dgc.chat] First public release of NeuDist Distributed + Transaction Clearing Framework +Sender: irregulars-admin@tb.tf +Errors-To: irregulars-admin@tb.tf +X-Beenthere: irregulars@tb.tf +X-Mailman-Version: 2.0.6 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: New home of the TBTF Irregulars mailing list +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 22:42:35 -0400 +X-Spam-Status: No, hits=-2.0 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + SIGNATURE_LONG_DENSE,SUBJ_HAS_SPACES + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Subject: [dgc.chat] First public release of NeuDist Distributed Transaction +Clearing Framework +From: Pelle Braendgaard +To: dgcchat@lists.goldmoney.com +Cc: Digital Bearer Settlement List , DGCChat +, xmlx +Date: 19 Sep 2002 00:05:39 -0500 +Reply-To: + +I'm happy to announce the first public release of NeuDist + +NeuDist is an Open Source Software framework for building applications +for the Neubia Distributed Clearing Platform. + +This release contains early java libraries and documentation that would +primarily be of interest to developers. + +Talking about documentation, it is still a bit slim and mainly oriented +towards people with experience in Java/XML development. + +There are currently no sample applications, but they will be available +in the next release. + +The framework currently contains the following: +- Classes for creating "Named Objects", which are authenticated using +digital signatures within a hierarchy. +- Storage framework for "Named Objects". +- Simple XML-Signature implementation (Almost certainly not yet +interoperable with other implementations) +- Simple SOAP client +- Simple Servlet API for handling SOAP requests based on "Named + Objects". +- Current types of "Named Objects" include: + NameSpace objects -- for maintaining the NameSpace Authentication + Framework + AuthenticationTickets -- for doing web site authentication using + digital signatures. + + +Next major release is scheduled to contain: + - Core: + hard coded root public key, for authenticating top level NameSpaces + - Signing Services: + Implementation of web based signing services + End user hosted signing service + - Example User Authentication Application + - Example Payment System based on NeuDist + +I will be expanding the documentation over the next few weeks. This will +cover not only more indepth technical documentation, but also higher +level documentation about the business side of things. + +Read more about NeuDist or download our early version at +http://neudist.org +I would love to hear your questions and suggestions. To discuss it +further please join neudist-discuss@lists.sourceforge.net +You can join it at: +http://lists.sourceforge.net/mailman/listinfo/neudist-discuss + + +Regards +Pelle +-- +Antilles Software Ventures SA http://neubia.com/asv +My Web Log Live and Direct from Panama http://talk.org +Views of an EconoFist http://econofist.com + + + +subscribe: send blank email to dgcchat-join@lists.goldmoney.com +unsubscribe: send blank email to dgcchat-leave@lists.goldmoney.com +digest: send an email to dgcchat-request@lists.goldmoney.com +with "set yourname@yourdomain.com digest=on" in the message body + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +_______________________________________________ +Irregulars mailing list +Irregulars@tb.tf +http://tb.tf/mailman/listinfo/irregulars + + diff --git a/machine-learning-ex6/ex6/easy_ham/0698.a99cb214459f43d26a20d34eec3f0b45 b/machine-learning-ex6/ex6/easy_ham/0698.a99cb214459f43d26a20d34eec3f0b45 new file mode 100644 index 0000000..28b0004 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0698.a99cb214459f43d26a20d34eec3f0b45 @@ -0,0 +1,143 @@ +From fork-admin@xent.com Thu Sep 19 11:05:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 97DA116F03 + for ; Thu, 19 Sep 2002 11:05:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J2ikC01208 for ; + Thu, 19 Sep 2002 03:44:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 727AE2940E4; Wed, 18 Sep 2002 19:41:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id ED73529409E for + ; Wed, 18 Sep 2002 19:40:08 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17rrHn-00086k-00; + Wed, 18 Sep 2002 22:43:24 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, e$@vmeng.com, + mac_crypto@vmeng.com, + Digital Bearer Settlement List , fork@xent.com, + irregulars@tb.tf +From: "R. A. Hettinga" +Subject: [dgc.chat] First public release of NeuDist Distributed + Transaction Clearing Framework +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 22:42:35 -0400 +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + SUBJ_HAS_SPACES + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Subject: [dgc.chat] First public release of NeuDist Distributed Transaction +Clearing Framework +From: Pelle Braendgaard +To: dgcchat@lists.goldmoney.com +Cc: Digital Bearer Settlement List , DGCChat +, xmlx +Date: 19 Sep 2002 00:05:39 -0500 +Reply-To: + +I'm happy to announce the first public release of NeuDist + +NeuDist is an Open Source Software framework for building applications +for the Neubia Distributed Clearing Platform. + +This release contains early java libraries and documentation that would +primarily be of interest to developers. + +Talking about documentation, it is still a bit slim and mainly oriented +towards people with experience in Java/XML development. + +There are currently no sample applications, but they will be available +in the next release. + +The framework currently contains the following: +- Classes for creating "Named Objects", which are authenticated using +digital signatures within a hierarchy. +- Storage framework for "Named Objects". +- Simple XML-Signature implementation (Almost certainly not yet +interoperable with other implementations) +- Simple SOAP client +- Simple Servlet API for handling SOAP requests based on "Named + Objects". +- Current types of "Named Objects" include: + NameSpace objects -- for maintaining the NameSpace Authentication + Framework + AuthenticationTickets -- for doing web site authentication using + digital signatures. + + +Next major release is scheduled to contain: + - Core: + hard coded root public key, for authenticating top level NameSpaces + - Signing Services: + Implementation of web based signing services + End user hosted signing service + - Example User Authentication Application + - Example Payment System based on NeuDist + +I will be expanding the documentation over the next few weeks. This will +cover not only more indepth technical documentation, but also higher +level documentation about the business side of things. + +Read more about NeuDist or download our early version at +http://neudist.org +I would love to hear your questions and suggestions. To discuss it +further please join neudist-discuss@lists.sourceforge.net +You can join it at: +http://lists.sourceforge.net/mailman/listinfo/neudist-discuss + + +Regards +Pelle +-- +Antilles Software Ventures SA http://neubia.com/asv +My Web Log Live and Direct from Panama http://talk.org +Views of an EconoFist http://econofist.com + + + +subscribe: send blank email to dgcchat-join@lists.goldmoney.com +unsubscribe: send blank email to dgcchat-leave@lists.goldmoney.com +digest: send an email to dgcchat-request@lists.goldmoney.com +with "set yourname@yourdomain.com digest=on" in the message body + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0699.aa5a19152162e3fc22bfd5ec60973619 b/machine-learning-ex6/ex6/easy_ham/0699.aa5a19152162e3fc22bfd5ec60973619 new file mode 100644 index 0000000..22e9468 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0699.aa5a19152162e3fc22bfd5ec60973619 @@ -0,0 +1,323 @@ +From fork-admin@xent.com Thu Sep 19 11:05:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7CF0F16F03 + for ; Thu, 19 Sep 2002 11:05:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J3eiC03141 for ; + Thu, 19 Sep 2002 04:40:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D81B92940FA; Wed, 18 Sep 2002 20:37:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav37.law15.hotmail.com [64.4.22.94]) by + xent.com (Postfix) with ESMTP id D033729409E for ; + Wed, 18 Sep 2002 20:36:12 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 18 Sep 2002 20:39:35 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Oh ma gawd - funny site of the day... +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 19 Sep 2002 03:39:35.0500 (UTC) FILETIME=[2C6B00C0:01C25F8E] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 20:44:08 -0700 +X-Spam-Status: No, hits=-3.2 required=7.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +This is for those that have interacted with D Winer + +"Dave's idea of love is fucking everyone else without so much as a reach +around. You're supposed to just shut up and take it." + +http://winerlog.inspiredsites.net/ + +=========== + +Who's the real monster? + + +It seems good Ol' Uncle Dave is once again trying to savage anyone that +dares to disagree with him. It seems Ben, Kevin and Bill are making too +strong a case. So here we Dave's attempt to fool you into thinking they're +some sort of monsters, violent ones no less. + +Anyone who works with Hemenway or Kearney should be aware that these people +are nothing less than monsters, who will stoop to any level to get their +way. + +Yeah sure Dave, whatever you need to believe. + +The truth is these folks do a fine job of actually helping others and +improving RSS in general. Each with their own brand of attitude, to be +sure, but they seem to be pretty focused on actually helping things move +forward. How is that being monstrous? + +Is Dave trying to slander their good names and thus poison the public's +perception of them? If you haven't already, contact them and ask them how +they feel about this foolishness. + + + 9/18/02; 10:07:38 AM - Discuss + + + +Dave deflects what he can't take the time to understand + + +It's really quite pitiful. When normal people don't understand something +they usually try learning about it. They read up, ask questions and seek +the help of those that understand it. This before shooting their mouths off +and looking like fools. + +What Dave does is just the opposite. + +Posts a link to something he doesn't understand +Get's a bunch of e-mail from people who do understand it +Derides the idea as being 'too much trouble' and blogs it. +Expects others to do research for him +Abuses anyone who tries to help him +Pontificates, incorrectly, about only part of the issue +Realizes he's been a fool but refuses to correct himself +Plods forward pedantically trying to defend his idiocy +Tries making the educated people look like fools. +Sends private e-mails to them trying to scare them off. +Exposes any private e-mail they write, out of context. +Deflects and runs off to some new topic, repeats from #1 +His continued diatribes about RSS-1.0 and it's use of RDF reveal this to be +true. Dave doesn't get the idea of the semantic web. He'd rather have you +follow his stupid ideas than dare admit that the work of others is worth +trying. + +One reader wrote to us with a good analogy. "It's like that movie The +Poseidon Adventure. Dave's like the purser ranting and raving that the +passengers should follow him and march toward the bow. I don't know about +you but I'd rather be with the fat lady swimming toward the engine room. +The ship's fucking sinking and I don't want to be following the idiot." + +Dave's idea of love is fucking everyone else without so much as a reach +around. You're supposed to just shut up and take it. After all, why would +good ol' Uncle Dave want to hurt you? It's all about love, right? To hell +with asking you if you want to get shafted. And if you dare complain, he +savages you. Then he tries to make everyone think you're the one causing +all the trouble. + +We've news for you Dave, we're wise to your tactics and we're talking +amongst ourselves about it. We're routing around you damaging behavoir. +That's where we're coming from. + +If you have an example of how you've tried to help Dave, please drop us an +e-mail about it. We'll keep it strictly confidential of course. Send it +along to zaphod@egroups.com + + + 9/12/02; 10:13:11 AM - Discuss + + + + +Trying to talk with Dave is like trying to wrestle a pig... + + +The trouble is, you get dirty and the pig seems to like it. + +Another developer tries talking to Dave and discovers it's fundamentally +impossible: + +His basic response was just that RDF was a joke and the Semantic Web +developers are doing a terrible job. + +In the span of less than five minutes Dave makes such an ass of himself that +people at other tables start whispering "that guy is an idiot..." + +The zaphodim, however, are veteran pig wrestlers. If you've got a similar +tale from the mud pit, be sure to drop us a line at: zaphod@egroups.com. + + + 9/11/02; 2:17:58 PM - Discuss (1 response) + + + + +Aha! Some backing down by the whining one? + + +It would appear the 'dictator release' strategy that Dave's been trying on +his crappy little set of RSS hacks is failing to gain support. + +I'm going to push back the caveat-removing on the 2.0 spec by 24 hours. +Still have work to do on the sample file, I want to look into the RFC for +time-date specs, and get started on the Radio implementation of 2.0. I have +to prepare for Seybold tomorrow, and I want to a little memorial for 9-11. A +busy few days for a guy still recovering. Also, it would be great if people +who make content tools could review the 2.0 spec and see if there are any +deal-stoppers. + +Hell yeah there are deal stoppers, like nobody wants it nor will they use +it! + +The poor Radio customers! The poor Salon blog users! They're going to be +dragged unwillingly into producing XML content that nobody will use! So +with the flip of his mighty upgrade switch Dave is going to turn all their +content into totally unsupported garbage!!! + +Ya better speak up now folks otherwise your content is going to start +getting rejected! + +Of course at the same time Dave tries to play the sympathy card. What utter +fucking nonsense. This past weekend, the blogosphere excoriates him for his +'blame America' bullshit. Then the RSS community tells him to get stuffed +with his dictator release of RSS. Now he's trying to pretend we should be +nice to him because he's still recovering? + +Uh, Dave, if you want to take a rest from the battle then stop picking +fights. We'll still kick your ass regardless. That's what years of your +abusing people has gotten you Dave. No sympathy anymore, none whatsoever. + + + 9/11/02; 1:56:10 PM - Discuss + + + + +Dave is Scary on 9/11 + +Posted on Scripting News on 9/10/2002: + + +Note: During the day tomorrow there will be no updates to Scripting News. +I'll be in SF at Seybold, leading a discussion on Web Services for +Publishing with people from Amazon, Apple, Google and Jake Savin of +UserLand. I may be able to update my Radio weblog, but only if there's +something really important to report. So best wishes for a happy and safe +9-11. +What kind of asshole wishes people a happy 9/11??!?!?!?!??!! Obviously +someone who doesn't have a clue nor lost anyone in the tragedy. + + + 9/11/02; 7:56:06 AM - Discuss + + + + +Yeow and we though we were harsh! + + +Wow, apparently Dave's sticking his neck out quite far these days. Craig +Schamp practically keel-hauls him with this one. He wraps it up with: + +The man seems to show over and over that he's nothing more than a whining +buffoon + +Give that man an honorary Zaphodim membership card and secret decoder ring! + +Related links over at PhotoDude, Richard Bennett, Andrea Harris, Reid Stott, +Jeff Jarvis, Ipse Dixit, and the Fat Guy. + + + 9/9/02; 12:29:45 PM - Discuss + + + + +RSS 2.0: code name "Hitler" + + +If Dave tries to steamroll RSS 2.0 through without formal community +consensus, here now we call it the "Hitler" release of 2.0. + +"No objections"? No, he means "No objections I choose to hear." + +Dave is simply not listening. People are objecting all over. + + + + + 9/6/02; 9:00:02 AM - Discuss + + + + +Referral log funnies + + +Every now and then we check the referral logs to see what's pointing back to +us. We sincerely apologize to the pool soul that used this search. + + + 9/5/02; 12:15:07 PM - Discuss + + + + +Luserland Attempts to Trademark "RSS" + + +Dave has waxed and waned about intellectual property rights and how any +BigCo that tries to patent its technology or methods is corrupt or morally +bankrupt. Scripting News is full of examples. + +So we found it surprising, as did many others, when Luserland software tried +to patent the term 'RSS' back in 2000. Here's the patent application: + +http://tarr.uspto.gov/servlet/tarr?regser=serial&entry=78025336 + +This was apparently just between the start of the RSS 1.0 development +efforts, and the publication of the specification. Winer knew about the RSS +1.0 stuff - indeed, he complained about it bitterly at the time. + +Could Dave be any more transparent?!?!??!?!!!!!!! + +Since when has Dave been required to follow anything he says he wants others +to do??? A good quote from before he filed the patent application: + +Tim O'Reilly says patents are OK, he's just against stupid patents. In the +spirit of Touch of Grey, Tim man, patents are lock-in of the worst kind. +There's no way to route around them. + + 9/4/02; 6:06:51 AM - Discuss + + + + +When's a Permalink not a Permalink? + + +When Dave writes an item, then removes it!!!!!!!!!!! The permalink links to +nothing at that point. So apparently the "perma-" part in permalink is +permanent. For everyone except Dave. Too bad his little attempt at a +definition fails to mention this...!!!!!!!!! + + + 9/2/02; 6:16:03 PM - Discuss + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0700.5a134a606e773c40b71ec59a599e61ad b/machine-learning-ex6/ex6/easy_ham/0700.5a134a606e773c40b71ec59a599e61ad new file mode 100644 index 0000000..811eaf2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0700.5a134a606e773c40b71ec59a599e61ad @@ -0,0 +1,65 @@ +From fork-admin@xent.com Thu Sep 19 11:05:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6E4D416F03 + for ; Thu, 19 Sep 2002 11:05:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 11:05:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8J3vhC03678 for ; + Thu, 19 Sep 2002 04:57:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3F42B2940FE; Wed, 18 Sep 2002 20:54:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from red.totalnetnh.net (red.totalnetnh.net [63.173.138.18]) by + xent.com (Postfix) with ESMTP id 767C529409E for ; + Wed, 18 Sep 2002 20:53:53 -0700 (PDT) +Received: from [63.173.138.142] (s112.terminal3.totalnetnh.net + [63.173.138.142]) by red.totalnetnh.net (8.11.2/8.11.2/SuSE Linux + 8.11.1-0.5) with ESMTP id g8J3unx27395; Wed, 18 Sep 2002 23:56:53 -0400 +MIME-Version: 1.0 +Message-Id: +In-Reply-To: +References: +To: "Mr. FoRK" , +From: Morbus Iff +Subject: Re: Oh ma gawd - funny site of the day... +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 23:56:38 -0400 +X-Spam-Status: No, hits=-1.8 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>It seems good Ol' Uncle Dave is once again trying to savage anyone that +>dares to disagree with him. It seems Ben, Kevin and Bill are making too +>strong a case. So here we Dave's attempt to fool you into thinking they're +>some sort of monsters, violent ones no less. +> +>Anyone who works with Hemenway or Kearney should be aware that these people +>are nothing less than monsters, who will stoop to any level to get their + +/me coughs... I'm part of the Monster club. They call me... Hemenway! + +-- +Morbus Iff ( i assault your sensibilities! ) +Culture: http://www.disobey.com/ and http://www.gamegrene.com/ +Tech: http://www.oreillynet.com/pub/au/779 - articles and weblog +icq: 2927491 / aim: akaMorbus / yahoo: morbus_iff / jabber.org: morbus + + diff --git a/machine-learning-ex6/ex6/easy_ham/0701.d1b59654f45ee3ccfcc3c6fe257daaf8 b/machine-learning-ex6/ex6/easy_ham/0701.d1b59654f45ee3ccfcc3c6fe257daaf8 new file mode 100644 index 0000000..afd236c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0701.d1b59654f45ee3ccfcc3c6fe257daaf8 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Thu Sep 19 13:03:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0300E16F03 + for ; Thu, 19 Sep 2002 13:03:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:03:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JBnGC18091 for ; + Thu, 19 Sep 2002 12:49:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 73E31294101; Thu, 19 Sep 2002 04:42:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id F25032940FF for + ; Thu, 19 Sep 2002 04:41:06 -0700 (PDT) +Received: from spinnaker ([64.157.35.6]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020919114459.OUTA977.hughes-fe01@spinnaker>; Thu, 19 Sep 2002 07:44:59 + -0400 +Subject: Re: Hanson's Sept 11 message in the National Review +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: fork@example.com +To: "Owen Byrne" +From: Chuck Murcko +In-Reply-To: <20020917173852.GB5613@www.NT-NETWORK> +Message-Id: <2404C790-CBC5-11D6-9930-003065F93D3A@topsail.org> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 04:44:22 -0700 +X-Spam-Status: No, hits=-5.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +Heh, ten years ago saying the exact same words was most definitely not +"parroting the party line". + +It was even less so thirty years ago. My story remains the same, take it +or leave it. I've said the same words to white supremacists as to +suburban leftist punks as to homeys as to French Irish, etc. etc.: + +I don't have to agree with anything you say. I *am* obligated to defend +to the death your right to say it. I don't give a rat's ass where you +say it, even in France. I don't care where the political pendulum has +swung currently. + +Chuck + +On Tuesday, September 17, 2002, at 10:38 AM, Owen Byrne wrote: + +> On Tue, Sep 17, 2002 at 10:19:13AM -0700, Chuck Murcko wrote: +>> Probably because we have this pesky 1st Amendment thing here. Still, +>> lots of us in the States have developed a disturbing tendency to shout +>> down or (in recent years) shackle in legal BS opinions, thoughts, and +>> individual behaviors we don't agree with. +>> +> +> Except that parroting the party line doesn't really require much +> freedom of speech. Now if you had posted something from a left of +> center source, you would have been shouted down in flames, buried in +> ad hominem attacks, and probably get your name added to an FBI list. +> +> +> Besides the basic rule in the United States now is "I'll defend your +> rights to say anything you want, but if it isn't appropriately +> neoconish, well, don't expect to work": +> +> +> HHS Seeks Science Advice to Match Bush Views +> +> By Rick Weiss +> Washington Post Staff Writer +> Tuesday, September 17, 2002; Page A01 +> +> The Bush administration has begun a broad restructuring of the +> scientific advisory committees that guide federal policy in areas such +> as patients' rights and public health, eliminating some committees +> that were coming to conclusions at odds with the president's views and +> in other cases replacing members with handpicked choices. +> ... +> http://www.washingtonpost.com/wp-dyn/articles/A26554-2002Sep16.html +> +> Owen +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0702.3612af1b8e5d8fcb512f20e4340530a7 b/machine-learning-ex6/ex6/easy_ham/0702.3612af1b8e5d8fcb512f20e4340530a7 new file mode 100644 index 0000000..ee78680 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0702.3612af1b8e5d8fcb512f20e4340530a7 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Thu Sep 19 13:14:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E6F3016F03 + for ; Thu, 19 Sep 2002 13:14:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:14:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JC7hC18737 for ; + Thu, 19 Sep 2002 13:07:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2E69B2940FC; Thu, 19 Sep 2002 05:04:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 4BE5029409E for + ; Thu, 19 Sep 2002 05:03:15 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17s01y-00081V-00; Thu, 19 Sep 2002 09:03:38 -0300 +Message-Id: <3D89BEA8.4010107@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Chuck Murcko +Cc: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +References: <2404C790-CBC5-11D6-9930-003065F93D3A@topsail.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 09:10:16 -0300 +X-Spam-Status: No, hits=-5.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Chuck Murcko wrote: + +> Heh, ten years ago saying the exact same words was most definitely not +> "parroting the party line". +> +> It was even less so thirty years ago. My story remains the same, take +> it or leave it. I've said the same words to white supremacists as to +> suburban leftist punks as to homeys as to French Irish, etc. etc.: +> +> I don't have to agree with anything you say. I *am* obligated to +> defend to the death your right to say it. I don't give a rat's ass +> where you say it, even in France. I don't care where the political +> pendulum has swung currently. +> +> Chuck + + +I had to laugh at Rumsfield yesterday - when he was heckled by +protestors, he said something like "They couldn't do that in Iraq." +Meanwhile, from what I could tell, the protestors were being arrested. + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0703.3654d01671685fc22993eae582a55152 b/machine-learning-ex6/ex6/easy_ham/0703.3654d01671685fc22993eae582a55152 new file mode 100644 index 0000000..eb42651 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0703.3654d01671685fc22993eae582a55152 @@ -0,0 +1,50 @@ +From fork-admin@xent.com Thu Sep 19 13:26:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DEA8516F03 + for ; Thu, 19 Sep 2002 13:26:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:26:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JCFfC18989 for ; + Thu, 19 Sep 2002 13:15:42 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B101E294108; Thu, 19 Sep 2002 05:12:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 19FF329409E for ; Thu, 19 Sep 2002 05:11:32 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id CA1F9C44D; + Thu, 19 Sep 2002 14:14:06 +0200 (CEST) +To: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020919121406.CA1F9C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 14:14:06 +0200 (CEST) +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Chuck Murcko wrote: +>[...stuff...] + +Yawn. + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0704.f62f0ee295a7f648249c8104a8e45843 b/machine-learning-ex6/ex6/easy_ham/0704.f62f0ee295a7f648249c8104a8e45843 new file mode 100644 index 0000000..efd3bdf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0704.f62f0ee295a7f648249c8104a8e45843 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Thu Sep 19 16:25:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C0BA816F03 + for ; Thu, 19 Sep 2002 16:25:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:25:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JDVmC21501 for ; + Thu, 19 Sep 2002 14:31:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9B7EB2940D5; Thu, 19 Sep 2002 06:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f100.law15.hotmail.com [64.4.23.100]) by + xent.com (Postfix) with ESMTP id 4D3A729409E for ; + Thu, 19 Sep 2002 06:27:22 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 19 Sep 2002 06:30:46 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Thu, 19 Sep 2002 13:30:45 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 19 Sep 2002 13:30:46.0039 (UTC) FILETIME=[C281BA70:01C25FE0] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 13:30:45 +0000 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +R. A. Hettinga: +>Church, AA, same diff? + +It's difficult to measure which is the greater +liability in a potential mate, religiosity or +alcoholism. + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0705.1830e9bc42a6a72f3bb5806dd9e09e5c b/machine-learning-ex6/ex6/easy_ham/0705.1830e9bc42a6a72f3bb5806dd9e09e5c new file mode 100644 index 0000000..381b16a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0705.1830e9bc42a6a72f3bb5806dd9e09e5c @@ -0,0 +1,69 @@ +From fork-admin@xent.com Thu Sep 19 16:25:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ADC1216F03 + for ; Thu, 19 Sep 2002 16:25:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:25:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JDZqC21671 for ; + Thu, 19 Sep 2002 14:35:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8CCB294159; Thu, 19 Sep 2002 06:32:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f174.law15.hotmail.com [64.4.23.174]) by + xent.com (Postfix) with ESMTP id A7D9629410C for ; + Thu, 19 Sep 2002 06:31:12 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 19 Sep 2002 06:34:36 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Thu, 19 Sep 2002 13:34:36 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 19 Sep 2002 13:34:36.0926 (UTC) FILETIME=[4C2049E0:01C25FE1] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 13:34:36 +0000 +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,HOTMAIL_FOOTER1,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Owne Byrne: +>Sure if you're willing to risk firing, lawsuits, etc. The last full time +>job I had the sexual harassement seminar was pretty clear - yes you can +>have relationships at the office, but its extremely difficult, and the +>pitfalls are +>horrendous. + +Despite that, this is how a lot of couples meet. +People tease me about Carolyn, that I just hired +a lot of software engineering babes, and then +chose the one I liked best. ;-) + + + + + + +_________________________________________________________________ +Send and receive Hotmail on your mobile device: http://mobile.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0706.ef90d85cf26d95101f9f5071ac457a81 b/machine-learning-ex6/ex6/easy_ham/0706.ef90d85cf26d95101f9f5071ac457a81 new file mode 100644 index 0000000..5ad637f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0706.ef90d85cf26d95101f9f5071ac457a81 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Thu Sep 19 16:25:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2750716F03 + for ; Thu, 19 Sep 2002 16:25:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:25:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JDdtC21726 for ; + Thu, 19 Sep 2002 14:39:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EC3D9294109; Thu, 19 Sep 2002 06:36:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-d07.mx.aol.com (imo-d07.mx.aol.com [205.188.157.39]) by + xent.com (Postfix) with ESMTP id 734B829409E for ; + Thu, 19 Sep 2002 06:35:45 -0700 (PDT) +Received: from ThosStew@aol.com by imo-d07.mx.aol.com (mail_out_v34.10.) + id 2.d3.11f46440 (4410) for ; Thu, 19 Sep 2002 09:39:00 + -0400 (EDT) +From: ThosStew@aol.com +Message-Id: +Subject: Re: Hanson's Sept 11 message in the National Review +Cc: fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 09:39:00 EDT +X-Spam-Status: No, hits=-1.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,MISSING_HEADERS, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + + +In a message dated 9/19/2002 7:46:37 AM, chuck@topsail.org writes: + +>That means *you* can't say anything may not be FoRKed or printed or +>whatever. You have the choice to ignore it + + +That's not what the First Amendment says at all. It says that Congress cannot +say what can't be FoRKed. FoRK can establish any rules it wants. Similarly, +The New York Times gets to choose what news IT thinks is "fit to print." If +the Times chose not to print anything about, say, Rosie O'Donnell, it would +be exercising its First Amendment rights, just as much as it would be if it +chose to print something Rosie O'Donnell doesn't like. The necessary +corollary of the freedom to say/publish what one wants is the freedom to +refuse to publish or say what one doesn't like. The alternative is a +state-controlled press that reprints government press releases and calls them +news. + +The question of what is or is not FoRKed is (except for libel or other +specific exceptions) not a matter of law, but a matter of what the +"publisher" (if any) decides or the "community" (if any) negotiates or does +as a matter of custom. + +For my part, I'd rather people didn't use FoRK as a place in which to dump an +expression of their political beliefs. + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0707.bf65d1743592ac78606c57cea2908866 b/machine-learning-ex6/ex6/easy_ham/0707.bf65d1743592ac78606c57cea2908866 new file mode 100644 index 0000000..40a94f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0707.bf65d1743592ac78606c57cea2908866 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Thu Sep 19 16:26:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 81B3B16F03 + for ; Thu, 19 Sep 2002 16:26:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JDjkC21962 for ; + Thu, 19 Sep 2002 14:45:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A413294167; Thu, 19 Sep 2002 06:39:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f91.law15.hotmail.com [64.4.23.91]) by + xent.com (Postfix) with ESMTP id B461629410C for ; + Thu, 19 Sep 2002 06:38:10 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 19 Sep 2002 06:41:34 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Thu, 19 Sep 2002 13:41:34 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 19 Sep 2002 13:41:34.0606 (UTC) FILETIME=[451532E0:01C25FE2] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 13:41:34 +0000 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,MSN_FOOTER1 + version=2.50-cvs +X-Spam-Level: + +Robert Harley: +>>BTW, I wasn't aware that the 1st Amendment mandated that crap must be +>>FoRKed. + +Chuck Murcko : +>It doesn't, BTW. It says the right to free speech shall not be abridged. +>That means *you* can't say anything may not be FoRKed or printed or +>whatever. + +Actually, it means just the opposite. The first +amendment guarantees Harley's right to say just +that. For the outlets where he has editorial +control, it even guarantees his right to CENSOR +content published through those outlets. The +first amendment doesn't limit Harley's speech, +and it is neutral with regard to the selection +policies of FoRK and other private venues. + + + +_________________________________________________________________ +MSN Photos is the easiest way to share and print your photos: +http://photos.msn.com/support/worldwide.aspx + + diff --git a/machine-learning-ex6/ex6/easy_ham/0708.fe13d44640fb0f6e7d9d6a50c813a01f b/machine-learning-ex6/ex6/easy_ham/0708.fe13d44640fb0f6e7d9d6a50c813a01f new file mode 100644 index 0000000..14f6aca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0708.fe13d44640fb0f6e7d9d6a50c813a01f @@ -0,0 +1,181 @@ +From fork-admin@xent.com Thu Sep 19 16:26:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6208D16F03 + for ; Thu, 19 Sep 2002 16:26:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JDncC22056 for ; + Thu, 19 Sep 2002 14:49:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 77C9D294103; Thu, 19 Sep 2002 06:42:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id D878829409E for ; + Thu, 19 Sep 2002 06:41:09 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H2O004E9U695B@mta6.snfc21.pbi.net> for fork@xent.com; Thu, + 19 Sep 2002 06:44:33 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Webex Endeavors +To: FoRK +Message-Id: <3D89D273.EE040F95@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 06:34:43 -0700 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,CALL_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +We have a partnership with Webex. We use their serivce +for cross-firewall app sharing--something that Netmeeting/Messenger +and Sametime require a lot of configuration of firewalls, +authentications, access controls and user training for. + +Now Webex has invites, instant meeting launch without any +configuration. Users like it as now they have something to do +in between Web conferences and places to store and author +documents, reschedule meetings, relaunch meetings. Webex likes +it as people are signed on all the time. + +Greg + + + +September 19, 2002 + + Tadpole's Secure Web Software Subsidiary Endeavors Technology Teams With Web + Meetings Leader WebEx Communications + To Provide Best-of-Breed Solution For Extended Group Collaboration During + and Between Online Meetings + + Web meetings raise the quality of team interaction and communications for + users of the Web's secure, P2P collaboration network + + ### + + Tadpole Technology plc, the mobile computing and network infrastructure + group, today announces that its web collaboration subsidiary, Endeavors + Technology, Inc., has teamed with Web meetings leader, WebEx + Communications,Inc. to help professionals make better use of corporate time + and resources, and gain competitive advantage. By integrating the advanced + communications capabilities of the WebEx platform with Endeavors' secure P2P + collaboration network, Endeavors has created a new method of world-class + teamwork and interaction without the hassle of travel. + + With the rapid growth in popularity of Web meetings, the rationale for this + world-class relationship stems from the growing need for workgroups around + the world to maintain the quality of the team collaboration experience + between online meetings. The issue by those preferring not to travel is how + to continue to collaborate and share information with team members between + meetings rather than depending on intermittent, insecure email and multiple + copies of constantly changing documents. + + Inter-meeting collaboration needs an asynchronous medium, independent of + time. In asynchronous mode, a team member can access, read and edit + information relevant to the meeting group at his/her convenience rather than + having to fit into the schedules and timeframes of others. A secured + environment available only to members of a meeting or project is also + essential. + + Endeavors' Magi technology converts the Web into a secure platform for + sharing information directly from people's desktops. WebEx meetings can be + recorded and reviewed at any time, documents shared in the meeting can be + actioned in real-time or at a later date, calendars and project schedules + can be updated at any time, and new individuals added to the workgroup at + will . all in a secure environment with people working across the globe, + inside or outside company firewalls. + + Magi peer collaboration securely delivers significant benefits to Web + meeting participants. Not only can they share and access information at + will, but they can also know which other participants are online or + "present." This enables them to chat and message each other, search across + other people's Magi environment, and work jointly on relevant documents + highly productively. With Magi collaboration, in tandem with WebEx + conferencing, the savings can be huge in terms of travel costs, phone bills, + and, most importantly, timely completion of projects and tasks. + + "In order to realise the full potential of Web meetings, best-of-breed + services are needed to eliminate time and geographical boundaries," says + Bernard Hulme, Tadpole's group chief executive. "The powerful combination + of Endeavors' Magi and WebEx's communications technologies will assist + global work teams to better meet critical business goals and deadlines by + maintaining teamwork momentum within and between Web meetings." + + "WebEx is transforming the way businesses use the Web for sales, marketing, + training, support and product design," says David Farrington, vice president + of corporate development at WebEx Communications. "By integrating the + communications capabilities of the WebEx platform with Endeavors' secure + collaboration network, Endeavors has created an offering that provides the + best in synchronous and asynchronous communications." + + About Magi + Magi Enterprise 3.0, an award-winning web collaboration system, transforms + today's Web into a highly secure inter- and intra-enterprise collaboration + network of files and web resources. For the first time, enterprises can + implement ad-hoc Virtual Private Networks for collaboration very rapidly and + affordably without disrupting existing applications, networks or work + practices. Magi Enterprise 3.0 does this by effectively transforming + unsecured, "read-only" Web networks into two-way trusted and transparent + collaboration environments, through the use of such features as + cross-firewall connections, advanced data extraction, an intuitive graphical + interface, and universal name spaces generating "follow me URLs" for mobile + professionals. + + About Endeavors Technology, Inc. + Endeavors Technology, Inc. is a wholly-owned subsidiary of mobile computing + and network infrastructure vendor Tadpole Technology plc (LSE-TAD, + www.tadpole.com), which has plants and offices in Irvine and Carlsbad + (California), and Cambridge, Edinburgh, and Bristol (UK). For further + information on Endeavors' P2P solutions, call 949-833-2800, email to + p2p@endeavors.com, or visit the company's website http://www.endeavors.com. + + ends + + For further information, please contact: + + Bernard Hulme, Tadpole Technology - via Patcom Media + Hugh Paterson, Patcom Media - Tel 0207 987 4888, Email + hughp@patcom-media.com + + Bullets for Editors + + WebEx + Web communications services (synchronous): network-based platform for + delivering highly interactive, visually dynamic Web communications. The + WebEx platform supports real-time data, voice and video communications. + WebEx is the only company to design, develop and deploy a global network for + real-time Web communications. + + Magi + On and off-line (asynchronous) communication and collaboration: cross + enterprise search and discovery, transparent security and trust (SSL & PKI), + 2-way web access to files and applications, permanent cross firewall access, + ad hoc and permanent secure groups, centralized or decentralized control of + access lists and security privileges, centralized caching of information + (never lose anything critical), multi-device access to information (desktop, + laptop, PDA). + + diff --git a/machine-learning-ex6/ex6/easy_ham/0709.fdcec3f216a4caf2a548940569372d10 b/machine-learning-ex6/ex6/easy_ham/0709.fdcec3f216a4caf2a548940569372d10 new file mode 100644 index 0000000..58d70b4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0709.fdcec3f216a4caf2a548940569372d10 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Thu Sep 19 16:26:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6E20216F03 + for ; Thu, 19 Sep 2002 16:26:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JEQhC23271 for ; + Thu, 19 Sep 2002 15:26:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A5FE92940B5; Thu, 19 Sep 2002 07:23:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from ns.archangelintelligence.com (ns.archangelintelligence.com + [217.199.170.171]) by xent.com (Postfix) with ESMTP id AB98829409E for + ; Thu, 19 Sep 2002 07:22:55 -0700 (PDT) +Received: from benhammersley.com ([193.122.23.52]) by + ns.archangelintelligence.com (8.11.0/8.11.0) with ESMTP id g8JEQ5B06828 + for ; Thu, 19 Sep 2002 15:26:05 +0100 +Subject: Re: Avast there matey +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +Cc: +From: Ben Hammersley +Content-Transfer-Encoding: 7bit +In-Reply-To: +Message-Id: +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 15:26:18 +0100 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MISSING_HEADERS,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + + +On Thursday, Sep 19, 2002, at 14:51 Europe/London, Bill Kearney wrote: + +>> From the completely unrelated but funny department... +> +> "Talk like a Pirate Day". +> http://www.washingtonpost.com/wp-dyn/articles/A5011-2002Sep11.html +> +> Which is today, of course. +> +> That and 'piratecore' rapping style... +> http://poorman.blogspot.com/2002_09_01_poorman_archive.html#81798893 +> +> Anything, just anything, to get us off the geek dating tips topic.... +> +> -Bill Kearney +> + + +Arrr, he be a scurvy dog, that Bill Kearney. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0710.3005b6bc245758d98c9a9626c1de69a7 b/machine-learning-ex6/ex6/easy_ham/0710.3005b6bc245758d98c9a9626c1de69a7 new file mode 100644 index 0000000..225e842 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0710.3005b6bc245758d98c9a9626c1de69a7 @@ -0,0 +1,108 @@ +From fork-admin@xent.com Thu Sep 19 16:26:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 18B1C16F03 + for ; Thu, 19 Sep 2002 16:26:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JF2nC24198 for ; + Thu, 19 Sep 2002 16:02:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 67EEA2940FF; Thu, 19 Sep 2002 07:59:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id F41F129409E for + ; Thu, 19 Sep 2002 07:58:58 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17s2m3-0008OH-00 for ; Thu, 19 Sep 2002 11:59:23 -0300 +Message-Id: <3D89E7DD.6010506@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: Avast there matey +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 12:06:05 -0300 +X-Spam-Status: No, hits=-5.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Ben Hammersley wrote: + +> +> On Thursday, Sep 19, 2002, at 14:51 Europe/London, Bill Kearney wrote: +> +>>> From the completely unrelated but funny department... +>> +>> +>> "Talk like a Pirate Day". +>> http://www.washingtonpost.com/wp-dyn/articles/A5011-2002Sep11.html +>> +>> Which is today, of course. +>> +>> That and 'piratecore' rapping style... +>> http://poorman.blogspot.com/2002_09_01_poorman_archive.html#81798893 +>> +>> Anything, just anything, to get us off the geek dating tips topic.... +>> +>> -Bill Kearney +>> +> +> +> Arrr, he be a scurvy dog, that Bill Kearney. + +Well, shiver me timbers, but my favorite pirate phrase is missing from +both of those.Arrr.... +and wondering if there's a rap equivalent. +Owen + +http://www.quinion.com/words/qa/qa-shi2.htm +*Q AND A SECTION* + +*SHIVER MY TIMBERS* + +/From Tad Spencer/: "Please could you tell me where the phrase /shiver +my timbers/ originated?" + +This is one of those supposedly nautical expressions that seem to be +better known through a couple of appearances in fiction than by any +actual sailors' usage. + +It's an exclamation that may allude to a ship striking some rock or +other obstacle so hard that her timbers shiver, or shake, so implying a +calamity has occurred. It is first recorded as being used by Captain +Frederick Marryat in /Jacob Faithful/ in 1835: "I won't thrash you Tom. +Shiver my timbers if I do". + +It has gained a firm place in the language because almost fifty years +later Robert Louis Stevenson found it to be just the kind of old-salt +saying that fitted the character of Long John Silver in /Treasure +Island/: "Cross me, and you'll go where many a good man's gone before +you ... some to the yard-arm, shiver my timbers, and some by the board, +and all to feed the fishes". Since then, it's mainly been the preserve +of second-rate seafaring yarns. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0711.27203d4f43e71f7e1ced0cdd7f8685c8 b/machine-learning-ex6/ex6/easy_ham/0711.27203d4f43e71f7e1ced0cdd7f8685c8 new file mode 100644 index 0000000..9f17cd8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0711.27203d4f43e71f7e1ced0cdd7f8685c8 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Sep 19 16:26:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A41F016F16 + for ; Thu, 19 Sep 2002 16:26:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:18 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JF7oC24538 for ; + Thu, 19 Sep 2002 16:07:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1EFA3294160; Thu, 19 Sep 2002 08:01:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [63.145.31.2]) by xent.com (Postfix) + with ESMTP id C194D29413C for ; Thu, 19 Sep 2002 08:00:06 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Thu, 19 Sep 2002 15:02:14 -08:00 +Message-Id: <3D89E6F6.2060105@barrera.org> +From: "Joseph S. Barrera III" +Organization: NERV +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: Geege Schuman +Cc: Tom , "R. A. Hettinga" , + fork@xent.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 08:02:14 -0700 +X-Spam-Status: No, hits=-8.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Geege Schuman wrote: +> less obscure haiku +> +> buy a puppy, ro! +> they are chick magnets. master +> ventriloquism. + +Reminds me of a Gary Larson cartoon, +woman walking dog, man walking aligator, +dog mostly eaten by aligator, thought cloud +above man's head, +"This is *such* a great way to meet chicks!" + +- Joe + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0712.b34faf400b5f68d87b2fb9e83b4c5e80 b/machine-learning-ex6/ex6/easy_ham/0712.b34faf400b5f68d87b2fb9e83b4c5e80 new file mode 100644 index 0000000..c85bde9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0712.b34faf400b5f68d87b2fb9e83b4c5e80 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Thu Sep 19 16:26:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 81D5616F03 + for ; Thu, 19 Sep 2002 16:26:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:26:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JFFhC24825 for ; + Thu, 19 Sep 2002 16:15:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7F83F29410F; Thu, 19 Sep 2002 08:12:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id B42C529409E for ; Thu, + 19 Sep 2002 08:11:23 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id AB4F13ED70; + Thu, 19 Sep 2002 11:19:06 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id A9BD83ED53; Thu, 19 Sep 2002 11:19:06 -0400 (EDT) +From: Tom +To: "Mr. FoRK" +Cc: fork@example.com +Subject: Re: Oh ma gawd - funny site of the day... +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 11:19:06 -0400 (EDT) +X-Spam-Status: No, hits=-3.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Ahhhh Dave Winer..Seems like only yesterday fork was knee deep in +winerrants..hes gone away though...so sad (insert real honest to goshness +tears) + +But the past live on...in the archives... + +Remeber when Dave was being betrayed by O'Reilly? +http://www.xent.com/aug00/0725.html + + +On "closed source" justifications +http://www.xent.com/FoRK-archive/sept00/0346.html + + +Daves trys to grok fork +http://www.xent.com/FoRK-archive/sept00/0953.html + + +NT runs just as good as linux...really +http://www.xent.com/aug00/0069.html + +There are a few months of this stuff (just google or forkcrawl the +archives) then he got truly fedup with all our not polite unfresh +thinking and went silent, for the most part. + +oh well, back to life. + +-tom + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0713.cef5181b3dfde07e06fd81c8cfc7d39e b/machine-learning-ex6/ex6/easy_ham/0713.cef5181b3dfde07e06fd81c8cfc7d39e new file mode 100644 index 0000000..153f40e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0713.cef5181b3dfde07e06fd81c8cfc7d39e @@ -0,0 +1,93 @@ +From fork-admin@xent.com Thu Sep 19 17:50:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 86DA316F03 + for ; Thu, 19 Sep 2002 17:50:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:50:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JFTpC25473 for ; + Thu, 19 Sep 2002 16:29:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F2EFD2940C2; Thu, 19 Sep 2002 08:26:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 548702940C2 for ; + Thu, 19 Sep 2002 08:25:44 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8JFT5i25255; Thu, 19 Sep 2002 11:29:05 -0400 +From: "Bill Stoddard" +To: "Owen Byrne" , + "Fork@Xent.Com" +Subject: RE: Hanson's Sept 11 message in the National Review +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <3D89BEA8.4010107@permafrost.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 11:11:47 -0400 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +> Chuck Murcko wrote: +> +> > Heh, ten years ago saying the exact same words was most definitely not +> > "parroting the party line". +> > +> > It was even less so thirty years ago. My story remains the same, take +> > it or leave it. I've said the same words to white supremacists as to +> > suburban leftist punks as to homeys as to French Irish, etc. etc.: +> > +> > I don't have to agree with anything you say. I *am* obligated to +> > defend to the death your right to say it. I don't give a rat's ass +> > where you say it, even in France. I don't care where the political +> > pendulum has swung currently. +> > +> > Chuck +> +> +> I had to laugh at Rumsfield yesterday - when he was heckled by +> protestors, he said something like "They couldn't do that in Iraq." +> Meanwhile, from what I could tell, the protestors were being arrested. +> +> Owen + +Trying to shoutdown a speaker or being loud and rowdy while someone else is +trying to speak (in the vernacular, 'getting in their face') is rude and +disrespectful. And persistently getting in someones face is assault, a +criminal offense. If these people have something to say, they can say it +with signs or get their own venue. And here is something else to chew on... +these protesters are NOT interested in changing anyones mind about what +Rumsfield is saying. How likely are you to change someone's mind by being +rude and disrespectful to them? Is this how to win friends and influence +people? Either these folks are social misfits who have no understanding of +human interactions (else they would try more constructive means to get their +message across) or they are just out to get their rocks off regardless of +how it affects other people, and that is immoral at best and downright evil +at worst. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0714.7f83c20969cae40090108707e0bd7cef b/machine-learning-ex6/ex6/easy_ham/0714.7f83c20969cae40090108707e0bd7cef new file mode 100644 index 0000000..65b3606 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0714.7f83c20969cae40090108707e0bd7cef @@ -0,0 +1,119 @@ +From fork-admin@xent.com Thu Sep 19 17:50:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8C79916F03 + for ; Thu, 19 Sep 2002 17:50:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:50:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JFkqC26250 for ; + Thu, 19 Sep 2002 16:46:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BD75F29416E; Thu, 19 Sep 2002 08:43:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id C11E529409E for + ; Thu, 19 Sep 2002 08:42:40 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17s3SH-0008U3-00; Thu, 19 Sep 2002 12:43:01 -0300 +Message-Id: <3D89F216.1000807@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Bill Stoddard +Cc: "Fork@Xent.Com" +Subject: Re: Hanson's Sept 11 message in the National Review +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 12:49:42 -0300 +X-Spam-Status: No, hits=-4.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Bill Stoddard wrote: + +>>Chuck Murcko wrote: +>> +>> +>> +>>>Heh, ten years ago saying the exact same words was most definitely not +>>>"parroting the party line". +>>> +>>>It was even less so thirty years ago. My story remains the same, take +>>>it or leave it. I've said the same words to white supremacists as to +>>>suburban leftist punks as to homeys as to French Irish, etc. etc.: +>>> +>>>I don't have to agree with anything you say. I *am* obligated to +>>>defend to the death your right to say it. I don't give a rat's ass +>>>where you say it, even in France. I don't care where the political +>>>pendulum has swung currently. +>>> +>>>Chuck +>>> +>>> +>>I had to laugh at Rumsfield yesterday - when he was heckled by +>>protestors, he said something like "They couldn't do that in Iraq." +>>Meanwhile, from what I could tell, the protestors were being arrested. +>> +>>Owen +>> +>> +> +>Trying to shoutdown a speaker or being loud and rowdy while someone else is +>trying to speak (in the vernacular, 'getting in their face') is rude and +>disrespectful. And persistently getting in someones face is assault, a +>criminal offense. If these people have something to say, they can say it +>with signs or get their own venue. And here is something else to chew on... +>these protesters are NOT interested in changing anyones mind about what +>Rumsfield is saying. How likely are you to change someone's mind by being +>rude and disrespectful to them? Is this how to win friends and influence +>people? Either these folks are social misfits who have no understanding of +>human interactions (else they would try more constructive means to get their +>message across) or they are just out to get their rocks off regardless of +>how it affects other people, and that is immoral at best and downright evil +>at worst. +> +>Bill +> +> +Polite and respectful protest is acceptable then. No dumping tea in the +harbour or anything like that. +I think the primary purpose of loud and rowdy protests is to get on +television, and that the tactics can be +justified as a reaction to a systematic removal of alternative +viewpoints from that medium. On the other hand, +it was a priceless TV moment. There was nothing resembling assault, and +the protestors were not in anybody's face +(at least in my understanding of the vernacular). + +And no, being rude and disrespectful is not the way to influence +politicians, but the standard way of using lobbyists and +writing checks is beyond many of us. + +Owen + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0715.6209671b4aec7159b71320b0c462ce8e b/machine-learning-ex6/ex6/easy_ham/0715.6209671b4aec7159b71320b0c462ce8e new file mode 100644 index 0000000..de94837 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0715.6209671b4aec7159b71320b0c462ce8e @@ -0,0 +1,86 @@ +From fork-admin@xent.com Thu Sep 19 17:50:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A2B6116F03 + for ; Thu, 19 Sep 2002 17:50:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:50:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JGmiC28731 for ; + Thu, 19 Sep 2002 17:48:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CEC0A29409E; Thu, 19 Sep 2002 09:45:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id CB36C29409C for ; Thu, + 19 Sep 2002 09:44:34 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id AC1843ED7B; + Thu, 19 Sep 2002 12:52:17 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id AA7183ED76; Thu, 19 Sep 2002 12:52:17 -0400 (EDT) +From: Tom +To: Bill Stoddard +Cc: Owen Byrne , "Fork@Xent.Com" +Subject: RE: Hanson's Sept 11 message in the National Review +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 12:52:17 -0400 (EDT) +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Thu, 19 Sep 2002, Bill Stoddard wrote: +--]How likely are you to change someone's mind by being +--]rude and disrespectful to them? Is this how to win friends and influence +--]people? + +Point the first, I doubt if they are trying to change Rumsy's mind but +rather to show others that there is a vocal and violent opposition to his +views. With such flagrant showings of opposition there would be more +coverage of the opposing ideas and thus the spreading of the dissenting +meme. A viri need not comply with the wishes of the attacked host, rather +the host had better make some antibodies or learn to adapt. + +Point the second. Historicaly the "in yer face" mode of confrontation has +been used to gain popular support and to grow from seeds "grass roots" +movements. Witness the big bold "in yer face" signature of Hancock on the +"in yer face" Declaration of the american colonies to the governing +powers of england. Witness also the chicago seven, Others will follow in +examplare form upon digging. + +Now point the third, is it annoying? Yes, and if your annoyed then the "in +yer facers" have done thier job. Sad to say the polite persnikiters are +teh very fule the "in yer facers" hope to ignite. If your burning, your +being used. + +Pointed the personal...The politics of the polite are more often the +refuge of backstabings, closed mouth recourlessness and hypocritcal +behavoirs. Id rather hear what those who oppose me have to say than +quietly be knifed by the slow hand of the coward. + + + +Seek not the polite or impolite but rather the reasons why. + + +-tom + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0716.ce0270837e944df9396a45d6389d2225 b/machine-learning-ex6/ex6/easy_ham/0716.ce0270837e944df9396a45d6389d2225 new file mode 100644 index 0000000..311e003 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0716.ce0270837e944df9396a45d6389d2225 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Fri Sep 20 11:32:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A7A0316F03 + for ; Fri, 20 Sep 2002 11:32:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JHLgC29973 for ; + Thu, 19 Sep 2002 18:21:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EBFB229410C; Thu, 19 Sep 2002 10:18:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from panacea.canonical.org (ns1.canonical.org [209.115.72.29]) + by xent.com (Postfix) with ESMTP id B0D0329409C for ; + Thu, 19 Sep 2002 10:17:04 -0700 (PDT) +Received: by panacea.canonical.org (Postfix, from userid 1004) id + E51EC3F522; Thu, 19 Sep 2002 13:18:04 -0400 (EDT) +From: Kragen Sitaker +To: fork@example.com +Cc: webmaster@worldwidewords.org +Subject: Re: Avast there matey +Message-Id: <20020919171804.GA18065@canonical.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.28i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 13:18:04 -0400 +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Owen Byrne writes: +> [quoting http://www.quinion.com/words/qa/qa-shi2.htm] +> *SHIVER MY TIMBERS* +> +> /From Tad Spencer/: "Please could you tell me where the phrase /shiver +> my timbers/ originated?" +> +> This is one of those supposedly nautical expressions that seem to be +> better known through a couple of appearances in fiction than by any +> actual sailors' usage. +> +> It's an exclamation that may allude to a ship striking some rock or +> other obstacle so hard that her timbers shiver, or shake, so implying a +> calamity has occurred. It is first recorded as being used by Captain +> Frederick Marryat in /Jacob Faithful/ in 1835: "I won't thrash you Tom. +> Shiver my timbers if I do". + +It seems implausible to me that "shiver" here means "to shake"; I don't +recall seeing the word used transitively in that sense, and web1913 +lists that sense as "v. i.", or intransitive. The transitive sense of +"shiver", which we no longer use but which people used widely in the +1800s (web1913 doesn't even list it as archaic or obsolete), means +"to shatter into splinters, normally with a blow". + +Shivering a boat's timbers, of course, leaves you with no boat. +(Shivering some of them, which will happen if you hit a rock hard enough, +leaves you with a sinking boat.) + +So, "Shiver my timbers if I do," can be reasonably interpreted as a more +vivid way of saying, "May I die suddenly if I do." The interpretation +suggested by Quinion, "May my boat be damaged," neither makes as much +sense in context nor obeys the normal rules of grammar. + +I've sent a copy of this to Quinion. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0717.211b19b47bd1c85001dddbe5768d79a1 b/machine-learning-ex6/ex6/easy_ham/0717.211b19b47bd1c85001dddbe5768d79a1 new file mode 100644 index 0000000..5a55a27 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0717.211b19b47bd1c85001dddbe5768d79a1 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Fri Sep 20 11:32:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F1F7C16F03 + for ; Fri, 20 Sep 2002 11:32:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JHtlC30977 for ; + Thu, 19 Sep 2002 18:55:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 647532940BD; Thu, 19 Sep 2002 10:52:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 21A8129409C for ; + Thu, 19 Sep 2002 10:51:32 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8JHsui32025; Thu, 19 Sep 2002 13:54:56 -0400 +From: "Bill Stoddard" +To: "Tom" +Cc: "Owen Byrne" , + "Fork@Xent.Com" +Subject: RE: Hanson's Sept 11 message in the National Review +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 13:55:33 -0400 +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> On Thu, 19 Sep 2002, Bill Stoddard wrote: +> --]How likely are you to change someone's mind by being +> --]rude and disrespectful to them? Is this how to win friends and +> influence +> --]people? +> +> Point the first, I doubt if they are trying to change Rumsy's mind but +> rather to show others that there is a vocal and violent opposition to his +> views. With such flagrant showings of opposition there would be more +> coverage of the opposing ideas and thus the spreading of the dissenting +> meme. A viri need not comply with the wishes of the attacked host, rather +> the host had better make some antibodies or learn to adapt. +> +> Point the second. Historicaly the "in yer face" mode of confrontation has +> been used to gain popular support and to grow from seeds "grass roots" +> movements. Witness the big bold "in yer face" signature of Hancock on the +> "in yer face" Declaration of the american colonies to the governing +> powers of england. Witness also the chicago seven, Others will follow in +> examplare form upon digging. +> +> Now point the third, is it annoying? Yes, and if your annoyed then the "in +> yer facers" have done thier job. Sad to say the polite persnikiters are +> teh very fule the "in yer facers" hope to ignite. If your burning, your +> being used. +> +> Pointed the personal...The politics of the polite are more often the +> refuge of backstabings, closed mouth recourlessness and hypocritcal +> behavoirs. Id rather hear what those who oppose me have to say than +> quietly be knifed by the slow hand of the coward. +> +> +> +> Seek not the polite or impolite but rather the reasons why. +> +> +> -tom + +Good points all but they don't apply in this case. Someone is speaking and +a group of selfish bastards only interested in getting their rocks off are +trying to shout him down (they are doing it because 'it's good for the +soul'. Kind like Chuckie Manson doing the stuff he did cause 'it was good +for his soul'). Unprincipled and evil. It's got nothing to do with throwing +tea in the harbor or the DoI. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0718.68f8a85adbdadbd8959876992d001c5c b/machine-learning-ex6/ex6/easy_ham/0718.68f8a85adbdadbd8959876992d001c5c new file mode 100644 index 0000000..1368041 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0718.68f8a85adbdadbd8959876992d001c5c @@ -0,0 +1,91 @@ +From fork-admin@xent.com Fri Sep 20 11:32:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1808416F03 + for ; Fri, 20 Sep 2002 11:32:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JI2hC31074 for ; + Thu, 19 Sep 2002 19:02:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9B2CC294162; Thu, 19 Sep 2002 10:59:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id AC28329409C for + ; Thu, 19 Sep 2002 10:58:50 -0700 (PDT) +Received: from spinnaker ([64.157.35.6]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020919180238.RUXM977.hughes-fe01@spinnaker>; Thu, 19 Sep 2002 14:02:38 + -0400 +Subject: Re: Hanson's Sept 11 message in the National Review +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: fork@example.com +To: "Russell Turpin" +From: Chuck Murcko +In-Reply-To: +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 11:01:49 -0700 +X-Spam-Status: No, hits=-6.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MSN_FOOTER1,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +What I meant was that neither he nor anyone else has any *authority* to +say something can or can't be published, and make that stick, at least +in the US, and from some descriptions, France. Of course he can say +anything he wants. And I can choose to ignore it, or not. Works both +ways. + +Fscking semantics. + +Chuck + +On Thursday, September 19, 2002, at 06:41 AM, Russell Turpin wrote: + +> Robert Harley: +>>> BTW, I wasn't aware that the 1st Amendment mandated that crap must be +>>> FoRKed. +> +> Chuck Murcko : +>> It doesn't, BTW. It says the right to free speech shall not be +>> abridged. That means *you* can't say anything may not be FoRKed or +>> printed or whatever. +> +> Actually, it means just the opposite. The first +> amendment guarantees Harley's right to say just +> that. For the outlets where he has editorial +> control, it even guarantees his right to CENSOR +> content published through those outlets. The +> first amendment doesn't limit Harley's speech, +> and it is neutral with regard to the selection +> policies of FoRK and other private venues. +> +> +> +> _________________________________________________________________ +> MSN Photos is the easiest way to share and print your photos: +> http://photos.msn.com/support/worldwide.aspx +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0719.078bfec7d10d50405c5213fdcfe069f4 b/machine-learning-ex6/ex6/easy_ham/0719.078bfec7d10d50405c5213fdcfe069f4 new file mode 100644 index 0000000..f2e2b13 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0719.078bfec7d10d50405c5213fdcfe069f4 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Fri Sep 20 11:32:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AF97016F03 + for ; Fri, 20 Sep 2002 11:32:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JI9hC31398 for ; + Thu, 19 Sep 2002 19:09:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2D0D829413C; Thu, 19 Sep 2002 11:06:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 1CD0529409C for ; Thu, + 19 Sep 2002 11:05:27 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 96F983EDAF; + Thu, 19 Sep 2002 14:13:10 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 9553F3ED19; Thu, 19 Sep 2002 14:13:10 -0400 (EDT) +From: Tom +To: Bill Stoddard +Cc: Owen Byrne , "Fork@Xent.Com" +Subject: RE: Hanson's Sept 11 message in the National Review +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 14:13:10 -0400 (EDT) +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Thu, 19 Sep 2002, Bill Stoddard wrote: + +--]Good points all but they don't apply in this case. Someone is speaking and +--]a group of selfish bastards only interested in getting their rocks off are +--]trying to shout him down (they are doing it because 'it's good for the +--]soul'. Kind like Chuckie Manson doing the stuff he did cause 'it was good +--]for his soul'). Unprincipled and evil. It's got nothing to do with throwing +--]tea in the harbor or the DoI. + + +History is written by the victors. If the rabble can put forth there ideas +they will be tempered in the pages of yore as "strong willed voices +decrying the obvious injustices of the day" + +Once again, look at the Chicago 7, a loud and rude a crowd of selfish +pricks as you were want to find in the day. History of course colors them +with times great blur filter. The jagged bits that , at the time, were +called rude and obnoxious are now seen as a stab of justive doing in the +sideof the ill pathed goverment. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0720.9b70b163d69018e7aee73cf86459265d b/machine-learning-ex6/ex6/easy_ham/0720.9b70b163d69018e7aee73cf86459265d new file mode 100644 index 0000000..b81d22b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0720.9b70b163d69018e7aee73cf86459265d @@ -0,0 +1,92 @@ +From fork-admin@xent.com Fri Sep 20 11:32:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A3CF716F03 + for ; Fri, 20 Sep 2002 11:32:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JJhrC01513 for ; + Thu, 19 Sep 2002 20:43:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C089629416F; Thu, 19 Sep 2002 12:40:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm0-17.sba1.netlojix.net + [207.71.218.17]) by xent.com (Postfix) with ESMTP id 21AD529416D for + ; Thu, 19 Sep 2002 12:39:47 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id MAA18640; + Thu, 19 Sep 2002 12:51:00 -0700 +Message-Id: <200209191951.MAA18640@maltesecat> +To: fork@example.com +Subject: Re: [meta-forkage] +In-Reply-To: Message from fork-request@xent.com of + "Thu, 19 Sep 2002 09:45:02 PDT." + <20020919164502.31514.11488.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 12:50:46 -0700 +X-Spam-Status: No, hits=-3.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + + +> For my part, I'd rather people didn't use FoRK as a place in which to dump an +> expression of their political beliefs. + +I'll second that, although with emphasis +upon /dump/, rather than on /political/. + +I don't mind if people advocate nuking +gay baby whales for jesus, if they can +make a good, original, argument for it. + +I do mind if someone should attempt to +further the notion that 1+1=2, merely +by cut-and-pasting a few pages of W&R. + +"New bits" are not a temporal property; +we create them when we add context or +clarification to the old bits of others' +thoughts. + +-Dave + +:::::::::::: + +> ... being rude and disrespectful is not the way to influence +> politicians, but the standard way of using lobbyists and +> writing checks is beyond many of us. + +The standard way has some extreme precedents: + +> Q: When was the Roman empire sold, and who bought it? +> +> A: On March 28th, 193 AD, the Roman empire was auctioned off by the +> Praetorian guards to the wealthy senator Didius Julianus for the price +> of 6250 drachms per soldier. +(as found in , +quoting Gibbon) + +Now, an economist might argue that selling +offices is the most efficient way to fill +them (what would Coase say?), but wouldn't +that convince everyone (but the supporters +of plutocracy) that efficiency is not the +primary virtue of politics? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0721.9798746ace52b039545cfcb5dd5df9fa b/machine-learning-ex6/ex6/easy_ham/0721.9798746ace52b039545cfcb5dd5df9fa new file mode 100644 index 0000000..2cbcdb2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0721.9798746ace52b039545cfcb5dd5df9fa @@ -0,0 +1,66 @@ +From fork-admin@xent.com Fri Sep 20 11:32:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CA74016F03 + for ; Fri, 20 Sep 2002 11:32:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JLlhC05097 for ; + Thu, 19 Sep 2002 22:47:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F0A9029416D; Thu, 19 Sep 2002 14:44:05 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav56.law15.hotmail.com [64.4.22.191]) by + xent.com (Postfix) with ESMTP id 650A729409C for ; + Thu, 19 Sep 2002 14:43:56 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 19 Sep 2002 14:47:21 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <20020919171804.GA18065@canonical.org> +Subject: Re: Avast there matey +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 19 Sep 2002 21:47:21.0730 (UTC) FILETIME=[221F5E20:01C26026] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 14:51:59 -0700 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Kragen Sitaker" + +> > It's an exclamation that may allude to a ship striking some rock or +> > other obstacle so hard that her timbers shiver, or shake, so implying a +> > calamity has occurred. It is first recorded as being used by Captain +> > Frederick Marryat in /Jacob Faithful/ in 1835: "I won't thrash you Tom. +> > Shiver my timbers if I do". +I think it went like this: "I won't thrash you Tom, if you shiver my +timber..." +Or maybe that was just the butt pirates... + + diff --git a/machine-learning-ex6/ex6/easy_ham/0722.8aba37e84c5a58cdfe72fc9ed03089ae b/machine-learning-ex6/ex6/easy_ham/0722.8aba37e84c5a58cdfe72fc9ed03089ae new file mode 100644 index 0000000..9b96d2c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0722.8aba37e84c5a58cdfe72fc9ed03089ae @@ -0,0 +1,75 @@ +From fork-admin@xent.com Fri Sep 20 11:32:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1D1B916F03 + for ; Fri, 20 Sep 2002 11:32:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JLpkC05159 for ; + Thu, 19 Sep 2002 22:51:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 78054294173; Thu, 19 Sep 2002 14:48:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id CE7C1294172 for ; + Thu, 19 Sep 2002 14:47:14 -0700 (PDT) +Received: (qmail 32349 invoked from network); 19 Sep 2002 21:50:41 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 19 Sep 2002 21:50:41 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 665551C0A9; + Thu, 19 Sep 2002 17:50:37 -0400 (EDT) +To: Rodent of Unusual Size +Cc: Flatware or Road Kill? +Subject: Re: boycotting yahoo +References: + <3D885FE0.37C1C9EA@Golux.Com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 19 Sep 2002 17:50:37 -0400 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +Just tried smartgroups: The layout of pages is pretty challenging to +use quickly, but the most interesting aspect is that once you are in, +there is no way to get out. You can unsubscribe yourself as the sole +member of a group, but you cannot delete the group. + +Or if you can, I couldn't find it before deleting myself, and now it's +invisible to me. Another interesting thing: Security forms are reset +to full-public settings each time you load them, rather than set from +your current settings. + +All in all, I wasn't impressed and have stayed with the Yahooligans +for another run. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0723.e326ddd50487b33418a053b67df5ab5d b/machine-learning-ex6/ex6/easy_ham/0723.e326ddd50487b33418a053b67df5ab5d new file mode 100644 index 0000000..a1ca590 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0723.e326ddd50487b33418a053b67df5ab5d @@ -0,0 +1,62 @@ +From fork-admin@xent.com Fri Sep 20 11:32:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3F4B416F03 + for ; Fri, 20 Sep 2002 11:32:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8JLxjC05374 for ; + Thu, 19 Sep 2002 22:59:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2BFDB294171; Thu, 19 Sep 2002 14:56:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4071F29409C for ; Thu, + 19 Sep 2002 14:55:07 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 812293EDAF; + Thu, 19 Sep 2002 18:02:52 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 7F93F3EB72; Thu, 19 Sep 2002 18:02:52 -0400 (EDT) +From: Tom +To: "Mr. FoRK" +Cc: fork@example.com +Subject: Re: Avast there matey +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 18:02:52 -0400 (EDT) +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Thu, 19 Sep 2002, Mr. FoRK wrote: +--]I think it went like this: "I won't thrash you Tom, if you shiver my +--]timber..." +--]Or maybe that was just the butt pirates... +--] + +How did I get wrangled into this thread? +Do I really need to make pewp deck jokes at this point. + +Arrrrg ye mateys, now best ya be off tis topic or Ill hoist my jib and +hope for a stiff wind. Arrrg when Im happy and arrrg when Im not. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0724.789e078e8d5286dcb7da0df2f47e6886 b/machine-learning-ex6/ex6/easy_ham/0724.789e078e8d5286dcb7da0df2f47e6886 new file mode 100644 index 0000000..5f8ab45 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0724.789e078e8d5286dcb7da0df2f47e6886 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Fri Sep 20 11:32:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7D67916F03 + for ; Fri, 20 Sep 2002 11:32:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8K2ZoC17214 for ; + Fri, 20 Sep 2002 03:35:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1531D294170; Thu, 19 Sep 2002 19:32:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from qu.to (njl.ne.client2.attbi.com [24.218.112.39]) by + xent.com (Postfix) with SMTP id E1DD729409C for ; + Thu, 19 Sep 2002 19:31:24 -0700 (PDT) +Received: (qmail 29405 invoked by uid 500); 20 Sep 2002 02:39:53 -0000 +From: Ned Jackson Lovely +To: fork@example.com +Subject: Re: Hanson's Sept 11 message in the National Review +Message-Id: <20020920023953.GH1024@ibu.internal.qu.to> +References: <3D89BEA8.4010107@permafrost.net> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.3.25i +X-Cell: +1.617.877.3444 +X-Web: http://www.njl.us/ +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 22:39:53 -0400 +X-Spam-Status: No, hits=-10.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 19, 2002 at 11:11:47AM -0400, Bill Stoddard wrote: +> people? Either these folks are social misfits who have no understanding of +> human interactions (else they would try more constructive means to get their +> message across) or they are just out to get their rocks off regardless of +> how it affects other people, and that is immoral at best and downright evil +> at worst. + +Are you kidding? It was fucking BRILLIANT. Do you know what exposure that got +them? They sat perfectly so that the cameras could focus on the mildly +exasperated Rumsfeld and their "UN Inspections not war" banner. That picture +will be dominating the news cycles in China, Iraq, Russia, Germany, and +France, at least. For goodness sakes, you're arguing about it on FoRK. In +politics by sound-bite, those two rude hags kicked ass and took names. + +For the record, I don't think they even got arrested, which is a shame. It +is part of the game -- make an ass of yourself, get your point on the nightly +news, spend a couple days in the clink for disorderly. + +-- +njl + + diff --git a/machine-learning-ex6/ex6/easy_ham/0725.2c1c01215a3c8c4936f8cfea181092d1 b/machine-learning-ex6/ex6/easy_ham/0725.2c1c01215a3c8c4936f8cfea181092d1 new file mode 100644 index 0000000..08bf67b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0725.2c1c01215a3c8c4936f8cfea181092d1 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Fri Sep 20 11:32:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8AF6D16F03 + for ; Fri, 20 Sep 2002 11:32:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:32:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8K63jC24590 for ; + Fri, 20 Sep 2002 07:03:46 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A0DE8294172; Thu, 19 Sep 2002 23:00:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 2CB4A29409C for + ; Thu, 19 Sep 2002 22:59:51 -0700 (PDT) +Received: (qmail 1460 invoked by uid 508); 20 Sep 2002 06:03:11 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (62.155.144.34) by + venus.phpwebhosting.com with SMTP; 20 Sep 2002 06:03:11 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8K63DI32727 for ; + Fri, 20 Sep 2002 08:03:13 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: forkit! +Subject: Sun donates elliptic curve code to OpenSSL? (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 08:03:13 +0200 (CEST) +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +---------- Forwarded message ---------- +Date: 19 Sep 2002 22:18:46 -0400 +From: Perry E. Metzger +To: cryptography@wasabisystems.com +Subject: Sun donates elliptic curve code to OpenSSL? + + +According to this: + +http://www.sun.com/smi/Press/sunflash/2002-09/sunflash.20020919.8.html + +Sun is donating some elliptic curve code to the OpenSSL project. Does +anyone know details that they would care to share on the nature of the +donation? + +-- +Perry E. Metzger perry@piermont.com + +--------------------------------------------------------------------- +The Cryptography Mailing List +Unsubscribe by sending "unsubscribe cryptography" to majordomo@wasabisystems.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0726.b9cf1bbdedddc254ac0a78e9fdb22a8e b/machine-learning-ex6/ex6/easy_ham/0726.b9cf1bbdedddc254ac0a78e9fdb22a8e new file mode 100644 index 0000000..fda1530 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0726.b9cf1bbdedddc254ac0a78e9fdb22a8e @@ -0,0 +1,63 @@ +From fork-admin@xent.com Fri Sep 20 16:15:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2B7D716F03 + for ; Fri, 20 Sep 2002 16:15:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 16:15:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8KDVtC07056 for ; + Fri, 20 Sep 2002 14:31:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DE396294177; Fri, 20 Sep 2002 06:28:12 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-d10.mx.aol.com (imo-d10.mx.aol.com [205.188.157.42]) by + xent.com (Postfix) with ESMTP id 6519529409C for ; + Fri, 20 Sep 2002 06:27:22 -0700 (PDT) +Received: from ThosStew@aol.com by imo-d10.mx.aol.com (mail_out_v34.11.) + id k.53.1c91dda8 (3310); Fri, 20 Sep 2002 09:30:30 -0400 (EDT) +From: ThosStew@aol.com +Message-Id: <53.1c91dda8.2abc7cf6@aol.com> +Subject: Re: [meta-forkage] +To: dl@silcom.com, fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 09:30:30 EDT +X-Spam-Status: No, hits=-1.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + + +In a message dated 9/19/2002 3:45:45 PM, dl@silcom.com writes: + +>I don't mind if people advocate nuking +>gay baby whales for jesus, if they can +>make a good, original, argument for it. + + +I can't imagine any other kind of argument for nuking gay baby whales for +jesus. But do you mean nuking baby gay whales who are for jesus; or nuking +baby gay whales for Jesus's sake? + +splitting hairs with a FoRK, + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0727.a398f36f56d924dc775138b61dffbfb2 b/machine-learning-ex6/ex6/easy_ham/0727.a398f36f56d924dc775138b61dffbfb2 new file mode 100644 index 0000000..c399393 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0727.a398f36f56d924dc775138b61dffbfb2 @@ -0,0 +1,98 @@ +From fork-admin@xent.com Fri Sep 20 16:15:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 901F216F03 + for ; Fri, 20 Sep 2002 16:15:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 16:15:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8KE7pC08317 for ; + Fri, 20 Sep 2002 15:07:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8D8602940C3; Fri, 20 Sep 2002 07:04:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id AB2B829409C for ; + Fri, 20 Sep 2002 07:03:25 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H2Q004RHPVH35@mta6.snfc21.pbi.net> for fork@xent.com; Fri, + 20 Sep 2002 07:06:53 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Sun +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D8B2931.B8321588@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 06:57:05 -0700 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,USER_AGENT_MOZILLA_XM, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Well, it looks like Sun are going ahead with +their ubiquitous computing plans without Mithril. + +Greg + +Reuters Market News + Sun Micro Outlines Roadmap for Managing Networks + Friday September 20, 5:00 am ET + By Peter Henderson + + SAN FRANCISCO (Reuters) - Computer maker Sun Microsystems Inc. on Thursday + said it would create in a few years a network environment that will be as + straightforward to handle as a single machine, a strategy it calls N1. + + It laid out a road map for a new layer of intelligent software and systems that will meld + unwieldy networks into easy-to-use systems, a goal similar to those of most rivals + making computers which manage networks. + EMC Corp. announced this week software aimed at allowing users to manage storage + resources as a pool. Hewlett-Packard Co has a Utility Data Center, designed for + broader management. International Business Machines Corp's project eLiza is working + to make computers "self-healing" when systems break. + + "Applications still have to run zeroes and ones on some computing engine but the + whole idea behind N1 is you stop thinking about that. You don't think about what box + it is running on," Sun Vice President Steve MacKay, head of the N1 program, said in an + interview on the sidelines of a Sun user conference. + + Many industry executives see computer power eventually being sold like power or + water, as a utility that can be turned on or off, in whatever volume one wants whenever + needed. + For that to happen computers must be tied together seamlessly, rather than cobbling + them together with tenuous links, as most networks do today, experts say. There are + still major barriers, though, such as communications standards for machines from + different vendors to interoperate closely. + Sun promised to deliver a "virtualization engine" that would let administrators look at + their entire network as a pool by the end of the year. Network administrators today + often have no automatic system to report what is in the network. + + "It'll tell you what you have and how it is laid out," promised MacKay + The second stage, beginning in 2003, would allow users to identify a service, such as + online banking, and allocate resources for them with a few clicks, Sun said. + Finally, in 2004, Sun's software should allow networks to change uses of resources on + the fly in response to changing needs, such as a bank assuring quicker online response + time for priority users, the company said. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0728.7d37495ed88e5edd68f2c868e451b68e b/machine-learning-ex6/ex6/easy_ham/0728.7d37495ed88e5edd68f2c868e451b68e new file mode 100644 index 0000000..3097478 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0728.7d37495ed88e5edd68f2c868e451b68e @@ -0,0 +1,110 @@ +From fork-admin@xent.com Fri Sep 20 16:16:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DCDE116F03 + for ; Fri, 20 Sep 2002 16:16:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 16:16:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8KEvoC09954 for ; + Fri, 20 Sep 2002 15:57:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DF6F4294176; Fri, 20 Sep 2002 07:54:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 87F8F294176 for ; + Fri, 20 Sep 2002 07:53:05 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8KEuUQ02494; Fri, 20 Sep 2002 10:56:31 -0400 +From: "Bill Stoddard" +To: "Ned Jackson Lovely" , + "Fork@Xent.Com" +Subject: RE: Hanson's Sept 11 message in the National Review +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <20020920023953.GH1024@ibu.internal.qu.to> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 10:45:19 -0400 +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +> On Thu, Sep 19, 2002 at 11:11:47AM -0400, Bill Stoddard wrote: +> > people? Either these folks are social misfits who have no +> understanding of +> > human interactions (else they would try more constructive means +> to get their +> > message across) or they are just out to get their rocks off +> regardless of +> > how it affects other people, and that is immoral at best and +> downright evil +> > at worst. +> +> Are you kidding? It was fucking BRILLIANT. Do you know what +> exposure that got +> them? They sat perfectly so that the cameras could focus on the mildly +> exasperated Rumsfeld and their "UN Inspections not war" banner. + +What I am specifically referring to is protesters shouting down speakers or +making so much noise that it interferes with the speaker. That's wrong, +immoral and unethical no matter what the political bent of the speakers and +the protesters. Rowdy protests in their own venue (on a college campus or +some of the commons areas of DC) is perfectly fine by me. Waving signs to +get attention is fine. + +> That picture +> will be dominating the news cycles in China, Iraq, Russia, Germany, and +> France, at least. For goodness sakes, you're arguing about it on FoRK. In +> politics by sound-bite, those two rude hags kicked ass and took names. +> +> For the record, I don't think they even got arrested, which is a shame. + +Well, Owen implied the protesters were arrested. Was he just jacking himself +off at the expense of other people? Exactly why is it a shame that they were +not arrested? Think about what you are saying and what you are telegraphing +about your state of mind here. You WANT people to do bad things (ie, police +arresting peaceful protesters) if it can help you further your cause? That +attitude just sucks. You have no moral ground to stand on if that is what +you believe. + +> It is part of the game -- make an ass of yourself, get your point on +> the nightly +> news, spend a couple days in the clink for disorderly. + +Sure, just don't whine about getting arrested if you make it a point to get +in someone's face. + +One other comment... Most of the people that are protesting against taking +out the Iraqi dictator wouldn't give a rats ass if a nuke went off in NYC. +They simply wouldn't care so why in the hell should the Americal public +listen to them on matters of national security? + +So enlighten me, exactly why shouldn't Hussein be taken out? And if your +answr boils down to "i don't give a shit about what happens to the US", you +can kiss my ass :-) + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0729.70d1cec4f8f949fc7ef64fc3ed85f950 b/machine-learning-ex6/ex6/easy_ham/0729.70d1cec4f8f949fc7ef64fc3ed85f950 new file mode 100644 index 0000000..3f89323 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0729.70d1cec4f8f949fc7ef64fc3ed85f950 @@ -0,0 +1,157 @@ +From fork-admin@xent.com Fri Sep 20 21:47:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 43C3116F03 + for ; Fri, 20 Sep 2002 21:47:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 21:47:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8KJYlC20016 for ; + Fri, 20 Sep 2002 20:34:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A79E82940A5; Fri, 20 Sep 2002 12:31:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 5F74029409C for ; Fri, + 20 Sep 2002 12:30:31 -0700 (PDT) +Received: (qmail 14749 invoked from network); 20 Sep 2002 19:33:59 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 20 Sep 2002 19:33:59 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: The War Prayer +Message-Id: <005201c260dc$ab1580e0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 12:33:59 -0700 +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +I'm sure Patton used it. + +I'm all for using it in the coming war with Iraq. + +Yet I'd be queasy about doing it in the Philippines circa 1905, which +was his point. + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of R. +A. +> Hettinga +> Sent: Monday, September 16, 2002 9:44 PM +> To: Digital Bearer Settlement List; fork@example.com +> Subject: The War Prayer +> +> +> --- begin forwarded text +> +> +> Status: RO +> Date: Mon, 16 Sep 2002 14:57:27 -0700 +> To: nettime-l@bbs.thing.net +> From: Phil Duncan +> Subject: The War Prayer +> Sender: nettime-l-request@bbs.thing.net +> Reply-To: Phil Duncan +> +> The following prayer is from a story by Mark Twain, and was quoted by +> Lewis +> Laphan in the October issue of Harper's magazine. It occurs at the +very +> end +> of an excellent article which I recommend to you. +> +> In the story, an old man enters a church where the congregation has +been +> listening to an heroic sermon about "the glory to be won in battle by +> young +> patriots armed with the love of God." He usurps the pulpit and prays +the +> following: +> +> "O Lord our God, help us to tear their soldiers to bloody shreads with +our +> shells; help us to cover their smiling fields with the pale forms of +their +> patriot dead; help us to drown the thunder of the guns with the +shrieks of +> their wounded, writhing in pain; help us to lay waste their humble +homes +> with +> a hurricane of fire; help us to wring the hearts of their unoffending +> widows +> with unavailing grief; help us to turn them out roofless with their +little +> children to wander unfriended the wastes of their desolated land in +rags +> and +> hunger and thirst, sports of the sun flames in summer and the icy +winds of +> winter, broken in spirit, worn with travail, imploring Thee for the +refuge +> of +> the grave and denied it -- for our sakes who adore Thee, Lord, blast +their +> hopes, blight their lives, protract their bitter pilgrimage, make +heavy +> their +> steps, water their way with their tears, stain the white snow with the +> blood +> of their wounded feet! We ask it, in the spirit of love, of Him Who is +the +> Source of Love, and Who is the ever-faithful refuge and friend of all +that +> are sore beset and seek His aid with humble and contrite hearts. +Amen." +> +> Twain wrote the story, "The War Prayer," in 1905 during the American +> occupation of the Philippines, but the story wasn't printed until +1923, +> thirteen years after his death, because the editors thought it +> "unsuitable" +> for publication at the time it was written. +> +> # distributed via : no commercial use without permission +> # is a moderated mailing list for net criticism, +> # collaborative text filtering and cultural politics of the nets +> # more info: majordomo@bbs.thing.net and "info nettime-l" in the msg +body +> # archive: http://www.nettime.org contact: nettime@bbs.thing.net +> +> --- end forwarded text +> +> +> -- +> ----------------- +> R. A. Hettinga +> The Internet Bearer Underwriting Corporation +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0730.9570ee3b6bf144198297b23bca5044e9 b/machine-learning-ex6/ex6/easy_ham/0730.9570ee3b6bf144198297b23bca5044e9 new file mode 100644 index 0000000..bc6cfec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0730.9570ee3b6bf144198297b23bca5044e9 @@ -0,0 +1,1733 @@ +From fork-admin@xent.com Sat Sep 21 10:42:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B584816F03 + for ; Sat, 21 Sep 2002 10:42:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L0CPC32195 for ; + Sat, 21 Sep 2002 01:13:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 14FEC294179; Fri, 20 Sep 2002 17:08:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from gremlin.ics.uci.edu (gremlin.ics.uci.edu [128.195.1.70]) by + xent.com (Postfix) with ESMTP id DF76529409C for ; + Fri, 20 Sep 2002 17:07:52 -0700 (PDT) +Received: from localhost (godzilla.ics.uci.edu [128.195.1.58]) by + gremlin.ics.uci.edu (8.12.5/8.12.5) with ESMTP id g8L0AoBO028706 for + ; Fri, 20 Sep 2002 17:10:51 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: sed /s/United States/Roman Empire/g +From: Rohit Khare +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +X-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 17:10:48 -0700 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,USER_AGENT_APPLEMAIL, + US_DOLLARS_2 + version=2.50-cvs +X-Spam-Level: + +> A world where some live in comfort and plenty, while half of the human +> race lives on less than $2 a day, is neither just nor stable. + +Absolutely correct. Perhaps the most fundamental thing to realize about +life on Earth today. + +The following is a fascinating document of official Government policy +that bears close reading. It is the aspirations of a wonderful nation in +an imperfect world. + +> The war on terrorism is not a clash of civilizations. It does, +> however, reveal the clash inside a civilization, a battle for the +> future of the Muslim world. This is a struggle of ideas and this is an +> area where America must excel. + +I was recently at a lecture about the surprising success of Radio Sawa, +our new music-and-news channel for 15-30 year old Arabs. It's #1 in +practically every market it's entered, nearing 90% listenership in +Amman. And it's even beginning to be trusted for news, well past BBC and +taking share from every other government broadcaster. + +It is as hard to imagine America losing a war of ideas in the long-term +as it is to imagine America making any headway at all in the short term. + +Many of you may disagree, but I found the document below surprisingly +centrist. If you know the code, you can hear clearly partisan tones, re: +ICC, Taiwan Relations Act, etc. But, still, this is as much a Democratic +platform as not. Africa and AIDS take up more mindshare than I feared +they might. + +As you read, replace "United States" with "Roman Empire" and it may make +as much sense, in the long view of history. I don't know how proud to be +about that, but it is telling. Sometime I daydream that the President +might sit down with the nation with Perotista flip charts and explain to +our citizens the sheer vastness of our 700+ military installations +overseas and what they do for us. It would be a powerful education on +how engaged we are in the world around us. + +Heck, I'd love to see a real-time map of Federal expenditures around the +globe, a softly glowing necklace of embassies, carriers, arctic research +stations, hotels, golf courses, warehouses, libraries, clinics and all +the rest of the influence a trillion dollars here or there can buy. + +Of course, this still doesn't leave me any more comfortable with the +real news in this document: the Bush Doctrine for pre-emptive strikes. +I'd sooner repeal the Church amendments on covert action than permit +such a principle to be loosed upon the world. + +Rohit + +----------------------------------------------------- +September 20, 2002 + +Full Text: Bush's National Security Strategy + +Following is the full text of President Bush's new national security +strategy. The document, entitled "The National Security Strategy of the +United States," will soon be transmitted to Congress as a declaration of +the Administration's policy. + +INTRODUCTION + +THE great struggles of the twentieth century between liberty and +totalitarianism ended with a decisive victory for the forces of +freedom -- and a single sustainable model for national success: freedom, +democracy, and free enterprise. In the twenty-first century, only +nations that share a commitment to protecting basic human rights and +guaranteeing political and economic freedom will be able to unleash the +potential of their people and assure their future prosperity. People +everywhere want to say what they think; choose who will govern them; +worship as they please; educate their children -- male and female; own +property; and enjoy the benefits of their labor. These values of freedom +are right and true for every person, in every society -- and the duty of +protecting these values against their enemies is the common calling of +freedom-loving people across the globe and across the ages. + +Today, the United States enjoys a position of unparalleled military +strength and great economic and political influence. In keeping with our +heritage and principles, we do not use our strength to press for +unilateral advantage. We seek instead to create a balance of power that +favors human freedom: conditions in which all nations and all societies +can choose for themselves the rewards and challenges of political and +economic liberty. By making the world safer, we allow the people of the +world to make their own lives better. We will defend this just peace +against threats from terrorists and tyrants. We will preserve the peace +by building good relations among the great powers. We will extend the +peace by encouraging free and open societies on every continent. + +Defending our Nation against its enemies is the first and fundamental +commitment of the Federal Government. Today, that task has changed +dramatically. Enemies in the past needed great armies and great +industrial capabilities to endanger America. Now, shadowy networks of +individuals can bring great chaos and suffering to our shores for less +than it costs to purchase a single tank. Terrorists are organized to +penetrate open societies and to turn the power of modern technologies +against us. + +To defeat this threat we must make use of every tool in our arsenal -- +from better homeland defenses and law enforcement to intelligence and +cutting off terrorist financing. The war against terrorists of global +reach is a global enterprise of uncertain duration. America will help +nations that need our assistance in combating terror. And America will +hold to account nations that are compromised by terror -- because the +allies of terror are the enemies of civilization. The United States and +countries cooperating with us must not allow the terrorists to develop +new home bases. Together, we will seek to deny them sanctuary at every +turn. + +The gravest danger our Nation faces lies at the crossroads of radicalism +and technology. Our enemies have openly declared that they are seeking +weapons of mass destruction, and evidence indicates that they are doing +so with determination. The United States will not allow these efforts to +succeed. We will build defenses against ballistic missiles and other +means of delivery. We will cooperate with other nations to deny, +contain, and curtail our enemies' efforts to acquire dangerous +technologies. And, as a matter of common sense and self-defense, America +will act against such emerging threats before they are fully formed. We +cannot defend America and our friends by hoping for the best. So we must +be prepared to defeat our enemies' plans, using the best intelligence +and proceeding with deliberation. History will judge harshly those who +saw this coming danger but failed to act. In the new world we have +entered, the only path to safety is the path of action. + +As we defend the peace, we will also take advantage of an historic +opportunity to preserve the peace. Today, the international community +has the best chance since the rise of the nation-state in the +seventeenth century to build a world where great powers compete in peace +instead of continually prepare for war. Today, the world's great powers +find ourselves on the same side -- united by common dangers of terrorist +violence and chaos. The United States will build on these common +interests to promote global security. We are also increasingly united by +common values. Russia is in the midst of a hopeful transition, reaching +for its democratic future and a partner in the war on terror. Chinese +leaders are discovering that economic freedom is the only source of +national wealth. In time, they will find that social and political +freedom is the only source of national greatness. America will encourage +the advancement of democracy and economic openness in both nations, +because these are the best foundations for domestic stability and +international order. We will strongly resist aggression from other great +powers -- even as we welcome their peaceful pursuit of prosperity, +trade, and cultural advancement. + +Finally, the United States will use this moment of opportunity to extend +the benefits of freedom across the globe. We will actively work to bring +the hope of democracy, development, free markets, and free trade to +every corner of the world. The events of September 11, 2001, taught us +that weak states, like Afghanistan, can pose as great a danger to our +national interests as strong states. Poverty does not make poor people +into terrorists and murderers. Yet poverty, weak institutions, and +corruption can make weak states vulnerable to terrorist networks and +drug cartels within their borders. + +The United States will stand beside any nation determined to build a +better future by seeking the rewards of liberty for its people. Free +trade and free markets have proven their ability to lift whole societies +out of poverty -- so the United States will work with individual +nations, entire regions, and the entire global trading community to +build a world that trades in freedom and therefore grows in prosperity. +The United States will deliver greater development assistance through +the New Millennium Challenge Account to nations that govern justly, +invest in their people, and encourage economic freedom. We will also +continue to lead the world in efforts to reduce the terrible toll of +AIDS and other infectious diseases. + +In building a balance of power that favors freedom, the United States is +guided by the conviction that all nations have important +responsibilities. Nations that enjoy freedom must actively fight terror. +Nations that depend on international stability must help prevent the +spread of weapons of mass destruction. Nations that seek international +aid must govern themselves wisely, so that aid is well spent. For +freedom to thrive, accountability must be expected and required. + +We are also guided by the conviction that no nation can build a safer, +better world alone. Alliances and multilateral institutions can multiply +the strength of freedom-loving nations. The United States is committed +to lasting institutions like the United Nations, the World Trade +Organization, the Organization of American States, and NATO as well as +other long-standing alliances. Coalitions of the willing can augment +these permanent institutions. In all cases, international obligations +are to be taken seriously. They are not to be undertaken symbolically to +rally support for an ideal without furthering its attainment. + +Freedom is the non-negotiable demand of human dignity; the birthright of +every person -- in every civilization. Throughout history, freedom has +been threatened by war and terror; it has been challenged by the +clashing wills of powerful states and the evil designs of tyrants; and +it has been tested by widespread poverty and disease. Today, humanity +holds in its hands the opportunity to further freedom's triumph over all +these foes. The United States welcomes our responsibility to lead in +this great mission. + +I. Overview of America's International Strategy + + +"Our Nation's cause has always been larger than our Nation's defense. We +fight, as we always fight, for a just peace -- a peace that favors +liberty. We will defend the peace against the threats from terrorists +and tyrants. We will preserve the peace by building good relations among +the great powers. And we will extend the peace by encouraging free and +open societies on every continent." + + + + + + +President Bush +West Point, New York +June 1, 2002 + + + +The United States possesses unprecedented -- and unequaled -- strength +and influence in the world. Sustained by faith in the principles of +liberty, and the value of a free society, this position comes with +unparalleled responsibilities, obligations, and opportunity. The great +strength of this nation must be used to promote a balance of power that +favors freedom. + +For most of the twentieth century, the world was divided by a great +struggle over ideas: destructive totalitarian visions versus freedom and +equality. + +That great struggle is over. The militant visions of class, nation, and +race which promised utopia and delivered misery have been defeated and +discredited. America is now threatened less by conquering states than we +are by failing ones. We are menaced less by fleets and armies than by +catastrophic technologies in the hands of the embittered few. We must +defeat these threats to our Nation, allies, and friends. + +This is also a time of opportunity for America. We will work to +translate this moment of influence into decades of peace, prosperity, +and liberty. The U.S. national security strategy will be based on a +distinctly American internationalism that reflects the union of our +values and our national interests. The aim of this strategy is to help +make the world not just safer but better. Our goals on the path to +progress are clear: political and economic freedom, peaceful relations +with other states, and respect for human dignity. + +And this path is not America's alone. It is open to all. + +To achieve these goals, the United States will: + +* champion aspirations for human dignity; + +* strengthen alliances to defeat global terrorism and work to prevent +attacks against us and our friends; + +* work with others to defuse regional conflicts; + +* prevent our enemies from threatening us, our allies, and our +friends, with weapons of mass destruction; + +* ignite a new era of global economic growth through free markets and +free trade; + +* expand the circle of development by opening societies and building +the infrastructure of democracy; + +* develop agendas for cooperative action with other main centers of +global power; and + +* transform America's national security institutions to meet the +challenges and opportunities of the twenty-first century. + + +II. Champion Aspirations for Human Dignity + + +"Some worry that it is somehow undiplomatic or impolite to speak the +language of right and wrong. I disagree. Different circumstances require +different methods, but not different moralities." + + + + + +President Bush +West Point, New York +June 1, 2002 + + + +In pursuit of our goals, our first imperative is to clarify what we +stand for: the United States must defend liberty and justice because +these principles are right and true for all people everywhere. No nation +owns these aspirations, and no nation is exempt from them. Fathers and +mothers in all societies want their children to be educated and to live +free from poverty and violence. No people on earth yearn to be +oppressed, aspire to servitude, or eagerly await the midnight knock of +the secret police. + +America must stand firmly for the nonnegotiable demands of human +dignity: the rule of law; limits on the absolute power of the state; +free speech; freedom of worship; equal justice; respect for women; +religious and ethnic tolerance; and respect for private property. + +These demands can be met in many ways. America's constitution has served +us well. Many other nations, with different histories and cultures, +facing different circumstances, have successfully incorporated these +core principles into their own systems of governance. History has not +been kind to those nations which ignored or flouted the rights and +aspirations of their people. + +Our own history is a long struggle to live up to our ideals. But even in +our worst moments, the principles enshrined in the Declaration of +Independence were there to guide us. As a result, America is not just a +stronger, but is a freer and more just society. + +Today, these ideals are a lifeline to lonely defenders of liberty. And +when openings arrive, we can encourage change -- as we did in central +and eastern Europe between 1989 and 1991, or in Belgrade in 2000. When +we see democratic processes take hold among our friends in Taiwan or in +the Republic of Korea, and see elected leaders replace generals in Latin +America and Africa, we see examples of how authoritarian systems can +evolve, marrying local history and traditions with the principles we all +cherish. + +Embodying lessons from our past and using the opportunity we have today, +the national security strategy of the United States must start from +these core beliefs and look outward for possibilities to expand liberty. + +Our principles will guide our government's decisions about international +cooperation, the character of our foreign assistance, and the allocation +of resources. They will guide our actions and our words in international +bodies. + +We will: + +* speak out honestly about violations of the nonnegotiable demands of +human dignity using our voice and vote in international institutions to +advance freedom; + +* use our foreign aid to promote freedom and support those who +struggle non-violently for it, ensuring that nations moving toward +democracy are rewarded for the steps they take; + +* make freedom and the development of democratic institutions key +themes in our bilateral relations, seeking solidarity and cooperation +from other democracies while we press governments that deny human rights +to move toward a better future; and + +* take special efforts to promote freedom of religion and conscience +and defend it from encroachment by repressive governments. + + +We will champion the cause of human dignity and oppose those who resist +it. + +III. Strengthen Alliances to Defeat Global Terrorism and Work to Prevent +Attacks Against Us and Our Friends + + +"Just three days removed from these events, Americans do not yet have +the distance of history. But our responsibility to history is already +clear: to answer these attacks and rid the world of evil. War has been +waged against us by stealth and deceit and murder. This nation is +peaceful, but fierce when stirred to anger. The conflict was begun on +the timing and terms of others. It will end in a way, and at an hour, of +our choosing." + + + + + +President Bush +Washington, D.C. (The National Cathedral) +September 14, 2001 + + + +The United States of America is fighting a war against terrorists of +global reach. The enemy is not a single political regime or person or +religion or ideology. The enemy is terrorism -- premeditated, +politically motivated violence perpetrated against innocents. + +In many regions, legitimate grievances prevent the emergence of a +lasting peace. Such grievances deserve to be, and must be, addressed +within a political process. But no cause justifies terror. The United +States will make no concessions to terrorist demands and strike no deals +with them. We make no distinction between terrorists and those who +knowingly harbor or provide aid to them. + +The struggle against global terrorism is different from any other war in +our history. It will be fought on many fronts against a particularly +elusive enemy over an extended period of time. Progress will come +through the persistent accumulation of successes -- some seen, some +unseen. + +Today our enemies have seen the results of what civilized nations can, +and will, do against regimes that harbor, support, and use terrorism to +achieve their political goals. Afghanistan has been liberated; coalition +forces continue to hunt down the Taliban and al-Qaida. But it is not +only this battlefield on which we will engage terrorists. Thousands of +trained terrorists remain at large with cells in North America, South +America, Europe, Africa, the Middle East, and across Asia. + +Our priority will be first to disrupt and destroy terrorist +organizations of global reach and attack their leadership; command, +control, and communications; material support; and finances. This will +have a disabling effect upon the terrorists' ability to plan and operate. + +We will continue to encourage our regional partners to take up a +coordinated effort that isolates the terrorists. Once the regional +campaign localizes the threat to a particular state, we will help ensure +the state has the military, law enforcement, political, and financial +tools necessary to finish the task. + +The United States will continue to work with our allies to disrupt the +financing of terrorism. We will identify and block the sources of +funding for terrorism, freeze the assets of terrorists and those who +support them, deny terrorists access to the international financial +system, protect legitimate charities from being abused by terrorists, +and prevent the movement of terrorists' assets through alternative +financial networks. + +However, this campaign need not be sequential to be effective, the +cumulative effect across all regions will help achieve the results we +seek. + +We will disrupt and destroy terrorist organizations by: + +* direct and continuous action using all the elements of national and +international power. Our immediate focus will be those terrorist +organizations of global reach and any terrorist or state sponsor of +terrorism which attempts to gain or use weapons of mass destruction +(WMD) or their precursors; + +* defending the United States, the American people, and our interests +at home and abroad by identifying and destroying the threat before it +reaches our borders. While the United States will constantly strive to +enlist the support of the international community, we will not hesitate +to act alone, if necessary, to exercise our right of self-defense by +acting preemptively against such terrorists, to prevent them from doing +harm against our people and our country; and + +* denying further sponsorship, support, and sanctuary to terrorists +by convincing or compelling states to accept their sovereign +responsibilities. + + +We will also wage a war of ideas to win the battle against international +terrorism. This includes: + +* using the full influence of the United States, and working closely +with allies and friends, to make clear that all acts of terrorism are +illegitimate so that terrorism will be viewed in the same light as +slavery, piracy, or genocide: behavior that no respectable government +can condone or support and all must oppose; + +* supporting moderate and modern government, especially in the Muslim +world, to ensure that the conditions and ideologies that promote +terrorism do not find fertile ground in any nation; + +* diminishing the underlying conditions that spawn terrorism by +enlisting the international community to focus its efforts and resources +on areas most at risk; and + +* using effective public diplomacy to promote the free flow of +information and ideas to kindle the hopes and aspirations of freedom of +those in societies ruled by the sponsors of global terrorism. + + +While we recognize that our best defense is a good offense we are also +strengthening America's homeland security to protect against and deter +attack. + +This Administration has proposed the largest government reorganization +since the Truman Administration created the National Security Council +and the Department of Defense. Centered on a new Department of Homeland +Security and including a new unified military command and a fundamental +reordering of the FBI, our comprehensive plan to secure the homeland +encompasses every level of government and the cooperation of the public +and the private sector. + +This strategy will turn adversity into opportunity. For example, +emergency management systems will be better able to cope not just with +terrorism but with all hazards. Our medical system will be strengthened +to manage not just bioterror, but all infectious diseases and +mass-casualty dangers. Our border controls will not just stop +terrorists, but improve the efficient movement of legitimate traffic. + +While our focus is protecting America, we know that to defeat terrorism +in today's globalized world we need support from our allies and friends. +Wherever possible, the United States will rely on regional organizations +and state powers to meet their obligations to fight terrorism. Where +governments find the fight against terrorism beyond their capacities, we +will match their willpower and their resources with whatever help we and +our allies can provide. + +As we pursue the terrorists in Afghanistan, we will continue to work +with international organizations such as the United Nations, as well as +non-governmental organizations, and other countries to provide the +humanitarian, political, economic, and security assistance necessary to +rebuild Afghanistan so that it will never again abuse its people, +threaten its neighbors, and provide a haven for terrorists + +In the war against global terrorism, we will never forget that we are +ultimately fighting for our democratic values and way of life. Freedom +and fear are at war, and there will be no quick or easy end to this +conflict. In leading the campaign against terrorism, we are forging new, +productive international relationships and redefining existing ones in +ways that meet the challenges of the twenty-first century. + +IV. Work with Others To Defuse Regional Conflicts + + +"We build a world of justice, or we will live in a world of coercion. +The magnitude of our shared responsibilities makes our disagreements +look so small." + + + + + +President Bush +Berlin, Germany +May 23, 2002 + + + +Concerned nations must remain actively engaged in critical regional +disputes to avoid explosive escalation and minimize human suffering. In +an increasingly interconnected world, regional crisis can strain our +alliances, rekindle rivalries among the major powers, and create +horrifying affronts to human dignity. When violence erupts and states +falter, the United States will work with friends and partners to +alleviate suffering and restore stability. + +No doctrine can anticipate every circumstance in which U.S. action -- +direct or indirect -- is warranted. We have finite political, economic, +and military resources to meet our global priorities. The United States +will approach each case with these strategic principles in mind: + +* The United States should invest time and resources into building +international relationships and institutions that can help manage local +crises when they emerge. + +* The United States should be realistic about its ability to help +those who are unwilling or unready to help themselves. Where and when +people are ready to do their part, we will be willing to move decisively. + + +Policies in several key regions offer some illustrations of how we will +apply these principles: + +The Israeli-Palestinian conflict is critical because of the toll of +human suffering, because of America's close relationship with the state +of Israel and key Arab states, and because of that region's importance +to other global priorities of the United States. There can be no peace +for either side without freedom for both sides. America stands committed +to an independent and democratic Palestine, living beside Israel in +peace and security. Like all other people, Palestinians deserve a +government that serves their interests, and listens to their voices, and +counts their votes. The United States will continue to encourage all +parties to step up to their responsibilities as we seek a just and +comprehensive settlement to the conflict. + +The United States, the international donor community, and the World Bank +stand ready to work with a reformed Palestinian government on economic +development, increased humanitarian assistance and a program to +establish, finance, and monitor a truly independent judiciary. If +Palestinians embrace democracy, and the rule of law, confront +corruption, and firmly reject terror, they can count on American support +for the creation of a Palestinian state. + +Israel also has a large stake in the success of a democratic Palestine. +Permanent occupation threatens Israel's identity and democracy. So the +United States continues to challenge Israeli leaders to take concrete +steps to support the emergence of a viable, credible Palestinian state. +As there is progress towards security, Israel forces need to withdraw +fully to positions they held prior to September 28, 2000. And consistent +with the recommendations of the Mitchell Committee, Israeli settlement +activity in the occupied territories must stop. As violence subsides, +freedom of movement should be restored, permitting innocent Palestinians +to resume work and normal life. The United States can play a crucial +role but, ultimately, lasting peace can only come when Israelis and +Palestinians resolve the issues and end the conflict between them. + +In South Asia, the United States has also emphasized the need for India +and Pakistan to resolve their disputes. This administration invested +time and resources building strong bilateral relations with India and +Pakistan. These strong relations then gave us leverage to play a +constructive role when tensions in the region became acute. With +Pakistan, our bilateral relations have been bolstered by Pakistan's +choice to join the war against terror and move toward building a more +open and tolerant society. The Administration sees India's potential to +become one of the great democratic powers of the twenty-first century +and has worked hard to transform our relationship accordingly. Our +involvement in this regional dispute, building on earlier investments in +bilateral relations, looks first to concrete steps by India and Pakistan +that can help defuse military confrontation. + +Indonesia took courageous steps to create a working democracy and +respect for the rule of law. By tolerating ethnic minorities, respecting +the rule of law, and accepting open markets, Indonesia may be able to +employ the engine of opportunity that has helped lift some of its +neighbors out of poverty and desperation. It is the initiative by +Indonesia that allows U.S. assistance to make a difference. + +In the Western Hemisphere we have formed flexible coalitions with +countries that share our priorities, particularly Mexico, Brazil, +Canada, Chile, and Colombia. Together we will promote a truly democratic +hemisphere where our integration advances security, prosperity, +opportunity, and hope. We will work with regional institutions, such as +the Summit of the Americas process, the Organization of American States +(OAS), and the Defense Ministerial of the Americas for the benefit of +the entire hemisphere. + +Parts of Latin America confront regional conflict, especially arising +from the violence of drug cartels and their accomplices. This conflict +and unrestrained narcotics trafficking could imperil the health and +security of the United States. Therefore we have developed an active +strategy to help the Andean nations adjust their economies, enforce +their laws, defeat terrorist organizations, and cut off the supply of +drugs, while -- as important -- we work to reduce the demand for drugs +in our own country. + +In Colombia, we recognize the link between terrorist and extremist +groups that challenge the security of the state and drug trafficking +activities that help finance the operations of such groups. We are +working to help Colombia defend its democratic institutions and defeat +illegal armed groups of both the left and right by extending effective +sovereignty over the entire national territory and provide basic +security to the Colombian people. + +In Africa, promise and opportunity sit side by side with disease, war, +and desperate poverty. This threatens both a core value of the United +States -- preserving human dignity -- and our strategic priority -- +combating global terror. American interests and American principles, +therefore, lead in the same direction: we will work with others for an +African continent that lives in liberty, peace, and growing prosperity. +Together with our European allies, we must help strengthen Africa's +fragile states, help build indigenous capability to secure porous +borders, and help build up the law enforcement and intelligence +infrastructure to deny havens for terrorists. + +An ever more lethal environment exists in Africa as local civil wars +spread beyond borders to create regional war zones. Forming coalitions +of the willing and cooperative security arrangements are key to +confronting these emerging transnational threats. + +Africa's great size and diversity requires a security strategy that +focuses bilateral engagement, and builds coalitions of the willing. This +administration will focus on three interlocking strategies for the +region: + +* countries with major impact on their neighborhood such as South +Africa, Nigeria, Kenya, and Ethiopia are anchors for regional engagement +and require focused attention; + +* coordination with European allies and international institutions is +essential for constructive conflict mediation and successful peace +operations; and + +* Africa's capable reforming states and sub-regional organizations +must be strengthened as the primary means to address transnational +threats on a sustained basis. + + +Ultimately the path of political and economic freedom presents the +surest route to progress in sub-Saharan Africa, where most wars are +conflicts over material resources and political access often tragically +waged on the basis of ethnic and religious difference. The transition to +the African Union with its stated commitment to good governance and a +common responsibility for democratic political systems offers +opportunities to strengthen democracy on the continent. + +V. Prevent Our Enemies from Threatening Us, Our Allies, and Our Friends +with Weapons of Mass Destruction + + +"The gravest danger to freedom lies at the crossroads of radicalism and +technology. When the spread of chemical and biological and nuclear +weapons, along with ballistic missile technology -- when that occurs, +even weak states and small groups could attain a catastrophic power to +strike great nations. Our enemies have declared this very intention, and +have been caught seeking these terrible weapons. They want the +capability to blackmail us, or to harm us, or to harm our friends -- and +we will oppose them with all our power." + + + + + +President Bush +West Point, New York +June 1, 2002 + + + +The nature of the Cold War threat required the United States -- with our +allies and friends -- to emphasize deterrence of the enemy's use of +force, producing a grim strategy of mutual assured destruction. With the +collapse of the Soviet Union and the end of the Cold War, our security +environment has undergone profound transformation. + +Having moved from confrontation to cooperation as the hallmark of our +relationship with Russia, the dividends are evident: an end to the +balance of terror that divided us; an historic reduction in the nuclear +arsenals on both sides; and cooperation in areas such as +counterterrorism and missile defense that until recently were +inconceivable. + +But new deadly challenges have emerged from rogue states and terrorists. +None of these contemporary threats rival the sheer destructive power +that was arrayed against us by the Soviet Union. However, the nature and +motivations of these new adversaries, their determination to obtain +destructive powers hitherto available only to the world's strongest +states, and the greater likelihood that they will use weapons of mass +destruction against us, make today's security environment more complex +and dangerous. + +In the 1990s we witnessed the emergence of a small number of rogue +states that, while different in important ways, share a number of +attributes. These states: + +* brutalize their own people and squander their national resources +for the personal gain of the rulers; + +* display no regard for international law, threaten their neighbors, +and callously violate international treaties to which they are party; + +* are determined to acquire weapons of mass destruction, along with +other advanced military technology, to be used as threats or offensively +to achieve the aggressive designs of these regimes; + +* sponsor terrorism around the globe; and + +* reject basic human values and hate the United States and everything +for which it stands. + + +At the time of the Gulf War, we acquired irrefutable proof that Iraq's +designs were not limited to the chemical weapons it had used against +Iran and its own people, but also extended to the acquisition of nuclear +weapons and biological agents. In the past decade North Korea has become +the world's principal purveyor of ballistic missiles, and has tested +increasingly capable missiles while developing its own WMD arsenal. +Other rogue regimes seek nuclear, biological, and chemical weapons as +well. These states' pursuit of, and global trade in, such weapons has +become a looming threat to all nations. + +We must be prepared to stop rogue states and their terrorist clients +before they are able to threaten or use weapons of mass destruction +against the United States and our allies and friends. Our response must +take full advantage of strengthened alliances, the establishment of new +partnerships with former adversaries, innovation in the use of military +forces, modern technologies, including the development of an effective +missile defense system, and increased emphasis on intelligence +collection and analysis. + +Our comprehensive strategy to combat WMD includes: + +* Proactive counterproliferation efforts. We must deter and defend +against the threat before it is unleashed. We must ensure that key +capabilities -- detection, active and passive defenses, and counterforce +capabilities -- are integrated into our defense transformation and our +homeland security systems. Counterproliferation must also be integrated +into the doctrine, training, and equipping of our forces and those of +our allies to ensure that we can prevail in any conflict with WMD-armed +adversaries. + +* Strengthened nonproliferation efforts to prevent rogue states and +terrorists from acquiring the materials, technologies and expertise +necessary for weapons of mass destruction. We will enhance diplomacy, +arms control, multilateral export controls, and threat reduction +assistance that impede states and terrorists seeking WMD, and when +necessary, interdict enabling technologies and materials. We will +continue to build coalitions to support these efforts, encouraging their +increased political and financial support for nonproliferation and +threat reduction programs. The recent G-8 agreement to commit up to $20 +billion to a global partnership against proliferation marks a major step +forward. + +* Effective consequence management to respond to the effects of WMD +use, whether by terrorists or hostile states. Minimizing the effects of +WMD use against our people will help deter those who possess such +weapons and dissuade those who seek to acquire them by persuading +enemies that they cannot attain their desired ends. The United States +must also be prepared to respond to the effects of WMD use against our +forces abroad, and to help friends and allies if they are attacked. + + +It has taken almost a decade for us to comprehend the true nature of +this new threat. Given the goals of rogue states and terrorists, the +United States can no longer solely rely on a reactive posture as we have +in the past. The inability to deter a potential attacker, the immediacy +of today's threats, and the magnitude of potential harm that could be +caused by our adversaries' choice of weapons, do not permit that option. +We cannot let our enemies strike first. + +* In the Cold War, especially following the Cuban missile crisis, we +faced a generally status quo, risk-averse adversary. Deterrence was an +effective defense. But deterrence based only upon the threat of +retaliation is far less likely to work against leaders of rogue states +more willing to take risks, gambling with the lives of their people, and +the wealth of their nations. + +* In the Cold War, weapons of mass destruction were considered +weapons of last resort whose use risked the destruction of those who +used them. Today, our enemies see weapons of mass destruction as weapons +of choice. For rogue states these weapons are tools of intimidation and +military aggression against their neighbors. These weapons may also +allow these states to attempt to blackmail the United States and our +allies to prevent us from deterring or repelling the aggressive behavior +of rogue states. Such states also see these weapons as their best means +of overcoming the conventional superiority of the United States. + +* Traditional concepts of deterrence will not work against a +terrorist enemy whose avowed tactics are wanton destruction and the +targeting of innocents; whose so-called soldiers seek martyrdom in death +and whose most potent protection is statelessness. The overlap between +states that sponsor terror and those that pursue WMD compels us to +action. + + +For centuries, international law recognized that nations need not suffer +an attack before they can lawfully take action to defend themselves +against forces that present an imminent danger of attack. Legal scholars +and international jurists often conditioned the legitimacy of preemption +on the existence of an imminent threat -- most often a visible +mobilization of armies, navies, and air forces preparing to attack. + +We must adapt the concept of imminent threat to the capabilities and +objectives of today's adversaries. Rogue states and terrorists do not +seek to attack us using conventional means. They know such attacks would +fail. Instead, they rely on acts of terrorism and, potentially, the use +of weapons of mass destruction -- weapons that can be easily concealed +and delivered covertly and without warning. + +The targets of these attacks are our military forces and our civilian +population, in direct violation of one of the principal norms of the law +of warfare. As was demonstrated by the losses on September 11, 2001, +mass civilian casualties is the specific objective of terrorists and +these losses would be exponentially more severe if terrorists acquired +and used weapons of mass destruction. + +The United States has long maintained the option of preemptive actions +to counter a sufficient threat to our national security. The greater the +threat, the greater is the risk of inaction -- and the more compelling +the case for taking anticipatory action to defend ourselves, even if +uncertainty remains as to the time and place of the enemy's attack. To +forestall or prevent such hostile acts by our adversaries, the United +States will, if necessary, act preemptively. + +The United States will not use force in all cases to preempt emerging +threats, nor should nations use preemption as a pretext for aggression. +Yet in an age where the enemies of civilization openly and actively seek +the world's most destructive technologies, the United States cannot +remain idle while dangers gather. + +We will always proceed deliberately, weighing the consequences of our +actions. To support preemptive options, we will: + +* build better, more integrated intelligence capabilities to provide +timely, accurate information on threats, wherever they may emerge; + +* coordinate closely with allies to form a common assessment of the +most dangerous threats; and + +* continue to transform our military forces to ensure our ability to +conduct rapid and precise operations to achieve decisive results. + + +The purpose of our actions will always be to eliminate a specific threat +to the United States or our allies and friends. The reasons for our +actions will be clear, the force measured, and the cause just. + +VI. Ignite a New Era of Global Economic Growth through Free Markets and +Free Trade. + + +"When nations close their markets and opportunity is hoarded by a +privileged few, no amount -- no amount -- of development aid is ever +enough. When nations respect their people, open markets, invest in +better health and education, every dollar of aid, every dollar of trade +revenue and domestic capital is used more effectively." + + + + + +President Bush +Monterrey, Mexico +March 22, 2002 + + + +A strong world economy enhances our national security by advancing +prosperity and freedom in the rest of the world. Economic growth +supported by free trade and free markets creates new jobs and higher +incomes. It allows people to lift their lives out of poverty, spurs +economic and legal reform, and the fight against corruption, and it +reinforces the habits of liberty. + +We will promote economic growth and economic freedom beyond America's +shores. All governments are responsible for creating their own economic +policies and responding to their own economic challenge. We will use our +economic engagement with other countries to underscore the benefits of +policies that generate higher productivity and sustained economic +growth, including: + +* pro-growth legal and regulatory policies to encourage business +investment, innovation, and entrepreneurial activity; + +* tax policies -- particularly lower marginal tax rates -- that +improve incentives for work and investment; + +* rule of law and intolerance of corruption so that people are +confident that they will be able to enjoy the fruits of their economic +endeavors; + +* strong financial systems that allow capital to be put to its most +efficient use; + +* sound fiscal policies to support business activity; + +* investments in health and education that improve the well-being and +skills of the labor force and population as a whole; and + +* free trade that provides new avenues for growth and fosters the +diffusion of technologies and ideas that increase productivity and +opportunity. + + +The lessons of history are clear: market economies, not +command-and-control economies with the heavy hand of government, are the +best way to promote prosperity and reduce poverty. Policies that further +strengthen market incentives and market institutions are relevant for +all economies -- industrialized countries, emerging markets, and the +developing world. + +A return to strong economic growth in Europe and Japan is vital to U.S. +national security interests. We want our allies to have strong economies +for their own sake, for the sake of the global economy, and for the sake +of global security. European efforts to remove structural barriers in +their economies are particularly important in this regard, as are +Japan's efforts to end deflation and address the problems of +non-performing loans in the Japanese banking system. We will continue to +use our regular consultations with Japan and our European partners -- +including through the Group of Seven (G-7) -- to discuss policies they +are adopting to promote growth in their economies and support higher +global economic growth. + +Improving stability in emerging markets is also key to global economic +growth. International flows of investment capital are needed to expand +the productive potential of these economies. These flows allow emerging +markets and developing countries to make the investments that raise +living standards and reduce poverty. Our long-term objective should be a +world in which all countries have investment-grade credit ratings that +allow them access to international capital markets and to invest in +their future. + +We are committed to policies that will help emerging markets achieve +access to larger capital flows at lower cost. To this end, we will +continue to pursue reforms aimed at reducing uncertainty in financial +markets. We will work actively with other countries, the International +Monetary Fund (IMF), and the private sector to implement the G-7 Action +Plan negotiated earlier this year for preventing financial crises and +more effectively resolving them when they occur. + +The best way to deal with financial crises is to prevent them from +occurring, and we have encouraged the IMF to improve its efforts doing +so. We will continue to work with the IMF to streamline the policy +conditions for its lending and to focus its lending strategy on +achieving economic growth through sound fiscal and monetary policy, +exchange rate policy, and financial sector policy. + +The concept of "free trade" arose as a moral principle even before it +became a pillar of economics. If you can make something that others +value, you should be able to sell it to them. If others make something +that you value, you should be able to buy it. This is real freedom, the +freedom for a person -- or a nation -- to make a living. To promote free +trade, the Unites States has developed a comprehensive strategy: + +* Seize the global initiative. The new global trade negotiations we +helped launch at Doha in November 2001 will have an ambitious agenda, +especially in agriculture, manufacturing, and services, targeted for +completion in 2005. The United States has led the way in completing the +accession of China and a democratic Taiwan to the World Trade +Organization. We will assist Russia's preparations to join the WTO. + +* Press regional initiatives. The United States and other democracies +in the Western Hemisphere have agreed to create the Free Trade Area of +the Americas, targeted for completion in 2005. This year the United +States will advocate market-access negotiations with its partners, +targeted on agriculture, industrial goods, services, investment, and +government procurement. We will also offer more opportunity to the +poorest continent, Africa, starting with full use of the preferences +allowed in the African Growth and Opportunity Act, and leading to free +trade. + +* Move ahead with bilateral free trade agreements. Building on the +free trade agreement with Jordan enacted in 2001, the Administration +will work this year to complete free trade agreements with Chile and +Singapore. Our aim is to achieve free trade agreements with a mix of +developed and developing countries in all regions of the world. +Initially, Central America, Southern Africa, Morocco, and Australia will +be our principal focal points. + +* Renew the executive-congressional partnership. Every +administration's trade strategy depends on a productive partnership with +Congress. After a gap of 8 years, the Administration reestablished +majority support in the Congress for trade liberalization by passing +Trade Promotion Authority and the other market opening measures for +developing countries in the Trade Act of 2002. This Administration will +work with Congress to enact new bilateral, regional, and global trade +agreements that will be concluded under the recently passed Trade +Promotion Authority. + +* Promote the connection between trade and development. Trade +policies can help developing countries strengthen property rights, +competition, the rule of law, investment, the spread of knowledge, open +societies, the efficient allocation of resources, and regional +integration -- all leading to growth, opportunity, and confidence in +developing countries. The United States is implementing The Africa +Growth and Opportunity Act to provide market-access for nearly all goods +produced in the 35 countries of sub-Saharan Africa. We will make more +use of this act and its equivalent for the Caribbean Basin and continue +to work with multilateral and regional institutions to help poorer +countries take advantage of these opportunities. Beyond market access, +the most important area where trade intersects with poverty is in public +health. We will ensure that the WTO intellectual property rules are +flexible enough to allow developing nations to gain access to critical +medicines for extraordinary dangers like HIV/AIDS, tuberculosis, and +malaria. + +* Enforce trade agreements and laws against unfair practices. +Commerce depends on the rule of law; international trade depends on +enforceable agreements. Our top priorities are to resolve ongoing +disputes with the European Union, Canada, and Mexico and to make a +global effort to address new technology, science, and health regulations +that needlessly impede farm exports and improved agriculture. Laws +against unfair trade practices are often abused, but the international +community must be able to address genuine concerns about government +subsidies and dumping. International industrial espionage which +undermines fair competition must be detected and deterred. + +* Help domestic industries and workers adjust. There is a sound +statutory framework for these transitional safeguards which we have used +in the agricultural sector and which we are using this year to help the +American steel industry. The benefits of free trade depend upon the +enforcement of fair trading practices. These safeguards help ensure that +the benefits of free trade do not come at the expense of American +workers. Trade adjustment assistance will help workers adapt to the +change and dynamism of open markets. + +* Protect the environment and workers. The United States must foster +economic growth in ways that will provide a better life along with +widening prosperity. We will incorporate labor and environmental +concerns into U.S. trade negotiations, creating a healthy "network" +between multilateral environmental agreements with the WTO, and use the +International Labor Organization, trade preference programs, and trade +talks to improve working conditions in conjunction with freer trade. + +* Enhance energy security. We will strengthen our own energy security +and the shared prosperity of the global economy by working with our +allies, trading partners, and energy producers to expand the sources and +types of global energy supplied, especially in the Western Hemisphere, +Africa, Central Asia, and the Caspian region. We will also continue to +work with our partners to develop cleaner and more energy efficient +technologies. + + +Economic growth should be accompanied by global efforts to stabilize +greenhouse gas concentrations associated with this growth, containing +them at a level that prevents dangerous human interference with the +global climate. Our overall objective is to reduce America's greenhouse +gas emissions relative to the size of our economy, cutting such +emissions per unit of economic activity by 18 percent over the next 10 +years, by the year 2012. Our strategies for attaining this goal will be +to: + +* remain committed to the basic U.N. Framework Convention for +international cooperation; + +* obtain agreements with key industries to cut emissions of some of +the most potent greenhouse gases and give transferable credits to +companies that can show real cuts; + +* develop improved standards for measuring and registering emission +reductions; + +* promote renewable energy production and clean coal technology, as +well as nuclear power -- which produces no greenhouse gas emissions, +while also improving fuel economy for U.S. cars and trucks; + +* increase spending on research and new conservation technologies, to +a total of $4.5 billion -- the largest sum being spent on climate change +by any country in the world and a $700 million increase over last year's +budget; and + +* assist developing countries, especially the major greenhouse gas +emitters such as China and India, so that they will have the tools and +resources to join this effort and be able to grow along a cleaner and +better path. + + +VII. Expand the Circle of Development by Opening Societies and Building +the Infrastructure of Democracy + + +"In World War II we fought to make the world safer, then worked to +rebuild it. As we wage war today to keep the world safe from terror, we +must also work to make the world a better place for all its citizens." + + + + + +President Bush +Washington, D.C. (Inter-American +Development Bank) +March 14, 2002 + + + +A world where some live in comfort and plenty, while half of the human +race lives on less than $2 a day, is neither just nor stable. Including +all of the world's poor in an expanding circle of development -- and +opportunity -- is a moral imperative and one of the top priorities of +U.S. international policy. + +Decades of massive development assistance have failed to spur economic +growth in the poorest countries. Worse, development aid has often served +to prop up failed policies, relieving the pressure for reform and +perpetuating misery. Results of aid are typically measured in dollars +spent by donors, not in the rates of growth and poverty reduction +achieved by recipients. These are the indicators of a failed strategy. + +Working with other nations, the United States is confronting this +failure. We forged a new consensus at the U.N. Conference on Financing +for Development in Monterrey that the objectives of assistance -- and +the strategies to achieve those objectives -- must change. + +This Administration's goal is to help unleash the productive potential +of individuals in all nations. Sustained growth and poverty reduction is +impossible without the right national policies. Where governments have +implemented real policy changes we will provide significant new levels +of assistance. The United States and other developed countries should +set an ambitious and specific target: to double the size of the world's +poorest economies within a decade. + +The United States Government will pursue these major strategies to +achieve this goal: + +* Provide resources to aid countries that have met the challenge of +national reform. We propose a 50 percent increase in the core +development assistance given by the United States. While continuing our +present programs, including humanitarian assistance based on need alone, +these billions of new dollars will form a new Millennium Challenge +Account for projects in countries whose governments rule justly, invest +in their people, and encourage economic freedom. Governments must fight +corruption, respect basic human rights, embrace the rule of law, invest +in health care and education, follow responsible economic policies, and +enable entrepreneurship. The Millennium Challenge Account will reward +countries that have demonstrated real policy change and challenge those +that have not to implement reforms. + +* Improve the effectiveness of the World Bank and other development +banks in raising living standards. The United States is committed to a +comprehensive reform agenda for making the World Bank and the other +multilateral development banks more effective in improving the lives of +the world's poor. We have reversed the downward trend in U.S. +contributions and proposed an 18 percent increase in the U.S. +contributions to the International Development Association (IDA) -- the +World Bank's fund for the poorest countries -- and the African +Development Fund. The key to raising living standards and reducing +poverty around the world is increasing productivity growth, especially +in the poorest countries. We will continue to press the multilateral +development banks to focus on activities that increase economic +productivity, such as improvements in education, health, rule of law, +and private sector development. Every project, every loan, every grant +must be judged by how much it will increase productivity growth in +developing countries. + +* Insist upon measurable results to ensure that development +assistance is actually making a difference in the lives of the world's +poor. When it comes to economic development, what really matters is that +more children are getting a better education, more people have access to +health care and clean water, or more workers can find jobs to make a +better future for their families. We have a moral obligation to measure +the success of our development assistance by whether it is delivering +results. For this reason, we will continue to demand that our own +development assistance as well as assistance from the multilateral +development banks has measurable goals and concrete benchmarks for +achieving those goals. Thanks to U.S. leadership, the recent IDA +replenishment agreement will establish a monitoring and evaluation +system that measures recipient countries' progress. For the first time, +donors can link a portion of their contributions to IDA to the +achievement of actual development results, and part of the U.S. +contribution is linked in this way. We will strive to make sure that the +World Bank and other multilateral development banks build on this +progress so that a focus on results is an integral part of everything +that these institutions do. + +* Increase the amount of development assistance that is provided in +the form of grants instead of loans. Greater use of results-based grants +is the best way to help poor countries make productive investments, +particularly in the social sectors, without saddling them with +ever-larger debt burdens. As a result of U.S. leadership, the recent IDA +agreement provided for significant increases in grant funding for the +poorest countries for education, HIV/AIDS, health, nutrition, water, +sanitation, and other human needs. Our goal is to build on that progress +by increasing the use of grants at the other multilateral development +banks. We will also challenge universities, nonprofits, and the private +sector to match government efforts by using grants to support +development projects that show results. + +* Open societies to commerce and investment. Trade and investment are +the real engines of economic growth. Even if government aid increases, +most money for development must come from trade, domestic capital, and +foreign investment. An effective strategy must try to expand these flows +as well. Free markets and free trade are key priorities of our national +security strategy. + +* Secure public health. The scale of the public health crisis in poor +countries is enormous. In countries afflicted by epidemics and pandemics +like HIV/AIDS, malaria, and tuberculosis, growth and development will be +threatened until these scourges can be contained. Resources from the +developed world are necessary but will be effective only with honest +governance, which supports prevention programs and provides effective +local infrastructure. The United States has strongly backed the new +global fund for HIV/AIDS organized by U.N. Secretary General Kofi Annan +and its focus on combining prevention with a broad strategy for +treatment and care. The United States already contributes more than +twice as much money to such efforts as the next largest donor. If the +global fund demonstrates its promise, we will be ready to give even more. + +* Emphasize education. Literacy and learning are the foundation of +democracy and development. Only about 7 percent of World Bank resources +are devoted to education. This proportion should grow. The United States +will increase its own funding for education assistance by at least 20 +percent with an emphasis on improving basic education and teacher +training in Africa. The United States can also bring information +technology to these societies, many of whose education systems have been +devastated by AIDS. + +* Continue to aid agricultural development. New technologies, +including biotechnology, have enormous potential to improve crop yields +in developing countries while using fewer pesticides and less water. +Using sound science, the United States should help bring these benefits +to the 800 million people, including 300 million children, who still +suffer from hunger and malnutrition. + + +VIII. Develop Agendas for Cooperative Action with the Other Main Centers +of Global Power + + +"We have our best chance since the rise of the nation-state in the 17th +century to build a world where the great powers compete in peace instead +of prepare for war." + + + + + +President Bush +West Point, New York +June 1, 2002 + + + +America will implement its strategies by organizing coalitions -- as +broad as practicable -- of states able and willing to promote a balance +of power that favors freedom. Effective coalition leadership requires +clear priorities, an appreciation of others' interests, and consistent +consultations among partners with a spirit of humility. + +There is little of lasting consequence that the United States can +accomplish in the world without the sustained cooperation of its allies +and friends in Canada and Europe. Europe is also the seat of two of the +strongest and most able international institutions in the world: the +North Atlantic Treaty Organization (NATO), which has, since its +inception, been the fulcrum of transatlantic and inter-European +security, and the European Union (EU), our partner in opening world +trade. + +The attacks of September 11 were also an attack on NATO, as NATO itself +recognized when it invoked its Article V self-defense clause for the +first time. NATO's core mission -- collective defense of the +transatlantic alliance of democracies -- remains, but NATO must develop +new structures and capabilities to carry out that mission under new +circumstances. NATO must build a capability to field, at short notice, +highly mobile, specially trained forces whenever they are needed to +respond to a threat against any member of the alliance. + +The alliance must be able to act wherever our interests are threatened, +creating coalitions under NATO's own mandate, as well as contributing to +mission-based coalitions. To achieve this, we must: + +* expand NATO's membership to those democratic nations willing and +able to share the burden of defending and advancing our common interests; + +* ensure that the military forces of NATO nations have appropriate +combat contributions to make in coalition warfare; + +* develop planning processes to enable those contributions to become +effective multinational fighting forces; + +* take advantage of the technological opportunities and economies of +scale in our defense spending to transform NATO military forces so that +they dominate potential aggressors and diminish our vulnerabilities; + +* streamline and increase the flexibility of command structures to +meet new operational demands and the associated requirements of +training, integrating, and experimenting with new force configurations; +and + +* maintain the ability to work and fight together as allies even as +we take the necessary steps to transform and modernize our forces. + + +If NATO succeeds in enacting these changes, the rewards will be a +partnership as central to the security and interests of its member +states as was the case during the Cold War. We will sustain a common +perspective on the threats to our societies and improve our ability to +take common action in defense of our nations and their interests. At the +same time, we welcome our European allies' efforts to forge a greater +foreign policy and defense identity with the EU, and commit ourselves to +close consultations to ensure that these developments work with NATO. We +cannot afford to lose this opportunity to better prepare the family of +transatlantic democracies for the challenges to come. + +The attacks of September 11 energized America's Asian alliances. +Australia invoked the ANZUS Treaty to declare the September 11 was an +attack on Australia itself, following that historic decision with the +dispatch of some of the world's finest combat forces for Operation +Enduring Freedom. Japan and the Republic of Korea provided unprecedented +levels of military logistical support within weeks of the terrorist +attack. We have deepened cooperation on counter-terrorism with our +alliance partners in Thailand and the Philippines and received +invaluable assistance from close friends like Singapore and New Zealand. + +The war against terrorism has proven that America's alliances in Asia +not only underpin regional peace and stability, but are flexible and +ready to deal with new challenges. To enhance our Asian alliances and +friendships, we will: + + +* look to Japan to continue forging a leading role in regional and +global affairs based on our common interests, our common values, and our +close defense and diplomatic cooperation; + +* work with South Korea to maintain vigilance towards the North while +preparing our alliance to make contributions to the broader stability of +the region over the longer-term; + +* build on 50 years of U.S.-Australian alliance cooperation as we +continue working together to resolve regional and global problems -- as +we have so many times from the Battle of Leyte Gulf to Tora Bora; + +* maintain forces in the region that reflect our commitments to our +allies, our requirements, our technological advances, and the strategic +environment; and + +* build on stability provided by these alliances, as well as with +institutions such as ASEAN and the Asia-Pacific Economic Cooperation +forum, to develop a mix of regional and bilateral strategies to manage +change in this dynamic region. + + +We are attentive to the possible renewal of old patterns of great power +competition. Several potential great powers are now in the midst of +internal transition -- most importantly Russia, India, and China. In all +three cases, recent developments have encouraged our hope that a truly +global consensus about basic principles is slowly taking shape. + +With Russia, we are already building a new strategic relationship based +on a central reality of the twenty-first century: the United States and +Russia are no longer strategic adversaries. The Moscow Treaty on +Strategic Reductions is emblematic of this new reality and reflects a +critical change in Russian thinking that promises to lead to productive, +long-term relations with the Euro-Atlantic community and the United +States. Russia's top leaders have a realistic assessment of their +country's current weakness and the policies -- internal and external -- +needed to reverse those weaknesses. They understand, increasingly, that +Cold War approaches do not serve their national interests and that +Russian and American strategic interests overlap in many areas. + +United States policy seeks to use this turn in Russian thinking to +refocus our relationship on emerging and potential common interests and +challenges. We are broadening our already extensive cooperation in the +global war on terrorism. We are facilitating Russia's entry into the +World Trade Organization, without lowering standards for accession, to +promote beneficial bilateral trade and investment relations. We have +created the NATO-Russia Council with the goal of deepening security +cooperation among Russia, our European allies, and ourselves. We will +continue to bolster the independence and stability of the states of the +former Soviet Union in the belief that a prosperous and stable +neighborhood will reinforce Russia's growing commitment to integration +into the Euro-Atlantic community. + +At the same time, we are realistic about the differences that still +divide us from Russia and about the time and effort it will take to +build an enduring strategic partnership. Lingering distrust of our +motives and policies by key Russian elites slows improvement in our +relations. Russia's uneven commitment to the basic values of free-market +democracy and dubious record in combating the proliferation of weapons +of mass destruction remain matters of great concern. Russia's very +weakness limits the opportunities for cooperation. Nevertheless, those +opportunities are vastly greater now than in recent years -- or even +decades. + +The United States has undertaken a transformation in its bilateral +relationship with India based on a conviction that U.S. interests +require a strong relationship with India. We are the two largest +democracies, committed to political freedom protected by representative +government. India is moving toward greater economic freedom as well. We +have a common interest in the free flow of commerce, including through +the vital sea lanes of the Indian Ocean. Finally, we share an interest +in fighting terrorism and in creating a strategically stable Asia. + +Differences remain, including over the development of India's nuclear +and missile programs, and the pace of India's economic reforms. But +while in the past these concerns may have dominated our thinking about +India, today we start with a view of India as a growing world power with +which we have common strategic interests. Through a strong partnership +with India, we can best address any differences and shape a dynamic +future. + +The United States relationship with China is an important part of our +strategy to promote a stable, peaceful, and prosperous Asia-Pacific +region. We welcome the emergence of a strong, peaceful, and prosperous +China. The democratic development of China is crucial to that future. +Yet, a quarter century after beginning the process of shedding the worst +features of the Communist legacy, China's leaders have not yet made the +next series of fundamental choices about the character of their state. +In pursuing advanced military capabilities that can threaten its +neighbors in the Asia-Pacific region, China is following an outdated +path that, in the end, will hamper its own pursuit of national +greatness. In time, China will find that social and political freedom is +the only source of that greatness. + +The United States seeks a constructive relationship with a changing +China. We already cooperate well where our interests overlap, including +the current war on terrorism and in promoting stability on the Korean +peninsula. Likewise, we have coordinated on the future of Afghanistan +and have initiated a comprehensive dialogue on counter-terrorism and +similar transitional concerns. Shared health and environmental threats, +such as the spread of HIV/AIDS, challenge us to promote jointly the +welfare of our citizens. + +Addressing these transnational threats will challenge China to become +more open with information, promote the development of civil society, +and enhance individual human rights. China has begun to take the road to +political openness, permitting many personal freedoms and conducting +village-level elections, yet remains strongly committed to national +one-party rule by the Communist Party. To make that nation truly +accountable to its citizen's needs and aspirations, however, much work +remains to be done. Only by allowing the Chinese people to think, +assemble, and worship freely can China reach its full potential. + +Our important trade relationship will benefit from China's entry into +the World Trade Organization, which will create more export +opportunities and ultimately more jobs for American farmers, workers, +and companies. China is our fourth largest trading partner, with over +$100 billion in annual two-way trade. The power of market principles and +the WTO's requirements for transparency and accountability will advance +openness and the rule of law in China to help establish basic +protections for commerce and for citizens. There are, however, other +areas in which we have profound disagreements. Our commitment to the +self-defense of Taiwan under the Taiwan Relations Act is one. Human +rights is another. We expect China to adhere to its nonproliferation +commitments. We will work to narrow differences where they exist, but +not allow them to preclude cooperation where we agree. + +The events of September 11, 2001, fundamentally changed the context for +relations between the United States and other main centers of global +power, and opened vast, new opportunities. With our long-standing allies +in Europe and Asia, and with leaders in Russia, India, and China, we +must develop active agendas of cooperation lest these relationships +become routine and unproductive. + +Every agency of the United States Government shares the challenge. We +can build fruitful habits of consultation, quiet argument, sober +analysis, and common action. In the long-term, these are the practices +that will sustain the supremacy of our common principles and keep open +the path of progress. + +IX. Transform America's National Security Institutions to Meet the +Challenges and Opportunities of the Twenty-First Century + + +"Terrorists attacked a symbol of American prosperity. They did not touch +its source. America is successful because of the hard work, creativity, +and enterprise of our people." + + + + + +President Bush +Washington, D.C. (Joint Session of Congress) +September 20, 2001 + + + +The major institutions of American national security were designed in a +different era to meet different requirements. All of them must be +transformed. + +It is time to reaffirm the essential role of American military strength. +We must build and maintain our defenses beyond challenge. Our military's +highest priority is to defend the United States. To do so effectively, +our military must: + +* assure our allies and friends; + +* dissuade future military competition; + +* deter threats against U.S. interests, allies, and friends; and + +* decisively defeat any adversary if deterrence fails. + + +The unparalleled strength of the United States armed forces, and their +forward presence, have maintained the peace in some of the world's most +strategically vital regions. However, the threats and enemies we must +confront have changed, and so must our forces. A military structured to +deter massive Cold War-era armies must be transformed to focus more on +how an adversary might fight rather than where and when a war might +occur. We will channel our energies to overcome a host of operational +challenges. + +The presence of American forces overseas is one of the most profound +symbols of the U.S. commitments to allies and friends. Through our +willingness to use force in our own defense and in defense of others, +the United States demonstrates its resolve to maintain a balance of +power that favors freedom. To contend with uncertainty and to meet the +many security challenges we face, the United States will require bases +and stations within and beyond Western Europe and Northeast Asia, as +well as temporary access arrangements for the long-distance deployment +of U.S. forces. + +Before the war in Afghanistan, that area was low on the list of major +planning contingencies. Yet, in a very short time, we had to operate +across the length and breadth of that remote nation, using every branch +of the armed forces. We must prepare for more such deployments by +developing assets such as advanced remote sensing, long-range precision +strike capabilities, and transformed maneuver and expeditionary forces. +This broad portfolio of military capabilities must also include the +ability to defend the homeland, conduct information operations, ensure +U.S. access to distant theaters, and protect critical U.S. +infrastructure and assets in outer space. + +Innovation within the armed forces will rest on experimentation with new +approaches to warfare, strengthening joint operations, exploiting U.S. +intelligence advantages, and taking full advantage of science and +technology. We must also transform the way the Department of Defense is +run, especially in financial management and recruitment and retention. +Finally, while maintaining near-term readiness and the ability to fight +the war on terrorism, the goal must be to provide the President with a +wider range of military options to discourage aggression or any form of +coercion against the United States, our allies, and our friends. + +We know from history that deterrence can fail; and we know from +experience that some enemies cannot be deterred. The United States must +and will maintain the capability to defeat any attempt by an enemy -- +whether a state or non-state actor -- to impose its will on the United +States, our allies, or our friends. We will maintain the forces +sufficient to support our obligations, and to defend freedom. Our forces +will be strong enough to dissuade potential adversaries from pursuing a +military build-up in hopes of surpassing, or equaling, the power of the +United States. + +Intelligence -- and how we use it -- is our first line of defense +against terrorists and the threat posed by hostile states. Designed +around the priority of gathering enormous information about a massive, +fixed object -- the Soviet bloc -- the intelligence community is coping +with the challenge of following a far more complex and elusive set of +targets. + +We must transform our intelligence capabilities and build new ones to +keep pace with the nature of these threats. Intelligence must be +appropriately integrated with our defense and law enforcement systems +and coordinated with our allies and friends. We need to protect the +capabilities we have so that we do not arm our enemies with the +knowledge of how best to surprise us. Those who would harm us also seek +the benefit of surprise to limit our prevention and response options and +to maximize injury. + +We must strengthen intelligence warning and analysis to provide +integrated threat assessments for national and homeland security. Since +the threats inspired by foreign governments and groups may be conducted +inside the United States, we must also ensure the proper fusion of +information between intelligence and law enforcement. + +Initiatives in this area will include: + +* strengthening the authority of the Director of Central Intelligence +to lead the development and actions of the Nation's foreign intelligence +capabilities; + +* establishing a new framework for intelligence warning that provides +seamless and integrated warning across the spectrum of threats facing +the nation and our allies; + +* continuing to develop new methods of collecting information to +sustain our intelligence advantage; + +* investing in future capabilities while working to protect them +through a more vigorous effort to prevent the compromise of intelligence +capabilities; and + +* collecting intelligence against the terrorist danger across the +government with all-source analysis. + + +As the United States Government relies on the armed forces to defend +America's interests, it must rely on diplomacy to interact with other +nations. We will ensure that the Department of State receives funding +sufficient to ensure the success of American diplomacy. The State +Department takes the lead in managing our bilateral relationships with +other governments. And in this new era, its people and institutions must +be able to interact equally adroitly with non-governmental organizations +and international institutions. Officials trained mainly in +international politics must also extend their reach to understand +complex issues of domestic governance around the world, including public +health, education, law enforcement, the judiciary, and public diplomacy. + +Our diplomats serve at the front line of complex negotiations, civil +wars, and other humanitarian catastrophes. As humanitarian relief +requirements are better understood, we must also be able to help build +police forces, court systems, and legal codes, local and provincial +government institutions, and electoral systems. Effective international +cooperation is needed to accomplish these goals, backed by American +readiness to play our part. + +Just as our diplomatic institutions must adapt so that we can reach out +to others, we also need a different and more comprehensive approach to +public information efforts that can help people around the world learn +about and understand America. The war on terrorism is not a clash of +civilizations. It does, however, reveal the clash inside a civilization, +a battle for the future of the Muslim world. This is a struggle of ideas +and this is an area where America must excel. + +We will take the actions necessary to ensure that our efforts to meet +our global security commitments and protect Americans are not impaired +by the potential for investigations, inquiry, or prosecution by the +International Criminal Court (ICC), whose jurisdiction does not extend +to Americans and which we do not accept. We will work together with +other nations to avoid complications in our military operations and +cooperation, through such mechanisms as multilateral and bilateral +agreements that will protect U.S. nationals from the ICC. We will +implement fully the American Servicemembers Protection Act, whose +provisions are intended to ensure and enhance the protection of U.S. +personnel and officials. + +We will make hard choices in the coming year and beyond to ensure the +right level and allocation of government spending on national security. +The United States Government must strengthen its defenses to win this +war. At home, our most important priority is to protect the homeland for +the American people. + +Today, the distinction between domestic and foreign affairs is +diminishing. In a globalized world, events beyond America's borders have +a greater impact inside them. Our society must be open to people, ideas, +and goods from across the globe. The characteristics we most cherish -- +our freedom, our cities, our systems of movement, and modern life -- are +vulnerable to terrorism. This vulnerability will persist long after we +bring to justice those responsible for the September eleventh attacks. +As time passes, individuals may gain access to means of destruction that +until now could be wielded only by armies, fleets, and squadrons. This +is a new condition of life. We will adjust to it and thrive -- in spite +of it. + +In exercising our leadership, we will respect the values, judgment, and +interests of our friends and partners. Still, we will be prepared to act +apart when our interests and unique responsibilities require. When we +disagree on particulars, we will explain forthrightly the grounds for +our concerns and strive to forge viable alternatives. We will not allow +such disagreements to obscure our determination to secure together, with +our allies and our friends, our shared fundamental interests and values. + +Ultimately, the foundation of American strength is at home. It is in the +skills of our people, the dynamism of our economy, and the resilience of +our institutions. A diverse, modern society has inherent, ambitious, +entrepreneurial energy. Our strength comes from what we do with that +energy. That is where our national security begins. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0731.59e8a707586a8b3cfe89bff4024dead7 b/machine-learning-ex6/ex6/easy_ham/0731.59e8a707586a8b3cfe89bff4024dead7 new file mode 100644 index 0000000..474b2bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0731.59e8a707586a8b3cfe89bff4024dead7 @@ -0,0 +1,84 @@ +From fork-admin@xent.com Sat Sep 21 10:42:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7626A16F03 + for ; Sat, 21 Sep 2002 10:42:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L0tsC01045 for ; + Sat, 21 Sep 2002 01:55:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6BC522940C4; Fri, 20 Sep 2002 17:52:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id A685129409C for ; + Fri, 20 Sep 2002 17:51:16 -0700 (PDT) +Received: (qmail 29709 invoked from network); 21 Sep 2002 00:54:46 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 21 Sep 2002 00:54:46 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 3649B1C2C4; + Fri, 20 Sep 2002 20:54:32 -0400 (EDT) +To: "Geege Schuman" +Cc: "Russell Turpin" , +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 20 Sep 2002 20:54:32 -0400 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_EASY_MONEY + version=2.50-cvs +X-Spam-Level: + +>>>>> "G" == Geege Schuman writes: + + G> SURELY you meant political extremes and not politics? baisley? + G> help me out here. + +OK, but only if you also meant religious and alcoholic extremes ;) + +When the political canvassers come to my door during the campaigns, +I always wonder why cigarette packages are labelled with warnings +whereas political brochures are not; the statistics clearly show +which is the greater, more senseless, and more preventable killer. + +>>>>> "R" == Russell Turpin writes: + + R> It's difficult to measure which is the greater liability in a + R> potential mate, religiosity or alcoholism. + + G> Or politics. + + + + + + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0732.63667434e8712ed16361596f40c468ed b/machine-learning-ex6/ex6/easy_ham/0732.63667434e8712ed16361596f40c468ed new file mode 100644 index 0000000..1a12cf2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0732.63667434e8712ed16361596f40c468ed @@ -0,0 +1,96 @@ +From fork-admin@xent.com Sat Sep 21 10:42:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 05C4216F03 + for ; Sat, 21 Sep 2002 10:42:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L1QpC01898 for ; + Sat, 21 Sep 2002 02:26:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F12E29417B; Fri, 20 Sep 2002 18:23:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc52.attbi.com (rwcrmhc52.attbi.com [216.148.227.88]) + by xent.com (Postfix) with ESMTP id 3FCF2294178 for ; + Fri, 20 Sep 2002 18:22:51 -0700 (PDT) +Received: from [24.61.113.164] by rwcrmhc52.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020921012620.ZEUU464.rwcrmhc52.attbi.com@[24.61.113.164]>; + Sat, 21 Sep 2002 01:26:20 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <162160870749.20020920212606@magnesium.net> +To: Gary Lawrence Murphy +Cc: fork@example.com +Subject: Re[2]: AA Meetings the Hottest Place to Meet Women With Big Bucks +In-Reply-To: +References: + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 21:26:06 -0400 +X-Spam-Status: No, hits=-1.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_EASY_MONEY + version=2.50-cvs +X-Spam-Level: + +GLM> whereas political brochures are not; the statistics clearly show +GLM> which is the greater, more senseless, and more preventable killer. + +So outside of the occasional hit by a mafia-boy, where's the killing? + +If you said mind-numbing, rights destroying, cynic-making force, I'd +agree. But, does politics really kill? + +I'm bitter atm. Two reasons mostly: +1) I was listening to what I heard being the First Amendment +Foundation? on NPR releasing a poll noting that their +very-unscientific poll found that half the population thinks the first +amendment goes too far. And (their quote was 1 in 5, but I'm finding +sources of 1 in 4) of the population don't even know what rights are +guaranteed in the first amendment. + +2) I have a paper due that will make or break my law school career. I +hate being a forced sheep. + +baaaa.... +>>>>>> "R" == Russell Turpin writes: + +GLM> R> It's difficult to measure which is the greater liability in a +GLM> R> potential mate, religiosity or alcoholism. + +GLM> G> Or politics. + + + + + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0733.782a236e90e0e7a55b3c67be6f7bef23 b/machine-learning-ex6/ex6/easy_ham/0733.782a236e90e0e7a55b3c67be6f7bef23 new file mode 100644 index 0000000..1d4f7f6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0733.782a236e90e0e7a55b3c67be6f7bef23 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Sat Sep 21 10:42:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8E77D16F03 + for ; Sat, 21 Sep 2002 10:42:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L1VlC02067 for ; + Sat, 21 Sep 2002 02:31:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EFA6529417E; Fri, 20 Sep 2002 18:28:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id 6F4C729417F for ; + Fri, 20 Sep 2002 18:27:19 -0700 (PDT) +Received: from [24.61.113.164] by rwcrmhc51.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020921013046.UJKD21615.rwcrmhc51.attbi.com@[24.61.113.164]> for + ; Sat, 21 Sep 2002 01:30:46 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <63161136381.20020920213031@magnesium.net> +To: fork@example.com +Subject: Fwd: Re[2]: AA Meetings the Hottest Place to Meet Women With Big + Bucks +In-Reply-To: <162160870749.20020920212606@magnesium.net> +References: + + <162160870749.20020920212606@magnesium.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 21:30:31 -0400 +X-Spam-Status: No, hits=-0.5 required=5.0 + tests=AWL,FWD_MSG,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + REFERENCES,SIGNATURE_SHORT_DENSE,T_EASY_MONEY + version=2.50-cvs +X-Spam-Level: + +And of course I forget the link that I did find. + +http://www.constitutioncenter.org/sections/news/8b4.asp + +Neither NPR nor the first amendment foundation seem to have the +article I was looking for declaring the study. + +Even if its half true, its still frightening. + +It makes me want to pass out CATO bibles... + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0734.7dc0b0b5f6fb1977f0a146a44c4750aa b/machine-learning-ex6/ex6/easy_ham/0734.7dc0b0b5f6fb1977f0a146a44c4750aa new file mode 100644 index 0000000..101d263 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0734.7dc0b0b5f6fb1977f0a146a44c4750aa @@ -0,0 +1,83 @@ +From fork-admin@xent.com Sat Sep 21 10:42:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F028716F16 + for ; Sat, 21 Sep 2002 10:42:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L3mmC06358 for ; + Sat, 21 Sep 2002 04:48:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 989112940AA; Fri, 20 Sep 2002 20:45:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f87.law15.hotmail.com [64.4.23.87]) by + xent.com (Postfix) with ESMTP id DB2D829409C for ; + Fri, 20 Sep 2002 20:44:48 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 20 Sep 2002 20:48:18 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Sat, 21 Sep 2002 03:48:18 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: AA Meetings the Hottest Place to Meet Women With Big Bucks +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 03:48:18.0788 (UTC) FILETIME=[B925EA40:01C26121] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 03:48:18 +0000 +X-Spam-Status: No, hits=-2.2 required=5.0 + tests=AWL,HOTMAIL_FOOTER1,KNOWN_MAILING_LIST,T_EASY_MONEY + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy: +>OK, but only if you also meant religious and alcoholic extremes ;) + +Since it was my quip, I'll point out that I used +the term "alcoholism," implying addiction. I +drink. I'm not an alcoholic. Most people who drink +don't go to AA meetings. Most people who go to AA +meetings do (try very hard) not to drink. + +As to religion, I think it is harmful and risky in +almost any degree. Were I single, I might consider +potential mates who partook of the less irrational +or more light-hearted religions. A Unitarian or +Buddhist might be an example of the first, a Wiccan +of the second. But someone who is both irrational +and serious about that irrationality strikes me as +a bad choice of partner, moreso than someone who +was addicted to some drug. Alcoholics and drug +addicts at least have the sense to battle their +problem, and to keep their children from suffering +it. The religious revel in their irrationality, +and want to raise their children in it. That's a +difficult difference for two parents to +reconcile. + +Fortunately, I am long and happily enamored of +someone who has no religious tendencies. + + + + +_________________________________________________________________ +Send and receive Hotmail on your mobile device: http://mobile.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0735.2739927d718aa07e0f3c1c32ee9a11e8 b/machine-learning-ex6/ex6/easy_ham/0735.2739927d718aa07e0f3c1c32ee9a11e8 new file mode 100644 index 0000000..f92d586 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0735.2739927d718aa07e0f3c1c32ee9a11e8 @@ -0,0 +1,53 @@ +From fork-admin@xent.com Sat Sep 21 10:43:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A6EB016F16 + for ; Sat, 21 Sep 2002 10:43:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L4uZC09481 for ; + Sat, 21 Sep 2002 05:56:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7E5EF294186; Fri, 20 Sep 2002 21:52:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (unknown [64.243.46.20]) by + xent.com (Postfix) with SMTP id EAF02294181 for ; + Fri, 20 Sep 2002 21:51:05 -0700 (PDT) +Received: (qmail 31487 invoked by uid 501); 21 Sep 2002 04:54:00 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 21 Sep 2002 04:54:00 -0000 +From: CDale +To: fork@example.com +Subject: calling wayne baisley@#! +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 23:54:00 -0500 (CDT) +X-Spam-Status: No, hits=-6.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +You around? +C + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0736.0c8647e849c1d900b6af3a6c7024752d b/machine-learning-ex6/ex6/easy_ham/0736.0c8647e849c1d900b6af3a6c7024752d new file mode 100644 index 0000000..2fbc66c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0736.0c8647e849c1d900b6af3a6c7024752d @@ -0,0 +1,68 @@ +From fork-admin@xent.com Sat Sep 21 10:43:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 034D216F16 + for ; Sat, 21 Sep 2002 10:43:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L5NmC10269 for ; + Sat, 21 Sep 2002 06:23:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E73CB294180; Fri, 20 Sep 2002 22:20:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from c007.snv.cp.net (h014.c007.snv.cp.net [209.228.33.242]) by + xent.com (Postfix) with SMTP id 0D4C929409C for ; + Fri, 20 Sep 2002 22:19:06 -0700 (PDT) +Received: (cpmta 18810 invoked from network); 20 Sep 2002 22:22:35 -0700 +Received: from 65.189.7.13 (HELO alumni.rice.edu) by + smtp.directvinternet.com (209.228.33.242) with SMTP; 20 Sep 2002 22:22:35 + -0700 +X-Sent: 21 Sep 2002 05:22:35 GMT +Message-Id: <3D8C01C8.6040502@alumni.rice.edu> +From: Wayne E Baisley +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: calling wayne baisley, the 12-Step Calvinist +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 00:21:12 -0500 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=KNOWN_MAILING_LIST,REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + > help me out here. + > You around? + +Barely, but don't call me Shirley. ;-) + +I'm sleeping with one eye open. + +I wouldn't have married me if I'd known how extremely shallow my +politics are. + +"The ward lurks in Wisteria's maze." + +Cheers, +Wayne + + diff --git a/machine-learning-ex6/ex6/easy_ham/0737.aa298505cb31aac78d0dbf229fc45fb9 b/machine-learning-ex6/ex6/easy_ham/0737.aa298505cb31aac78d0dbf229fc45fb9 new file mode 100644 index 0000000..4f3f9b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0737.aa298505cb31aac78d0dbf229fc45fb9 @@ -0,0 +1,1752 @@ +From fork-admin@xent.com Sat Sep 21 10:43:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8C13F16F03 + for ; Sat, 21 Sep 2002 10:42:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:42:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L4VYC08647 for ; + Sat, 21 Sep 2002 05:32:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6C046294178; Fri, 20 Sep 2002 21:27:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav72.law15.hotmail.com [64.4.22.207]) by + xent.com (Postfix) with ESMTP id BCFAE29409C for ; + Fri, 20 Sep 2002 21:26:52 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 20 Sep 2002 21:30:22 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 04:30:22.0799 (UTC) FILETIME=[99936DF0:01C26127] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 21:34:51 -0700 +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + US_DOLLARS_2 + version=2.50-cvs +X-Spam-Level: + + +"Free trade and free markets have proven their ability to lift whole +societies out of poverty" +I'm not a socio-political/history buff - does anybody have some clear +examples? + + +----- Original Message ----- +From: "Rohit Khare" +To: +Sent: Friday, September 20, 2002 5:10 PM +Subject: sed /s/United States/Roman Empire/g + + +> > A world where some live in comfort and plenty, while half of the human +> > race lives on less than $2 a day, is neither just nor stable. +> +> Absolutely correct. Perhaps the most fundamental thing to realize about +> life on Earth today. +> +> The following is a fascinating document of official Government policy +> that bears close reading. It is the aspirations of a wonderful nation in +> an imperfect world. +> +> > The war on terrorism is not a clash of civilizations. It does, +> > however, reveal the clash inside a civilization, a battle for the +> > future of the Muslim world. This is a struggle of ideas and this is an +> > area where America must excel. +> +> I was recently at a lecture about the surprising success of Radio Sawa, +> our new music-and-news channel for 15-30 year old Arabs. It's #1 in +> practically every market it's entered, nearing 90% listenership in +> Amman. And it's even beginning to be trusted for news, well past BBC and +> taking share from every other government broadcaster. +> +> It is as hard to imagine America losing a war of ideas in the long-term +> as it is to imagine America making any headway at all in the short term. +> +> Many of you may disagree, but I found the document below surprisingly +> centrist. If you know the code, you can hear clearly partisan tones, re: +> ICC, Taiwan Relations Act, etc. But, still, this is as much a Democratic +> platform as not. Africa and AIDS take up more mindshare than I feared +> they might. +> +> As you read, replace "United States" with "Roman Empire" and it may make +> as much sense, in the long view of history. I don't know how proud to be +> about that, but it is telling. Sometime I daydream that the President +> might sit down with the nation with Perotista flip charts and explain to +> our citizens the sheer vastness of our 700+ military installations +> overseas and what they do for us. It would be a powerful education on +> how engaged we are in the world around us. +> +> Heck, I'd love to see a real-time map of Federal expenditures around the +> globe, a softly glowing necklace of embassies, carriers, arctic research +> stations, hotels, golf courses, warehouses, libraries, clinics and all +> the rest of the influence a trillion dollars here or there can buy. +> +> Of course, this still doesn't leave me any more comfortable with the +> real news in this document: the Bush Doctrine for pre-emptive strikes. +> I'd sooner repeal the Church amendments on covert action than permit +> such a principle to be loosed upon the world. +> +> Rohit +> +> ----------------------------------------------------- +> September 20, 2002 +> +> Full Text: Bush's National Security Strategy +> +> Following is the full text of President Bush's new national security +> strategy. The document, entitled "The National Security Strategy of the +> United States," will soon be transmitted to Congress as a declaration of +> the Administration's policy. +> +> INTRODUCTION +> +> THE great struggles of the twentieth century between liberty and +> totalitarianism ended with a decisive victory for the forces of +> freedom -- and a single sustainable model for national success: freedom, +> democracy, and free enterprise. In the twenty-first century, only +> nations that share a commitment to protecting basic human rights and +> guaranteeing political and economic freedom will be able to unleash the +> potential of their people and assure their future prosperity. People +> everywhere want to say what they think; choose who will govern them; +> worship as they please; educate their children -- male and female; own +> property; and enjoy the benefits of their labor. These values of freedom +> are right and true for every person, in every society -- and the duty of +> protecting these values against their enemies is the common calling of +> freedom-loving people across the globe and across the ages. +> +> Today, the United States enjoys a position of unparalleled military +> strength and great economic and political influence. In keeping with our +> heritage and principles, we do not use our strength to press for +> unilateral advantage. We seek instead to create a balance of power that +> favors human freedom: conditions in which all nations and all societies +> can choose for themselves the rewards and challenges of political and +> economic liberty. By making the world safer, we allow the people of the +> world to make their own lives better. We will defend this just peace +> against threats from terrorists and tyrants. We will preserve the peace +> by building good relations among the great powers. We will extend the +> peace by encouraging free and open societies on every continent. +> +> Defending our Nation against its enemies is the first and fundamental +> commitment of the Federal Government. Today, that task has changed +> dramatically. Enemies in the past needed great armies and great +> industrial capabilities to endanger America. Now, shadowy networks of +> individuals can bring great chaos and suffering to our shores for less +> than it costs to purchase a single tank. Terrorists are organized to +> penetrate open societies and to turn the power of modern technologies +> against us. +> +> To defeat this threat we must make use of every tool in our arsenal -- +> from better homeland defenses and law enforcement to intelligence and +> cutting off terrorist financing. The war against terrorists of global +> reach is a global enterprise of uncertain duration. America will help +> nations that need our assistance in combating terror. And America will +> hold to account nations that are compromised by terror -- because the +> allies of terror are the enemies of civilization. The United States and +> countries cooperating with us must not allow the terrorists to develop +> new home bases. Together, we will seek to deny them sanctuary at every +> turn. +> +> The gravest danger our Nation faces lies at the crossroads of radicalism +> and technology. Our enemies have openly declared that they are seeking +> weapons of mass destruction, and evidence indicates that they are doing +> so with determination. The United States will not allow these efforts to +> succeed. We will build defenses against ballistic missiles and other +> means of delivery. We will cooperate with other nations to deny, +> contain, and curtail our enemies' efforts to acquire dangerous +> technologies. And, as a matter of common sense and self-defense, America +> will act against such emerging threats before they are fully formed. We +> cannot defend America and our friends by hoping for the best. So we must +> be prepared to defeat our enemies' plans, using the best intelligence +> and proceeding with deliberation. History will judge harshly those who +> saw this coming danger but failed to act. In the new world we have +> entered, the only path to safety is the path of action. +> +> As we defend the peace, we will also take advantage of an historic +> opportunity to preserve the peace. Today, the international community +> has the best chance since the rise of the nation-state in the +> seventeenth century to build a world where great powers compete in peace +> instead of continually prepare for war. Today, the world's great powers +> find ourselves on the same side -- united by common dangers of terrorist +> violence and chaos. The United States will build on these common +> interests to promote global security. We are also increasingly united by +> common values. Russia is in the midst of a hopeful transition, reaching +> for its democratic future and a partner in the war on terror. Chinese +> leaders are discovering that economic freedom is the only source of +> national wealth. In time, they will find that social and political +> freedom is the only source of national greatness. America will encourage +> the advancement of democracy and economic openness in both nations, +> because these are the best foundations for domestic stability and +> international order. We will strongly resist aggression from other great +> powers -- even as we welcome their peaceful pursuit of prosperity, +> trade, and cultural advancement. +> +> Finally, the United States will use this moment of opportunity to extend +> the benefits of freedom across the globe. We will actively work to bring +> the hope of democracy, development, free markets, and free trade to +> every corner of the world. The events of September 11, 2001, taught us +> that weak states, like Afghanistan, can pose as great a danger to our +> national interests as strong states. Poverty does not make poor people +> into terrorists and murderers. Yet poverty, weak institutions, and +> corruption can make weak states vulnerable to terrorist networks and +> drug cartels within their borders. +> +> The United States will stand beside any nation determined to build a +> better future by seeking the rewards of liberty for its people. Free +> trade and free markets have proven their ability to lift whole societies +> out of poverty -- so the United States will work with individual +> nations, entire regions, and the entire global trading community to +> build a world that trades in freedom and therefore grows in prosperity. +> The United States will deliver greater development assistance through +> the New Millennium Challenge Account to nations that govern justly, +> invest in their people, and encourage economic freedom. We will also +> continue to lead the world in efforts to reduce the terrible toll of +> AIDS and other infectious diseases. +> +> In building a balance of power that favors freedom, the United States is +> guided by the conviction that all nations have important +> responsibilities. Nations that enjoy freedom must actively fight terror. +> Nations that depend on international stability must help prevent the +> spread of weapons of mass destruction. Nations that seek international +> aid must govern themselves wisely, so that aid is well spent. For +> freedom to thrive, accountability must be expected and required. +> +> We are also guided by the conviction that no nation can build a safer, +> better world alone. Alliances and multilateral institutions can multiply +> the strength of freedom-loving nations. The United States is committed +> to lasting institutions like the United Nations, the World Trade +> Organization, the Organization of American States, and NATO as well as +> other long-standing alliances. Coalitions of the willing can augment +> these permanent institutions. In all cases, international obligations +> are to be taken seriously. They are not to be undertaken symbolically to +> rally support for an ideal without furthering its attainment. +> +> Freedom is the non-negotiable demand of human dignity; the birthright of +> every person -- in every civilization. Throughout history, freedom has +> been threatened by war and terror; it has been challenged by the +> clashing wills of powerful states and the evil designs of tyrants; and +> it has been tested by widespread poverty and disease. Today, humanity +> holds in its hands the opportunity to further freedom's triumph over all +> these foes. The United States welcomes our responsibility to lead in +> this great mission. +> +> I. Overview of America's International Strategy +> +> +> "Our Nation's cause has always been larger than our Nation's defense. We +> fight, as we always fight, for a just peace -- a peace that favors +> liberty. We will defend the peace against the threats from terrorists +> and tyrants. We will preserve the peace by building good relations among +> the great powers. And we will extend the peace by encouraging free and +> open societies on every continent." +> +> +> +> +> +> +> President Bush +> West Point, New York +> June 1, 2002 +> +> +> +> The United States possesses unprecedented -- and unequaled -- strength +> and influence in the world. Sustained by faith in the principles of +> liberty, and the value of a free society, this position comes with +> unparalleled responsibilities, obligations, and opportunity. The great +> strength of this nation must be used to promote a balance of power that +> favors freedom. +> +> For most of the twentieth century, the world was divided by a great +> struggle over ideas: destructive totalitarian visions versus freedom and +> equality. +> +> That great struggle is over. The militant visions of class, nation, and +> race which promised utopia and delivered misery have been defeated and +> discredited. America is now threatened less by conquering states than we +> are by failing ones. We are menaced less by fleets and armies than by +> catastrophic technologies in the hands of the embittered few. We must +> defeat these threats to our Nation, allies, and friends. +> +> This is also a time of opportunity for America. We will work to +> translate this moment of influence into decades of peace, prosperity, +> and liberty. The U.S. national security strategy will be based on a +> distinctly American internationalism that reflects the union of our +> values and our national interests. The aim of this strategy is to help +> make the world not just safer but better. Our goals on the path to +> progress are clear: political and economic freedom, peaceful relations +> with other states, and respect for human dignity. +> +> And this path is not America's alone. It is open to all. +> +> To achieve these goals, the United States will: +> +> * champion aspirations for human dignity; +> +> * strengthen alliances to defeat global terrorism and work to prevent +> attacks against us and our friends; +> +> * work with others to defuse regional conflicts; +> +> * prevent our enemies from threatening us, our allies, and our +> friends, with weapons of mass destruction; +> +> * ignite a new era of global economic growth through free markets and +> free trade; +> +> * expand the circle of development by opening societies and building +> the infrastructure of democracy; +> +> * develop agendas for cooperative action with other main centers of +> global power; and +> +> * transform America's national security institutions to meet the +> challenges and opportunities of the twenty-first century. +> +> +> II. Champion Aspirations for Human Dignity +> +> +> "Some worry that it is somehow undiplomatic or impolite to speak the +> language of right and wrong. I disagree. Different circumstances require +> different methods, but not different moralities." +> +> +> +> +> +> President Bush +> West Point, New York +> June 1, 2002 +> +> +> +> In pursuit of our goals, our first imperative is to clarify what we +> stand for: the United States must defend liberty and justice because +> these principles are right and true for all people everywhere. No nation +> owns these aspirations, and no nation is exempt from them. Fathers and +> mothers in all societies want their children to be educated and to live +> free from poverty and violence. No people on earth yearn to be +> oppressed, aspire to servitude, or eagerly await the midnight knock of +> the secret police. +> +> America must stand firmly for the nonnegotiable demands of human +> dignity: the rule of law; limits on the absolute power of the state; +> free speech; freedom of worship; equal justice; respect for women; +> religious and ethnic tolerance; and respect for private property. +> +> These demands can be met in many ways. America's constitution has served +> us well. Many other nations, with different histories and cultures, +> facing different circumstances, have successfully incorporated these +> core principles into their own systems of governance. History has not +> been kind to those nations which ignored or flouted the rights and +> aspirations of their people. +> +> Our own history is a long struggle to live up to our ideals. But even in +> our worst moments, the principles enshrined in the Declaration of +> Independence were there to guide us. As a result, America is not just a +> stronger, but is a freer and more just society. +> +> Today, these ideals are a lifeline to lonely defenders of liberty. And +> when openings arrive, we can encourage change -- as we did in central +> and eastern Europe between 1989 and 1991, or in Belgrade in 2000. When +> we see democratic processes take hold among our friends in Taiwan or in +> the Republic of Korea, and see elected leaders replace generals in Latin +> America and Africa, we see examples of how authoritarian systems can +> evolve, marrying local history and traditions with the principles we all +> cherish. +> +> Embodying lessons from our past and using the opportunity we have today, +> the national security strategy of the United States must start from +> these core beliefs and look outward for possibilities to expand liberty. +> +> Our principles will guide our government's decisions about international +> cooperation, the character of our foreign assistance, and the allocation +> of resources. They will guide our actions and our words in international +> bodies. +> +> We will: +> +> * speak out honestly about violations of the nonnegotiable demands of +> human dignity using our voice and vote in international institutions to +> advance freedom; +> +> * use our foreign aid to promote freedom and support those who +> struggle non-violently for it, ensuring that nations moving toward +> democracy are rewarded for the steps they take; +> +> * make freedom and the development of democratic institutions key +> themes in our bilateral relations, seeking solidarity and cooperation +> from other democracies while we press governments that deny human rights +> to move toward a better future; and +> +> * take special efforts to promote freedom of religion and conscience +> and defend it from encroachment by repressive governments. +> +> +> We will champion the cause of human dignity and oppose those who resist +> it. +> +> III. Strengthen Alliances to Defeat Global Terrorism and Work to Prevent +> Attacks Against Us and Our Friends +> +> +> "Just three days removed from these events, Americans do not yet have +> the distance of history. But our responsibility to history is already +> clear: to answer these attacks and rid the world of evil. War has been +> waged against us by stealth and deceit and murder. This nation is +> peaceful, but fierce when stirred to anger. The conflict was begun on +> the timing and terms of others. It will end in a way, and at an hour, of +> our choosing." +> +> +> +> +> +> President Bush +> Washington, D.C. (The National Cathedral) +> September 14, 2001 +> +> +> +> The United States of America is fighting a war against terrorists of +> global reach. The enemy is not a single political regime or person or +> religion or ideology. The enemy is terrorism -- premeditated, +> politically motivated violence perpetrated against innocents. +> +> In many regions, legitimate grievances prevent the emergence of a +> lasting peace. Such grievances deserve to be, and must be, addressed +> within a political process. But no cause justifies terror. The United +> States will make no concessions to terrorist demands and strike no deals +> with them. We make no distinction between terrorists and those who +> knowingly harbor or provide aid to them. +> +> The struggle against global terrorism is different from any other war in +> our history. It will be fought on many fronts against a particularly +> elusive enemy over an extended period of time. Progress will come +> through the persistent accumulation of successes -- some seen, some +> unseen. +> +> Today our enemies have seen the results of what civilized nations can, +> and will, do against regimes that harbor, support, and use terrorism to +> achieve their political goals. Afghanistan has been liberated; coalition +> forces continue to hunt down the Taliban and al-Qaida. But it is not +> only this battlefield on which we will engage terrorists. Thousands of +> trained terrorists remain at large with cells in North America, South +> America, Europe, Africa, the Middle East, and across Asia. +> +> Our priority will be first to disrupt and destroy terrorist +> organizations of global reach and attack their leadership; command, +> control, and communications; material support; and finances. This will +> have a disabling effect upon the terrorists' ability to plan and operate. +> +> We will continue to encourage our regional partners to take up a +> coordinated effort that isolates the terrorists. Once the regional +> campaign localizes the threat to a particular state, we will help ensure +> the state has the military, law enforcement, political, and financial +> tools necessary to finish the task. +> +> The United States will continue to work with our allies to disrupt the +> financing of terrorism. We will identify and block the sources of +> funding for terrorism, freeze the assets of terrorists and those who +> support them, deny terrorists access to the international financial +> system, protect legitimate charities from being abused by terrorists, +> and prevent the movement of terrorists' assets through alternative +> financial networks. +> +> However, this campaign need not be sequential to be effective, the +> cumulative effect across all regions will help achieve the results we +> seek. +> +> We will disrupt and destroy terrorist organizations by: +> +> * direct and continuous action using all the elements of national and +> international power. Our immediate focus will be those terrorist +> organizations of global reach and any terrorist or state sponsor of +> terrorism which attempts to gain or use weapons of mass destruction +> (WMD) or their precursors; +> +> * defending the United States, the American people, and our interests +> at home and abroad by identifying and destroying the threat before it +> reaches our borders. While the United States will constantly strive to +> enlist the support of the international community, we will not hesitate +> to act alone, if necessary, to exercise our right of self-defense by +> acting preemptively against such terrorists, to prevent them from doing +> harm against our people and our country; and +> +> * denying further sponsorship, support, and sanctuary to terrorists +> by convincing or compelling states to accept their sovereign +> responsibilities. +> +> +> We will also wage a war of ideas to win the battle against international +> terrorism. This includes: +> +> * using the full influence of the United States, and working closely +> with allies and friends, to make clear that all acts of terrorism are +> illegitimate so that terrorism will be viewed in the same light as +> slavery, piracy, or genocide: behavior that no respectable government +> can condone or support and all must oppose; +> +> * supporting moderate and modern government, especially in the Muslim +> world, to ensure that the conditions and ideologies that promote +> terrorism do not find fertile ground in any nation; +> +> * diminishing the underlying conditions that spawn terrorism by +> enlisting the international community to focus its efforts and resources +> on areas most at risk; and +> +> * using effective public diplomacy to promote the free flow of +> information and ideas to kindle the hopes and aspirations of freedom of +> those in societies ruled by the sponsors of global terrorism. +> +> +> While we recognize that our best defense is a good offense we are also +> strengthening America's homeland security to protect against and deter +> attack. +> +> This Administration has proposed the largest government reorganization +> since the Truman Administration created the National Security Council +> and the Department of Defense. Centered on a new Department of Homeland +> Security and including a new unified military command and a fundamental +> reordering of the FBI, our comprehensive plan to secure the homeland +> encompasses every level of government and the cooperation of the public +> and the private sector. +> +> This strategy will turn adversity into opportunity. For example, +> emergency management systems will be better able to cope not just with +> terrorism but with all hazards. Our medical system will be strengthened +> to manage not just bioterror, but all infectious diseases and +> mass-casualty dangers. Our border controls will not just stop +> terrorists, but improve the efficient movement of legitimate traffic. +> +> While our focus is protecting America, we know that to defeat terrorism +> in today's globalized world we need support from our allies and friends. +> Wherever possible, the United States will rely on regional organizations +> and state powers to meet their obligations to fight terrorism. Where +> governments find the fight against terrorism beyond their capacities, we +> will match their willpower and their resources with whatever help we and +> our allies can provide. +> +> As we pursue the terrorists in Afghanistan, we will continue to work +> with international organizations such as the United Nations, as well as +> non-governmental organizations, and other countries to provide the +> humanitarian, political, economic, and security assistance necessary to +> rebuild Afghanistan so that it will never again abuse its people, +> threaten its neighbors, and provide a haven for terrorists +> +> In the war against global terrorism, we will never forget that we are +> ultimately fighting for our democratic values and way of life. Freedom +> and fear are at war, and there will be no quick or easy end to this +> conflict. In leading the campaign against terrorism, we are forging new, +> productive international relationships and redefining existing ones in +> ways that meet the challenges of the twenty-first century. +> +> IV. Work with Others To Defuse Regional Conflicts +> +> +> "We build a world of justice, or we will live in a world of coercion. +> The magnitude of our shared responsibilities makes our disagreements +> look so small." +> +> +> +> +> +> President Bush +> Berlin, Germany +> May 23, 2002 +> +> +> +> Concerned nations must remain actively engaged in critical regional +> disputes to avoid explosive escalation and minimize human suffering. In +> an increasingly interconnected world, regional crisis can strain our +> alliances, rekindle rivalries among the major powers, and create +> horrifying affronts to human dignity. When violence erupts and states +> falter, the United States will work with friends and partners to +> alleviate suffering and restore stability. +> +> No doctrine can anticipate every circumstance in which U.S. action -- +> direct or indirect -- is warranted. We have finite political, economic, +> and military resources to meet our global priorities. The United States +> will approach each case with these strategic principles in mind: +> +> * The United States should invest time and resources into building +> international relationships and institutions that can help manage local +> crises when they emerge. +> +> * The United States should be realistic about its ability to help +> those who are unwilling or unready to help themselves. Where and when +> people are ready to do their part, we will be willing to move decisively. +> +> +> Policies in several key regions offer some illustrations of how we will +> apply these principles: +> +> The Israeli-Palestinian conflict is critical because of the toll of +> human suffering, because of America's close relationship with the state +> of Israel and key Arab states, and because of that region's importance +> to other global priorities of the United States. There can be no peace +> for either side without freedom for both sides. America stands committed +> to an independent and democratic Palestine, living beside Israel in +> peace and security. Like all other people, Palestinians deserve a +> government that serves their interests, and listens to their voices, and +> counts their votes. The United States will continue to encourage all +> parties to step up to their responsibilities as we seek a just and +> comprehensive settlement to the conflict. +> +> The United States, the international donor community, and the World Bank +> stand ready to work with a reformed Palestinian government on economic +> development, increased humanitarian assistance and a program to +> establish, finance, and monitor a truly independent judiciary. If +> Palestinians embrace democracy, and the rule of law, confront +> corruption, and firmly reject terror, they can count on American support +> for the creation of a Palestinian state. +> +> Israel also has a large stake in the success of a democratic Palestine. +> Permanent occupation threatens Israel's identity and democracy. So the +> United States continues to challenge Israeli leaders to take concrete +> steps to support the emergence of a viable, credible Palestinian state. +> As there is progress towards security, Israel forces need to withdraw +> fully to positions they held prior to September 28, 2000. And consistent +> with the recommendations of the Mitchell Committee, Israeli settlement +> activity in the occupied territories must stop. As violence subsides, +> freedom of movement should be restored, permitting innocent Palestinians +> to resume work and normal life. The United States can play a crucial +> role but, ultimately, lasting peace can only come when Israelis and +> Palestinians resolve the issues and end the conflict between them. +> +> In South Asia, the United States has also emphasized the need for India +> and Pakistan to resolve their disputes. This administration invested +> time and resources building strong bilateral relations with India and +> Pakistan. These strong relations then gave us leverage to play a +> constructive role when tensions in the region became acute. With +> Pakistan, our bilateral relations have been bolstered by Pakistan's +> choice to join the war against terror and move toward building a more +> open and tolerant society. The Administration sees India's potential to +> become one of the great democratic powers of the twenty-first century +> and has worked hard to transform our relationship accordingly. Our +> involvement in this regional dispute, building on earlier investments in +> bilateral relations, looks first to concrete steps by India and Pakistan +> that can help defuse military confrontation. +> +> Indonesia took courageous steps to create a working democracy and +> respect for the rule of law. By tolerating ethnic minorities, respecting +> the rule of law, and accepting open markets, Indonesia may be able to +> employ the engine of opportunity that has helped lift some of its +> neighbors out of poverty and desperation. It is the initiative by +> Indonesia that allows U.S. assistance to make a difference. +> +> In the Western Hemisphere we have formed flexible coalitions with +> countries that share our priorities, particularly Mexico, Brazil, +> Canada, Chile, and Colombia. Together we will promote a truly democratic +> hemisphere where our integration advances security, prosperity, +> opportunity, and hope. We will work with regional institutions, such as +> the Summit of the Americas process, the Organization of American States +> (OAS), and the Defense Ministerial of the Americas for the benefit of +> the entire hemisphere. +> +> Parts of Latin America confront regional conflict, especially arising +> from the violence of drug cartels and their accomplices. This conflict +> and unrestrained narcotics trafficking could imperil the health and +> security of the United States. Therefore we have developed an active +> strategy to help the Andean nations adjust their economies, enforce +> their laws, defeat terrorist organizations, and cut off the supply of +> drugs, while -- as important -- we work to reduce the demand for drugs +> in our own country. +> +> In Colombia, we recognize the link between terrorist and extremist +> groups that challenge the security of the state and drug trafficking +> activities that help finance the operations of such groups. We are +> working to help Colombia defend its democratic institutions and defeat +> illegal armed groups of both the left and right by extending effective +> sovereignty over the entire national territory and provide basic +> security to the Colombian people. +> +> In Africa, promise and opportunity sit side by side with disease, war, +> and desperate poverty. This threatens both a core value of the United +> States -- preserving human dignity -- and our strategic priority -- +> combating global terror. American interests and American principles, +> therefore, lead in the same direction: we will work with others for an +> African continent that lives in liberty, peace, and growing prosperity. +> Together with our European allies, we must help strengthen Africa's +> fragile states, help build indigenous capability to secure porous +> borders, and help build up the law enforcement and intelligence +> infrastructure to deny havens for terrorists. +> +> An ever more lethal environment exists in Africa as local civil wars +> spread beyond borders to create regional war zones. Forming coalitions +> of the willing and cooperative security arrangements are key to +> confronting these emerging transnational threats. +> +> Africa's great size and diversity requires a security strategy that +> focuses bilateral engagement, and builds coalitions of the willing. This +> administration will focus on three interlocking strategies for the +> region: +> +> * countries with major impact on their neighborhood such as South +> Africa, Nigeria, Kenya, and Ethiopia are anchors for regional engagement +> and require focused attention; +> +> * coordination with European allies and international institutions is +> essential for constructive conflict mediation and successful peace +> operations; and +> +> * Africa's capable reforming states and sub-regional organizations +> must be strengthened as the primary means to address transnational +> threats on a sustained basis. +> +> +> Ultimately the path of political and economic freedom presents the +> surest route to progress in sub-Saharan Africa, where most wars are +> conflicts over material resources and political access often tragically +> waged on the basis of ethnic and religious difference. The transition to +> the African Union with its stated commitment to good governance and a +> common responsibility for democratic political systems offers +> opportunities to strengthen democracy on the continent. +> +> V. Prevent Our Enemies from Threatening Us, Our Allies, and Our Friends +> with Weapons of Mass Destruction +> +> +> "The gravest danger to freedom lies at the crossroads of radicalism and +> technology. When the spread of chemical and biological and nuclear +> weapons, along with ballistic missile technology -- when that occurs, +> even weak states and small groups could attain a catastrophic power to +> strike great nations. Our enemies have declared this very intention, and +> have been caught seeking these terrible weapons. They want the +> capability to blackmail us, or to harm us, or to harm our friends -- and +> we will oppose them with all our power." +> +> +> +> +> +> President Bush +> West Point, New York +> June 1, 2002 +> +> +> +> The nature of the Cold War threat required the United States -- with our +> allies and friends -- to emphasize deterrence of the enemy's use of +> force, producing a grim strategy of mutual assured destruction. With the +> collapse of the Soviet Union and the end of the Cold War, our security +> environment has undergone profound transformation. +> +> Having moved from confrontation to cooperation as the hallmark of our +> relationship with Russia, the dividends are evident: an end to the +> balance of terror that divided us; an historic reduction in the nuclear +> arsenals on both sides; and cooperation in areas such as +> counterterrorism and missile defense that until recently were +> inconceivable. +> +> But new deadly challenges have emerged from rogue states and terrorists. +> None of these contemporary threats rival the sheer destructive power +> that was arrayed against us by the Soviet Union. However, the nature and +> motivations of these new adversaries, their determination to obtain +> destructive powers hitherto available only to the world's strongest +> states, and the greater likelihood that they will use weapons of mass +> destruction against us, make today's security environment more complex +> and dangerous. +> +> In the 1990s we witnessed the emergence of a small number of rogue +> states that, while different in important ways, share a number of +> attributes. These states: +> +> * brutalize their own people and squander their national resources +> for the personal gain of the rulers; +> +> * display no regard for international law, threaten their neighbors, +> and callously violate international treaties to which they are party; +> +> * are determined to acquire weapons of mass destruction, along with +> other advanced military technology, to be used as threats or offensively +> to achieve the aggressive designs of these regimes; +> +> * sponsor terrorism around the globe; and +> +> * reject basic human values and hate the United States and everything +> for which it stands. +> +> +> At the time of the Gulf War, we acquired irrefutable proof that Iraq's +> designs were not limited to the chemical weapons it had used against +> Iran and its own people, but also extended to the acquisition of nuclear +> weapons and biological agents. In the past decade North Korea has become +> the world's principal purveyor of ballistic missiles, and has tested +> increasingly capable missiles while developing its own WMD arsenal. +> Other rogue regimes seek nuclear, biological, and chemical weapons as +> well. These states' pursuit of, and global trade in, such weapons has +> become a looming threat to all nations. +> +> We must be prepared to stop rogue states and their terrorist clients +> before they are able to threaten or use weapons of mass destruction +> against the United States and our allies and friends. Our response must +> take full advantage of strengthened alliances, the establishment of new +> partnerships with former adversaries, innovation in the use of military +> forces, modern technologies, including the development of an effective +> missile defense system, and increased emphasis on intelligence +> collection and analysis. +> +> Our comprehensive strategy to combat WMD includes: +> +> * Proactive counterproliferation efforts. We must deter and defend +> against the threat before it is unleashed. We must ensure that key +> capabilities -- detection, active and passive defenses, and counterforce +> capabilities -- are integrated into our defense transformation and our +> homeland security systems. Counterproliferation must also be integrated +> into the doctrine, training, and equipping of our forces and those of +> our allies to ensure that we can prevail in any conflict with WMD-armed +> adversaries. +> +> * Strengthened nonproliferation efforts to prevent rogue states and +> terrorists from acquiring the materials, technologies and expertise +> necessary for weapons of mass destruction. We will enhance diplomacy, +> arms control, multilateral export controls, and threat reduction +> assistance that impede states and terrorists seeking WMD, and when +> necessary, interdict enabling technologies and materials. We will +> continue to build coalitions to support these efforts, encouraging their +> increased political and financial support for nonproliferation and +> threat reduction programs. The recent G-8 agreement to commit up to $20 +> billion to a global partnership against proliferation marks a major step +> forward. +> +> * Effective consequence management to respond to the effects of WMD +> use, whether by terrorists or hostile states. Minimizing the effects of +> WMD use against our people will help deter those who possess such +> weapons and dissuade those who seek to acquire them by persuading +> enemies that they cannot attain their desired ends. The United States +> must also be prepared to respond to the effects of WMD use against our +> forces abroad, and to help friends and allies if they are attacked. +> +> +> It has taken almost a decade for us to comprehend the true nature of +> this new threat. Given the goals of rogue states and terrorists, the +> United States can no longer solely rely on a reactive posture as we have +> in the past. The inability to deter a potential attacker, the immediacy +> of today's threats, and the magnitude of potential harm that could be +> caused by our adversaries' choice of weapons, do not permit that option. +> We cannot let our enemies strike first. +> +> * In the Cold War, especially following the Cuban missile crisis, we +> faced a generally status quo, risk-averse adversary. Deterrence was an +> effective defense. But deterrence based only upon the threat of +> retaliation is far less likely to work against leaders of rogue states +> more willing to take risks, gambling with the lives of their people, and +> the wealth of their nations. +> +> * In the Cold War, weapons of mass destruction were considered +> weapons of last resort whose use risked the destruction of those who +> used them. Today, our enemies see weapons of mass destruction as weapons +> of choice. For rogue states these weapons are tools of intimidation and +> military aggression against their neighbors. These weapons may also +> allow these states to attempt to blackmail the United States and our +> allies to prevent us from deterring or repelling the aggressive behavior +> of rogue states. Such states also see these weapons as their best means +> of overcoming the conventional superiority of the United States. +> +> * Traditional concepts of deterrence will not work against a +> terrorist enemy whose avowed tactics are wanton destruction and the +> targeting of innocents; whose so-called soldiers seek martyrdom in death +> and whose most potent protection is statelessness. The overlap between +> states that sponsor terror and those that pursue WMD compels us to +> action. +> +> +> For centuries, international law recognized that nations need not suffer +> an attack before they can lawfully take action to defend themselves +> against forces that present an imminent danger of attack. Legal scholars +> and international jurists often conditioned the legitimacy of preemption +> on the existence of an imminent threat -- most often a visible +> mobilization of armies, navies, and air forces preparing to attack. +> +> We must adapt the concept of imminent threat to the capabilities and +> objectives of today's adversaries. Rogue states and terrorists do not +> seek to attack us using conventional means. They know such attacks would +> fail. Instead, they rely on acts of terrorism and, potentially, the use +> of weapons of mass destruction -- weapons that can be easily concealed +> and delivered covertly and without warning. +> +> The targets of these attacks are our military forces and our civilian +> population, in direct violation of one of the principal norms of the law +> of warfare. As was demonstrated by the losses on September 11, 2001, +> mass civilian casualties is the specific objective of terrorists and +> these losses would be exponentially more severe if terrorists acquired +> and used weapons of mass destruction. +> +> The United States has long maintained the option of preemptive actions +> to counter a sufficient threat to our national security. The greater the +> threat, the greater is the risk of inaction -- and the more compelling +> the case for taking anticipatory action to defend ourselves, even if +> uncertainty remains as to the time and place of the enemy's attack. To +> forestall or prevent such hostile acts by our adversaries, the United +> States will, if necessary, act preemptively. +> +> The United States will not use force in all cases to preempt emerging +> threats, nor should nations use preemption as a pretext for aggression. +> Yet in an age where the enemies of civilization openly and actively seek +> the world's most destructive technologies, the United States cannot +> remain idle while dangers gather. +> +> We will always proceed deliberately, weighing the consequences of our +> actions. To support preemptive options, we will: +> +> * build better, more integrated intelligence capabilities to provide +> timely, accurate information on threats, wherever they may emerge; +> +> * coordinate closely with allies to form a common assessment of the +> most dangerous threats; and +> +> * continue to transform our military forces to ensure our ability to +> conduct rapid and precise operations to achieve decisive results. +> +> +> The purpose of our actions will always be to eliminate a specific threat +> to the United States or our allies and friends. The reasons for our +> actions will be clear, the force measured, and the cause just. +> +> VI. Ignite a New Era of Global Economic Growth through Free Markets and +> Free Trade. +> +> +> "When nations close their markets and opportunity is hoarded by a +> privileged few, no amount -- no amount -- of development aid is ever +> enough. When nations respect their people, open markets, invest in +> better health and education, every dollar of aid, every dollar of trade +> revenue and domestic capital is used more effectively." +> +> +> +> +> +> President Bush +> Monterrey, Mexico +> March 22, 2002 +> +> +> +> A strong world economy enhances our national security by advancing +> prosperity and freedom in the rest of the world. Economic growth +> supported by free trade and free markets creates new jobs and higher +> incomes. It allows people to lift their lives out of poverty, spurs +> economic and legal reform, and the fight against corruption, and it +> reinforces the habits of liberty. +> +> We will promote economic growth and economic freedom beyond America's +> shores. All governments are responsible for creating their own economic +> policies and responding to their own economic challenge. We will use our +> economic engagement with other countries to underscore the benefits of +> policies that generate higher productivity and sustained economic +> growth, including: +> +> * pro-growth legal and regulatory policies to encourage business +> investment, innovation, and entrepreneurial activity; +> +> * tax policies -- particularly lower marginal tax rates -- that +> improve incentives for work and investment; +> +> * rule of law and intolerance of corruption so that people are +> confident that they will be able to enjoy the fruits of their economic +> endeavors; +> +> * strong financial systems that allow capital to be put to its most +> efficient use; +> +> * sound fiscal policies to support business activity; +> +> * investments in health and education that improve the well-being and +> skills of the labor force and population as a whole; and +> +> * free trade that provides new avenues for growth and fosters the +> diffusion of technologies and ideas that increase productivity and +> opportunity. +> +> +> The lessons of history are clear: market economies, not +> command-and-control economies with the heavy hand of government, are the +> best way to promote prosperity and reduce poverty. Policies that further +> strengthen market incentives and market institutions are relevant for +> all economies -- industrialized countries, emerging markets, and the +> developing world. +> +> A return to strong economic growth in Europe and Japan is vital to U.S. +> national security interests. We want our allies to have strong economies +> for their own sake, for the sake of the global economy, and for the sake +> of global security. European efforts to remove structural barriers in +> their economies are particularly important in this regard, as are +> Japan's efforts to end deflation and address the problems of +> non-performing loans in the Japanese banking system. We will continue to +> use our regular consultations with Japan and our European partners -- +> including through the Group of Seven (G-7) -- to discuss policies they +> are adopting to promote growth in their economies and support higher +> global economic growth. +> +> Improving stability in emerging markets is also key to global economic +> growth. International flows of investment capital are needed to expand +> the productive potential of these economies. These flows allow emerging +> markets and developing countries to make the investments that raise +> living standards and reduce poverty. Our long-term objective should be a +> world in which all countries have investment-grade credit ratings that +> allow them access to international capital markets and to invest in +> their future. +> +> We are committed to policies that will help emerging markets achieve +> access to larger capital flows at lower cost. To this end, we will +> continue to pursue reforms aimed at reducing uncertainty in financial +> markets. We will work actively with other countries, the International +> Monetary Fund (IMF), and the private sector to implement the G-7 Action +> Plan negotiated earlier this year for preventing financial crises and +> more effectively resolving them when they occur. +> +> The best way to deal with financial crises is to prevent them from +> occurring, and we have encouraged the IMF to improve its efforts doing +> so. We will continue to work with the IMF to streamline the policy +> conditions for its lending and to focus its lending strategy on +> achieving economic growth through sound fiscal and monetary policy, +> exchange rate policy, and financial sector policy. +> +> The concept of "free trade" arose as a moral principle even before it +> became a pillar of economics. If you can make something that others +> value, you should be able to sell it to them. If others make something +> that you value, you should be able to buy it. This is real freedom, the +> freedom for a person -- or a nation -- to make a living. To promote free +> trade, the Unites States has developed a comprehensive strategy: +> +> * Seize the global initiative. The new global trade negotiations we +> helped launch at Doha in November 2001 will have an ambitious agenda, +> especially in agriculture, manufacturing, and services, targeted for +> completion in 2005. The United States has led the way in completing the +> accession of China and a democratic Taiwan to the World Trade +> Organization. We will assist Russia's preparations to join the WTO. +> +> * Press regional initiatives. The United States and other democracies +> in the Western Hemisphere have agreed to create the Free Trade Area of +> the Americas, targeted for completion in 2005. This year the United +> States will advocate market-access negotiations with its partners, +> targeted on agriculture, industrial goods, services, investment, and +> government procurement. We will also offer more opportunity to the +> poorest continent, Africa, starting with full use of the preferences +> allowed in the African Growth and Opportunity Act, and leading to free +> trade. +> +> * Move ahead with bilateral free trade agreements. Building on the +> free trade agreement with Jordan enacted in 2001, the Administration +> will work this year to complete free trade agreements with Chile and +> Singapore. Our aim is to achieve free trade agreements with a mix of +> developed and developing countries in all regions of the world. +> Initially, Central America, Southern Africa, Morocco, and Australia will +> be our principal focal points. +> +> * Renew the executive-congressional partnership. Every +> administration's trade strategy depends on a productive partnership with +> Congress. After a gap of 8 years, the Administration reestablished +> majority support in the Congress for trade liberalization by passing +> Trade Promotion Authority and the other market opening measures for +> developing countries in the Trade Act of 2002. This Administration will +> work with Congress to enact new bilateral, regional, and global trade +> agreements that will be concluded under the recently passed Trade +> Promotion Authority. +> +> * Promote the connection between trade and development. Trade +> policies can help developing countries strengthen property rights, +> competition, the rule of law, investment, the spread of knowledge, open +> societies, the efficient allocation of resources, and regional +> integration -- all leading to growth, opportunity, and confidence in +> developing countries. The United States is implementing The Africa +> Growth and Opportunity Act to provide market-access for nearly all goods +> produced in the 35 countries of sub-Saharan Africa. We will make more +> use of this act and its equivalent for the Caribbean Basin and continue +> to work with multilateral and regional institutions to help poorer +> countries take advantage of these opportunities. Beyond market access, +> the most important area where trade intersects with poverty is in public +> health. We will ensure that the WTO intellectual property rules are +> flexible enough to allow developing nations to gain access to critical +> medicines for extraordinary dangers like HIV/AIDS, tuberculosis, and +> malaria. +> +> * Enforce trade agreements and laws against unfair practices. +> Commerce depends on the rule of law; international trade depends on +> enforceable agreements. Our top priorities are to resolve ongoing +> disputes with the European Union, Canada, and Mexico and to make a +> global effort to address new technology, science, and health regulations +> that needlessly impede farm exports and improved agriculture. Laws +> against unfair trade practices are often abused, but the international +> community must be able to address genuine concerns about government +> subsidies and dumping. International industrial espionage which +> undermines fair competition must be detected and deterred. +> +> * Help domestic industries and workers adjust. There is a sound +> statutory framework for these transitional safeguards which we have used +> in the agricultural sector and which we are using this year to help the +> American steel industry. The benefits of free trade depend upon the +> enforcement of fair trading practices. These safeguards help ensure that +> the benefits of free trade do not come at the expense of American +> workers. Trade adjustment assistance will help workers adapt to the +> change and dynamism of open markets. +> +> * Protect the environment and workers. The United States must foster +> economic growth in ways that will provide a better life along with +> widening prosperity. We will incorporate labor and environmental +> concerns into U.S. trade negotiations, creating a healthy "network" +> between multilateral environmental agreements with the WTO, and use the +> International Labor Organization, trade preference programs, and trade +> talks to improve working conditions in conjunction with freer trade. +> +> * Enhance energy security. We will strengthen our own energy security +> and the shared prosperity of the global economy by working with our +> allies, trading partners, and energy producers to expand the sources and +> types of global energy supplied, especially in the Western Hemisphere, +> Africa, Central Asia, and the Caspian region. We will also continue to +> work with our partners to develop cleaner and more energy efficient +> technologies. +> +> +> Economic growth should be accompanied by global efforts to stabilize +> greenhouse gas concentrations associated with this growth, containing +> them at a level that prevents dangerous human interference with the +> global climate. Our overall objective is to reduce America's greenhouse +> gas emissions relative to the size of our economy, cutting such +> emissions per unit of economic activity by 18 percent over the next 10 +> years, by the year 2012. Our strategies for attaining this goal will be +> to: +> +> * remain committed to the basic U.N. Framework Convention for +> international cooperation; +> +> * obtain agreements with key industries to cut emissions of some of +> the most potent greenhouse gases and give transferable credits to +> companies that can show real cuts; +> +> * develop improved standards for measuring and registering emission +> reductions; +> +> * promote renewable energy production and clean coal technology, as +> well as nuclear power -- which produces no greenhouse gas emissions, +> while also improving fuel economy for U.S. cars and trucks; +> +> * increase spending on research and new conservation technologies, to +> a total of $4.5 billion -- the largest sum being spent on climate change +> by any country in the world and a $700 million increase over last year's +> budget; and +> +> * assist developing countries, especially the major greenhouse gas +> emitters such as China and India, so that they will have the tools and +> resources to join this effort and be able to grow along a cleaner and +> better path. +> +> +> VII. Expand the Circle of Development by Opening Societies and Building +> the Infrastructure of Democracy +> +> +> "In World War II we fought to make the world safer, then worked to +> rebuild it. As we wage war today to keep the world safe from terror, we +> must also work to make the world a better place for all its citizens." +> +> +> +> +> +> President Bush +> Washington, D.C. (Inter-American +> Development Bank) +> March 14, 2002 +> +> +> +> A world where some live in comfort and plenty, while half of the human +> race lives on less than $2 a day, is neither just nor stable. Including +> all of the world's poor in an expanding circle of development -- and +> opportunity -- is a moral imperative and one of the top priorities of +> U.S. international policy. +> +> Decades of massive development assistance have failed to spur economic +> growth in the poorest countries. Worse, development aid has often served +> to prop up failed policies, relieving the pressure for reform and +> perpetuating misery. Results of aid are typically measured in dollars +> spent by donors, not in the rates of growth and poverty reduction +> achieved by recipients. These are the indicators of a failed strategy. +> +> Working with other nations, the United States is confronting this +> failure. We forged a new consensus at the U.N. Conference on Financing +> for Development in Monterrey that the objectives of assistance -- and +> the strategies to achieve those objectives -- must change. +> +> This Administration's goal is to help unleash the productive potential +> of individuals in all nations. Sustained growth and poverty reduction is +> impossible without the right national policies. Where governments have +> implemented real policy changes we will provide significant new levels +> of assistance. The United States and other developed countries should +> set an ambitious and specific target: to double the size of the world's +> poorest economies within a decade. +> +> The United States Government will pursue these major strategies to +> achieve this goal: +> +> * Provide resources to aid countries that have met the challenge of +> national reform. We propose a 50 percent increase in the core +> development assistance given by the United States. While continuing our +> present programs, including humanitarian assistance based on need alone, +> these billions of new dollars will form a new Millennium Challenge +> Account for projects in countries whose governments rule justly, invest +> in their people, and encourage economic freedom. Governments must fight +> corruption, respect basic human rights, embrace the rule of law, invest +> in health care and education, follow responsible economic policies, and +> enable entrepreneurship. The Millennium Challenge Account will reward +> countries that have demonstrated real policy change and challenge those +> that have not to implement reforms. +> +> * Improve the effectiveness of the World Bank and other development +> banks in raising living standards. The United States is committed to a +> comprehensive reform agenda for making the World Bank and the other +> multilateral development banks more effective in improving the lives of +> the world's poor. We have reversed the downward trend in U.S. +> contributions and proposed an 18 percent increase in the U.S. +> contributions to the International Development Association (IDA) -- the +> World Bank's fund for the poorest countries -- and the African +> Development Fund. The key to raising living standards and reducing +> poverty around the world is increasing productivity growth, especially +> in the poorest countries. We will continue to press the multilateral +> development banks to focus on activities that increase economic +> productivity, such as improvements in education, health, rule of law, +> and private sector development. Every project, every loan, every grant +> must be judged by how much it will increase productivity growth in +> developing countries. +> +> * Insist upon measurable results to ensure that development +> assistance is actually making a difference in the lives of the world's +> poor. When it comes to economic development, what really matters is that +> more children are getting a better education, more people have access to +> health care and clean water, or more workers can find jobs to make a +> better future for their families. We have a moral obligation to measure +> the success of our development assistance by whether it is delivering +> results. For this reason, we will continue to demand that our own +> development assistance as well as assistance from the multilateral +> development banks has measurable goals and concrete benchmarks for +> achieving those goals. Thanks to U.S. leadership, the recent IDA +> replenishment agreement will establish a monitoring and evaluation +> system that measures recipient countries' progress. For the first time, +> donors can link a portion of their contributions to IDA to the +> achievement of actual development results, and part of the U.S. +> contribution is linked in this way. We will strive to make sure that the +> World Bank and other multilateral development banks build on this +> progress so that a focus on results is an integral part of everything +> that these institutions do. +> +> * Increase the amount of development assistance that is provided in +> the form of grants instead of loans. Greater use of results-based grants +> is the best way to help poor countries make productive investments, +> particularly in the social sectors, without saddling them with +> ever-larger debt burdens. As a result of U.S. leadership, the recent IDA +> agreement provided for significant increases in grant funding for the +> poorest countries for education, HIV/AIDS, health, nutrition, water, +> sanitation, and other human needs. Our goal is to build on that progress +> by increasing the use of grants at the other multilateral development +> banks. We will also challenge universities, nonprofits, and the private +> sector to match government efforts by using grants to support +> development projects that show results. +> +> * Open societies to commerce and investment. Trade and investment are +> the real engines of economic growth. Even if government aid increases, +> most money for development must come from trade, domestic capital, and +> foreign investment. An effective strategy must try to expand these flows +> as well. Free markets and free trade are key priorities of our national +> security strategy. +> +> * Secure public health. The scale of the public health crisis in poor +> countries is enormous. In countries afflicted by epidemics and pandemics +> like HIV/AIDS, malaria, and tuberculosis, growth and development will be +> threatened until these scourges can be contained. Resources from the +> developed world are necessary but will be effective only with honest +> governance, which supports prevention programs and provides effective +> local infrastructure. The United States has strongly backed the new +> global fund for HIV/AIDS organized by U.N. Secretary General Kofi Annan +> and its focus on combining prevention with a broad strategy for +> treatment and care. The United States already contributes more than +> twice as much money to such efforts as the next largest donor. If the +> global fund demonstrates its promise, we will be ready to give even more. +> +> * Emphasize education. Literacy and learning are the foundation of +> democracy and development. Only about 7 percent of World Bank resources +> are devoted to education. This proportion should grow. The United States +> will increase its own funding for education assistance by at least 20 +> percent with an emphasis on improving basic education and teacher +> training in Africa. The United States can also bring information +> technology to these societies, many of whose education systems have been +> devastated by AIDS. +> +> * Continue to aid agricultural development. New technologies, +> including biotechnology, have enormous potential to improve crop yields +> in developing countries while using fewer pesticides and less water. +> Using sound science, the United States should help bring these benefits +> to the 800 million people, including 300 million children, who still +> suffer from hunger and malnutrition. +> +> +> VIII. Develop Agendas for Cooperative Action with the Other Main Centers +> of Global Power +> +> +> "We have our best chance since the rise of the nation-state in the 17th +> century to build a world where the great powers compete in peace instead +> of prepare for war." +> +> +> +> +> +> President Bush +> West Point, New York +> June 1, 2002 +> +> +> +> America will implement its strategies by organizing coalitions -- as +> broad as practicable -- of states able and willing to promote a balance +> of power that favors freedom. Effective coalition leadership requires +> clear priorities, an appreciation of others' interests, and consistent +> consultations among partners with a spirit of humility. +> +> There is little of lasting consequence that the United States can +> accomplish in the world without the sustained cooperation of its allies +> and friends in Canada and Europe. Europe is also the seat of two of the +> strongest and most able international institutions in the world: the +> North Atlantic Treaty Organization (NATO), which has, since its +> inception, been the fulcrum of transatlantic and inter-European +> security, and the European Union (EU), our partner in opening world +> trade. +> +> The attacks of September 11 were also an attack on NATO, as NATO itself +> recognized when it invoked its Article V self-defense clause for the +> first time. NATO's core mission -- collective defense of the +> transatlantic alliance of democracies -- remains, but NATO must develop +> new structures and capabilities to carry out that mission under new +> circumstances. NATO must build a capability to field, at short notice, +> highly mobile, specially trained forces whenever they are needed to +> respond to a threat against any member of the alliance. +> +> The alliance must be able to act wherever our interests are threatened, +> creating coalitions under NATO's own mandate, as well as contributing to +> mission-based coalitions. To achieve this, we must: +> +> * expand NATO's membership to those democratic nations willing and +> able to share the burden of defending and advancing our common interests; +> +> * ensure that the military forces of NATO nations have appropriate +> combat contributions to make in coalition warfare; +> +> * develop planning processes to enable those contributions to become +> effective multinational fighting forces; +> +> * take advantage of the technological opportunities and economies of +> scale in our defense spending to transform NATO military forces so that +> they dominate potential aggressors and diminish our vulnerabilities; +> +> * streamline and increase the flexibility of command structures to +> meet new operational demands and the associated requirements of +> training, integrating, and experimenting with new force configurations; +> and +> +> * maintain the ability to work and fight together as allies even as +> we take the necessary steps to transform and modernize our forces. +> +> +> If NATO succeeds in enacting these changes, the rewards will be a +> partnership as central to the security and interests of its member +> states as was the case during the Cold War. We will sustain a common +> perspective on the threats to our societies and improve our ability to +> take common action in defense of our nations and their interests. At the +> same time, we welcome our European allies' efforts to forge a greater +> foreign policy and defense identity with the EU, and commit ourselves to +> close consultations to ensure that these developments work with NATO. We +> cannot afford to lose this opportunity to better prepare the family of +> transatlantic democracies for the challenges to come. +> +> The attacks of September 11 energized America's Asian alliances. +> Australia invoked the ANZUS Treaty to declare the September 11 was an +> attack on Australia itself, following that historic decision with the +> dispatch of some of the world's finest combat forces for Operation +> Enduring Freedom. Japan and the Republic of Korea provided unprecedented +> levels of military logistical support within weeks of the terrorist +> attack. We have deepened cooperation on counter-terrorism with our +> alliance partners in Thailand and the Philippines and received +> invaluable assistance from close friends like Singapore and New Zealand. +> +> The war against terrorism has proven that America's alliances in Asia +> not only underpin regional peace and stability, but are flexible and +> ready to deal with new challenges. To enhance our Asian alliances and +> friendships, we will: +> +> +> * look to Japan to continue forging a leading role in regional and +> global affairs based on our common interests, our common values, and our +> close defense and diplomatic cooperation; +> +> * work with South Korea to maintain vigilance towards the North while +> preparing our alliance to make contributions to the broader stability of +> the region over the longer-term; +> +> * build on 50 years of U.S.-Australian alliance cooperation as we +> continue working together to resolve regional and global problems -- as +> we have so many times from the Battle of Leyte Gulf to Tora Bora; +> +> * maintain forces in the region that reflect our commitments to our +> allies, our requirements, our technological advances, and the strategic +> environment; and +> +> * build on stability provided by these alliances, as well as with +> institutions such as ASEAN and the Asia-Pacific Economic Cooperation +> forum, to develop a mix of regional and bilateral strategies to manage +> change in this dynamic region. +> +> +> We are attentive to the possible renewal of old patterns of great power +> competition. Several potential great powers are now in the midst of +> internal transition -- most importantly Russia, India, and China. In all +> three cases, recent developments have encouraged our hope that a truly +> global consensus about basic principles is slowly taking shape. +> +> With Russia, we are already building a new strategic relationship based +> on a central reality of the twenty-first century: the United States and +> Russia are no longer strategic adversaries. The Moscow Treaty on +> Strategic Reductions is emblematic of this new reality and reflects a +> critical change in Russian thinking that promises to lead to productive, +> long-term relations with the Euro-Atlantic community and the United +> States. Russia's top leaders have a realistic assessment of their +> country's current weakness and the policies -- internal and external -- +> needed to reverse those weaknesses. They understand, increasingly, that +> Cold War approaches do not serve their national interests and that +> Russian and American strategic interests overlap in many areas. +> +> United States policy seeks to use this turn in Russian thinking to +> refocus our relationship on emerging and potential common interests and +> challenges. We are broadening our already extensive cooperation in the +> global war on terrorism. We are facilitating Russia's entry into the +> World Trade Organization, without lowering standards for accession, to +> promote beneficial bilateral trade and investment relations. We have +> created the NATO-Russia Council with the goal of deepening security +> cooperation among Russia, our European allies, and ourselves. We will +> continue to bolster the independence and stability of the states of the +> former Soviet Union in the belief that a prosperous and stable +> neighborhood will reinforce Russia's growing commitment to integration +> into the Euro-Atlantic community. +> +> At the same time, we are realistic about the differences that still +> divide us from Russia and about the time and effort it will take to +> build an enduring strategic partnership. Lingering distrust of our +> motives and policies by key Russian elites slows improvement in our +> relations. Russia's uneven commitment to the basic values of free-market +> democracy and dubious record in combating the proliferation of weapons +> of mass destruction remain matters of great concern. Russia's very +> weakness limits the opportunities for cooperation. Nevertheless, those +> opportunities are vastly greater now than in recent years -- or even +> decades. +> +> The United States has undertaken a transformation in its bilateral +> relationship with India based on a conviction that U.S. interests +> require a strong relationship with India. We are the two largest +> democracies, committed to political freedom protected by representative +> government. India is moving toward greater economic freedom as well. We +> have a common interest in the free flow of commerce, including through +> the vital sea lanes of the Indian Ocean. Finally, we share an interest +> in fighting terrorism and in creating a strategically stable Asia. +> +> Differences remain, including over the development of India's nuclear +> and missile programs, and the pace of India's economic reforms. But +> while in the past these concerns may have dominated our thinking about +> India, today we start with a view of India as a growing world power with +> which we have common strategic interests. Through a strong partnership +> with India, we can best address any differences and shape a dynamic +> future. +> +> The United States relationship with China is an important part of our +> strategy to promote a stable, peaceful, and prosperous Asia-Pacific +> region. We welcome the emergence of a strong, peaceful, and prosperous +> China. The democratic development of China is crucial to that future. +> Yet, a quarter century after beginning the process of shedding the worst +> features of the Communist legacy, China's leaders have not yet made the +> next series of fundamental choices about the character of their state. +> In pursuing advanced military capabilities that can threaten its +> neighbors in the Asia-Pacific region, China is following an outdated +> path that, in the end, will hamper its own pursuit of national +> greatness. In time, China will find that social and political freedom is +> the only source of that greatness. +> +> The United States seeks a constructive relationship with a changing +> China. We already cooperate well where our interests overlap, including +> the current war on terrorism and in promoting stability on the Korean +> peninsula. Likewise, we have coordinated on the future of Afghanistan +> and have initiated a comprehensive dialogue on counter-terrorism and +> similar transitional concerns. Shared health and environmental threats, +> such as the spread of HIV/AIDS, challenge us to promote jointly the +> welfare of our citizens. +> +> Addressing these transnational threats will challenge China to become +> more open with information, promote the development of civil society, +> and enhance individual human rights. China has begun to take the road to +> political openness, permitting many personal freedoms and conducting +> village-level elections, yet remains strongly committed to national +> one-party rule by the Communist Party. To make that nation truly +> accountable to its citizen's needs and aspirations, however, much work +> remains to be done. Only by allowing the Chinese people to think, +> assemble, and worship freely can China reach its full potential. +> +> Our important trade relationship will benefit from China's entry into +> the World Trade Organization, which will create more export +> opportunities and ultimately more jobs for American farmers, workers, +> and companies. China is our fourth largest trading partner, with over +> $100 billion in annual two-way trade. The power of market principles and +> the WTO's requirements for transparency and accountability will advance +> openness and the rule of law in China to help establish basic +> protections for commerce and for citizens. There are, however, other +> areas in which we have profound disagreements. Our commitment to the +> self-defense of Taiwan under the Taiwan Relations Act is one. Human +> rights is another. We expect China to adhere to its nonproliferation +> commitments. We will work to narrow differences where they exist, but +> not allow them to preclude cooperation where we agree. +> +> The events of September 11, 2001, fundamentally changed the context for +> relations between the United States and other main centers of global +> power, and opened vast, new opportunities. With our long-standing allies +> in Europe and Asia, and with leaders in Russia, India, and China, we +> must develop active agendas of cooperation lest these relationships +> become routine and unproductive. +> +> Every agency of the United States Government shares the challenge. We +> can build fruitful habits of consultation, quiet argument, sober +> analysis, and common action. In the long-term, these are the practices +> that will sustain the supremacy of our common principles and keep open +> the path of progress. +> +> IX. Transform America's National Security Institutions to Meet the +> Challenges and Opportunities of the Twenty-First Century +> +> +> "Terrorists attacked a symbol of American prosperity. They did not touch +> its source. America is successful because of the hard work, creativity, +> and enterprise of our people." +> +> +> +> +> +> President Bush +> Washington, D.C. (Joint Session of Congress) +> September 20, 2001 +> +> +> +> The major institutions of American national security were designed in a +> different era to meet different requirements. All of them must be +> transformed. +> +> It is time to reaffirm the essential role of American military strength. +> We must build and maintain our defenses beyond challenge. Our military's +> highest priority is to defend the United States. To do so effectively, +> our military must: +> +> * assure our allies and friends; +> +> * dissuade future military competition; +> +> * deter threats against U.S. interests, allies, and friends; and +> +> * decisively defeat any adversary if deterrence fails. +> +> +> The unparalleled strength of the United States armed forces, and their +> forward presence, have maintained the peace in some of the world's most +> strategically vital regions. However, the threats and enemies we must +> confront have changed, and so must our forces. A military structured to +> deter massive Cold War-era armies must be transformed to focus more on +> how an adversary might fight rather than where and when a war might +> occur. We will channel our energies to overcome a host of operational +> challenges. +> +> The presence of American forces overseas is one of the most profound +> symbols of the U.S. commitments to allies and friends. Through our +> willingness to use force in our own defense and in defense of others, +> the United States demonstrates its resolve to maintain a balance of +> power that favors freedom. To contend with uncertainty and to meet the +> many security challenges we face, the United States will require bases +> and stations within and beyond Western Europe and Northeast Asia, as +> well as temporary access arrangements for the long-distance deployment +> of U.S. forces. +> +> Before the war in Afghanistan, that area was low on the list of major +> planning contingencies. Yet, in a very short time, we had to operate +> across the length and breadth of that remote nation, using every branch +> of the armed forces. We must prepare for more such deployments by +> developing assets such as advanced remote sensing, long-range precision +> strike capabilities, and transformed maneuver and expeditionary forces. +> This broad portfolio of military capabilities must also include the +> ability to defend the homeland, conduct information operations, ensure +> U.S. access to distant theaters, and protect critical U.S. +> infrastructure and assets in outer space. +> +> Innovation within the armed forces will rest on experimentation with new +> approaches to warfare, strengthening joint operations, exploiting U.S. +> intelligence advantages, and taking full advantage of science and +> technology. We must also transform the way the Department of Defense is +> run, especially in financial management and recruitment and retention. +> Finally, while maintaining near-term readiness and the ability to fight +> the war on terrorism, the goal must be to provide the President with a +> wider range of military options to discourage aggression or any form of +> coercion against the United States, our allies, and our friends. +> +> We know from history that deterrence can fail; and we know from +> experience that some enemies cannot be deterred. The United States must +> and will maintain the capability to defeat any attempt by an enemy -- +> whether a state or non-state actor -- to impose its will on the United +> States, our allies, or our friends. We will maintain the forces +> sufficient to support our obligations, and to defend freedom. Our forces +> will be strong enough to dissuade potential adversaries from pursuing a +> military build-up in hopes of surpassing, or equaling, the power of the +> United States. +> +> Intelligence -- and how we use it -- is our first line of defense +> against terrorists and the threat posed by hostile states. Designed +> around the priority of gathering enormous information about a massive, +> fixed object -- the Soviet bloc -- the intelligence community is coping +> with the challenge of following a far more complex and elusive set of +> targets. +> +> We must transform our intelligence capabilities and build new ones to +> keep pace with the nature of these threats. Intelligence must be +> appropriately integrated with our defense and law enforcement systems +> and coordinated with our allies and friends. We need to protect the +> capabilities we have so that we do not arm our enemies with the +> knowledge of how best to surprise us. Those who would harm us also seek +> the benefit of surprise to limit our prevention and response options and +> to maximize injury. +> +> We must strengthen intelligence warning and analysis to provide +> integrated threat assessments for national and homeland security. Since +> the threats inspired by foreign governments and groups may be conducted +> inside the United States, we must also ensure the proper fusion of +> information between intelligence and law enforcement. +> +> Initiatives in this area will include: +> +> * strengthening the authority of the Director of Central Intelligence +> to lead the development and actions of the Nation's foreign intelligence +> capabilities; +> +> * establishing a new framework for intelligence warning that provides +> seamless and integrated warning across the spectrum of threats facing +> the nation and our allies; +> +> * continuing to develop new methods of collecting information to +> sustain our intelligence advantage; +> +> * investing in future capabilities while working to protect them +> through a more vigorous effort to prevent the compromise of intelligence +> capabilities; and +> +> * collecting intelligence against the terrorist danger across the +> government with all-source analysis. +> +> +> As the United States Government relies on the armed forces to defend +> America's interests, it must rely on diplomacy to interact with other +> nations. We will ensure that the Department of State receives funding +> sufficient to ensure the success of American diplomacy. The State +> Department takes the lead in managing our bilateral relationships with +> other governments. And in this new era, its people and institutions must +> be able to interact equally adroitly with non-governmental organizations +> and international institutions. Officials trained mainly in +> international politics must also extend their reach to understand +> complex issues of domestic governance around the world, including public +> health, education, law enforcement, the judiciary, and public diplomacy. +> +> Our diplomats serve at the front line of complex negotiations, civil +> wars, and other humanitarian catastrophes. As humanitarian relief +> requirements are better understood, we must also be able to help build +> police forces, court systems, and legal codes, local and provincial +> government institutions, and electoral systems. Effective international +> cooperation is needed to accomplish these goals, backed by American +> readiness to play our part. +> +> Just as our diplomatic institutions must adapt so that we can reach out +> to others, we also need a different and more comprehensive approach to +> public information efforts that can help people around the world learn +> about and understand America. The war on terrorism is not a clash of +> civilizations. It does, however, reveal the clash inside a civilization, +> a battle for the future of the Muslim world. This is a struggle of ideas +> and this is an area where America must excel. +> +> We will take the actions necessary to ensure that our efforts to meet +> our global security commitments and protect Americans are not impaired +> by the potential for investigations, inquiry, or prosecution by the +> International Criminal Court (ICC), whose jurisdiction does not extend +> to Americans and which we do not accept. We will work together with +> other nations to avoid complications in our military operations and +> cooperation, through such mechanisms as multilateral and bilateral +> agreements that will protect U.S. nationals from the ICC. We will +> implement fully the American Servicemembers Protection Act, whose +> provisions are intended to ensure and enhance the protection of U.S. +> personnel and officials. +> +> We will make hard choices in the coming year and beyond to ensure the +> right level and allocation of government spending on national security. +> The United States Government must strengthen its defenses to win this +> war. At home, our most important priority is to protect the homeland for +> the American people. +> +> Today, the distinction between domestic and foreign affairs is +> diminishing. In a globalized world, events beyond America's borders have +> a greater impact inside them. Our society must be open to people, ideas, +> and goods from across the globe. The characteristics we most cherish -- +> our freedom, our cities, our systems of movement, and modern life -- are +> vulnerable to terrorism. This vulnerability will persist long after we +> bring to justice those responsible for the September eleventh attacks. +> As time passes, individuals may gain access to means of destruction that +> until now could be wielded only by armies, fleets, and squadrons. This +> is a new condition of life. We will adjust to it and thrive -- in spite +> of it. +> +> In exercising our leadership, we will respect the values, judgment, and +> interests of our friends and partners. Still, we will be prepared to act +> apart when our interests and unique responsibilities require. When we +> disagree on particulars, we will explain forthrightly the grounds for +> our concerns and strive to forge viable alternatives. We will not allow +> such disagreements to obscure our determination to secure together, with +> our allies and our friends, our shared fundamental interests and values. +> +> Ultimately, the foundation of American strength is at home. It is in the +> skills of our people, the dynamism of our economy, and the resilience of +> our institutions. A diverse, modern society has inherent, ambitious, +> entrepreneurial energy. Our strength comes from what we do with that +> energy. That is where our national security begins. +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0738.1a5a2f7c0b47ed1c9f7038706e7d5d01 b/machine-learning-ex6/ex6/easy_ham/0738.1a5a2f7c0b47ed1c9f7038706e7d5d01 new file mode 100644 index 0000000..f9065f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0738.1a5a2f7c0b47ed1c9f7038706e7d5d01 @@ -0,0 +1,119 @@ +From fork-admin@xent.com Sat Sep 21 10:43:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4FDC116F16 + for ; Sat, 21 Sep 2002 10:43:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L5XnC10483 for ; + Sat, 21 Sep 2002 06:33:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 201F1294182; Fri, 20 Sep 2002 22:30:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav76.law15.hotmail.com [64.4.22.211]) by + xent.com (Postfix) with ESMTP id 7F18429409C for ; + Fri, 20 Sep 2002 22:29:58 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 20 Sep 2002 22:33:28 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Senate Committee Passes Nanotech Bill +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 05:33:28.0761 (UTC) FILETIME=[6A2F6290:01C26130] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 22:38:08 -0700 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Weird... I never thought the govmint would get into funding this. You know +'weapons of mass destruction'. etc. etc. + +== +http://dc.internet.com/news/article.php/10849_1467121 + +September 20, 2002 +Senate Committee Passes Nanotech Bill +By Roy Mark + +The Senate Commerce Committee unanimously passed on Thursday legislation to +promote nanotechnology research and development. Introduced by Sen. Ron +Wyden (D-Ore.), the 21st Century Nanotechnology Research and Development Act +would create the National Nanotechnology Research Program. The bill is +co-sponsored by Sen. Joe Lieberman (D-Conn.) and Sen. George Allen (R-Va.). + +The proposed program would be a coordinated interagency effort that would +support long-term nanoscale research and development and promote effective +education and training for the next generation of nanotechnology researchers +and professionals. + +"The unanimous support of the Senate Commerce Committee is a very big step +forward for this very small technology," Lieberman, who vowed to pushed to +full Senate passage before the end of the year, said. "Nowhere in the world +are the wheels of innovation spinning more rapidly than in the realm of +nanotechnology. The U.S. certainly possesses the raw resources and talent to +lead the world in developing this technology. Our legislation will provide +the nation with a long-term focus and sustained commitment, and facilitate +new collaborations between government, academia, and industry that will +ensure our place at the head of the next wave of innovation." + +The bill would place coordination and management of the nanotechnology +program under the National Science and Technology Council. It would also +create a Presidential National Nanotechnology Advisory Panel and National +Nanotechnology Coordination Office, which would provide administrative and +technical support for the Advisory Panel and the Council. + +"My own judgment is the nanotechnology revolution has the potential to +change America on a scale equal to, if not greater than, the computer +revolution. I am determined that the United States will not miss, but will +mine the opportunities of nanotechnology," Wyden said in introducing the +bill. "At present, efforts in the nanotechnology field are strewn across a +half-dozen federal agencies. I want America to marshal its various +nanotechnology efforts into one driving force to remain the world's leader +in this burgeoning field. And I believe federal support is essential to +achieving that goal. + +To study the potential long-term effects of nanotechnology, a new Center for +Societal, Ethical, Educational, Legal and Workforce Issues Related to +Nanotechnology would also be established. + +According to Lieberman, the bill closely tracks the recommendations of the +National Research Council (NRC), which completed a thorough review of the +National Nanotechnology Initiative in June. + +Those recommendations included establishing an independent advisory panel; +emphasizing long-term goals; striking a balance between long-term and +short-term research; supporting the development of research facilities, +equipment and instrumentation; creating special funding to support research +that falls in the breach between agency missions and programs; promoting +interdisciplinary research and research groups; facilitating technology +transition and outreach to industry; conducting studies on the societal +implications of nanotechnology, including those related to ethical, +educational, legal and workforce issues; and the development of metrics for +measuring progress toward program goals. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0739.88b6bb31404ad7f4802e4002d4e6ad66 b/machine-learning-ex6/ex6/easy_ham/0739.88b6bb31404ad7f4802e4002d4e6ad66 new file mode 100644 index 0000000..59287b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0739.88b6bb31404ad7f4802e4002d4e6ad66 @@ -0,0 +1,103 @@ +From fork-admin@xent.com Sat Sep 21 10:43:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 42C7B16F03 + for ; Sat, 21 Sep 2002 10:43:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L5dvC10671 for ; + Sat, 21 Sep 2002 06:39:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F17B6294183; Fri, 20 Sep 2002 22:36:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav27.law15.hotmail.com [64.4.22.84]) by + xent.com (Postfix) with ESMTP id B5DB129409C for ; + Fri, 20 Sep 2002 22:35:22 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 20 Sep 2002 22:38:34 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Sun Nabs Storage Startup - buys Pirus Networks +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 05:38:34.0023 (UTC) FILETIME=[2022AB70:01C26131] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 22:43:14 -0700 +X-Spam-Status: No, hits=-2.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,US_DOLLARS_2 + version=2.50-cvs +X-Spam-Level: + + +Related to the MS acquisition of XDegrees? + +== +http://www.internetnews.com/infra/article.php/1466271 + +Sun Nabs Storage Startup +By Clint Boulton +Amid the flurry of news at its own SunNetwork 2002 conference in San +Francisco, Sun Microsystems Thursday said it has agreed to purchase data +storage concern Pirus Networks for an undisclosed amount of stock. + +The Palo Alto, Calif. networking firm bought the Acton, Mass.-based startup +with a keen eye for the startup's switching (define) devices and +virtualization technology. Used as part of a storage area network (define), +virtualization is the pooling of storage from many network storage devices +into what appears to the operating system to be a single storage device that +is managed from a central console. + +Though major vendors make similar technology, Pirus competes with the likes +of Rhapsody Networks and Confluence Networks. Sun plucked Pirus after +scouting some 65 companies. + +Mark Lovington, vice president of marketing for Pirus, told internetnews.com +that Pirus and Sun have been in discussion for a while about a possible +acquisition. Pirus, he said, succeeded in a goal it shares with a lot of +storage startups -- to be acquired by one of the major systems vendors, such +as Sun IBM, HP, Hitachi. + +"This is a huge opportunity for Pirus in a storage market dominated by 6,7 +or 8 system-level players," Lovington said. "Sun sees this acquisition as a +critical element to their N1 initiative. The synergies were quite obvious." + +N1 is Sun's hopeful tour de force in distributed computing (define) +architecture, which involves multiple, remote computers that each have a +role in a computation problem or information processing. N1 is being styled +as the answer for companies looking to manage groups of computers and +networks as a single system -- at a lower cost and with greater flexibility. + +While lagging behind other, more entrenched players, Sun is gaining ground +in the storage market with its Sun StorEdge Complete Storage Solutions, +according to a new report by IDC. John McArthur, group vice president of +IDC's Storage program, said Sun Microsystems and IBM posted the largest +increases in total storage revenue over Q1 2002, with 32% and 11% gains, +respectively. As of Q2, Sun held a 9 percent market share, with revenues of +$411 million. + +Sun's acquisition of Pirus is expected to close in the second quarter of +Sun's 2003 fiscal year, which ends December 29, 2002. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0740.fb7c09644e29a443a4effe8ad0ccfa2a b/machine-learning-ex6/ex6/easy_ham/0740.fb7c09644e29a443a4effe8ad0ccfa2a new file mode 100644 index 0000000..47ef993 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0740.fb7c09644e29a443a4effe8ad0ccfa2a @@ -0,0 +1,59 @@ +From fork-admin@xent.com Sat Sep 21 10:43:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F3E116F03 + for ; Sat, 21 Sep 2002 10:43:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L68oC11240 for ; + Sat, 21 Sep 2002 07:08:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7AA5329418A; Fri, 20 Sep 2002 23:05:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 53CF229409C for ; Fri, + 20 Sep 2002 23:04:35 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 6FCD43ECD9; + Sat, 21 Sep 2002 02:12:25 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 6E35C3EC10; Sat, 21 Sep 2002 02:12:25 -0400 (EDT) +From: Tom +To: "Mr. FoRK" +Cc: fork@example.com +Subject: SunMSapple meta4 of the day +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 02:12:25 -0400 (EDT) +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Im feeling a bit farklempt having spent the night at Todais with the +family so talk amongst yourself..here Ill give you a topic + +The current state of IT can be thought of in terms of the Cold war with +the US and the UUSR being MS and Sun/IBM/OSS (does it matter which side +is which?), Apple as Cuba and the US legal system as the UN. + +Discuss. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0741.4a16993a679f825b18b571c6356fbcb9 b/machine-learning-ex6/ex6/easy_ham/0741.4a16993a679f825b18b571c6356fbcb9 new file mode 100644 index 0000000..9affe6a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0741.4a16993a679f825b18b571c6356fbcb9 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Sat Sep 21 10:43:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 761B016F03 + for ; Sat, 21 Sep 2002 10:43:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:22 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L6KmC11592 for ; + Sat, 21 Sep 2002 07:20:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C8A0829418D; Fri, 20 Sep 2002 23:17:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 0550D29409C for + ; Fri, 20 Sep 2002 23:16:33 -0700 (PDT) +Received: (qmail 9790 invoked by uid 501); 21 Sep 2002 06:19:53 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 21 Sep 2002 06:19:53 -0000 +From: CDale +To: fork@example.com +Subject: AmeriCorpsVISTA +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 01:19:53 -0500 (CDT) +X-Spam-Status: No, hits=-6.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +The pay's not good (9,300 a year), but there is insurance, a 4,700 (I +think) off a student loan, or for future education, and non-compete status +for any govt. job after a year's service. I moved to New Orleans +yesterday, and I should be flying to DC in about a month to start the +AmeriCorps training. I'll be setting up a community technology center which +will be used to teach computer literacy skills to low income folks (just, +like, learning MS shit (yeah yeah, wtf am i doing? I know.)) so that +they can possibly find better jobs. I'm sure I'll be doing all sorts +of other things too, like helping folks with their taxes, writing grants, +etc. The website is www.americorps.org. There are -all- sorts of jobs +all over the country, so if someone out there can survive on the small +salary, it's something s/he might want to take a look at. + +Since Xi is in college and getting grants + scholarship + child support +from dad, my load has gone down terrifically. The IRS is after me for +money I didn't make on the stock market, so it's a way to at least get +into a situation where they will have to understand that yes, they will +have to wait. + +But bottom line benefit and motivation is the feelgood that ya get when +you do this type of job. I'm up for some of that. +Cindy + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0742.65f3bb623bd6a6e49a9d1e0f9ee66279 b/machine-learning-ex6/ex6/easy_ham/0742.65f3bb623bd6a6e49a9d1e0f9ee66279 new file mode 100644 index 0000000..6f33075 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0742.65f3bb623bd6a6e49a9d1e0f9ee66279 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Sat Sep 21 10:43:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2CD6B16F03 + for ; Sat, 21 Sep 2002 10:43:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L8BnC15006 for ; + Sat, 21 Sep 2002 09:11:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D0A912940CA; Sat, 21 Sep 2002 01:08:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp10.atl.mindspring.net (smtp10.atl.mindspring.net + [207.69.200.246]) by xent.com (Postfix) with ESMTP id 801AB29409C for + ; Sat, 21 Sep 2002 01:07:18 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + smtp10.atl.mindspring.net with esmtp (Exim 3.33 #1) id 17sfLg-0004Pk-00; + Sat, 21 Sep 2002 04:10:44 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + +To: "Mr. FoRK" , +From: "R. A. Hettinga" +Subject: Re: sed /s/United States/Roman Empire/g +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 04:03:36 -0400 +X-Spam-Status: No, hits=-5.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 9:34 PM -0700 on 9/20/02, Mr. FoRK wrote: + + +> "Free trade and free markets have proven their ability to lift whole +> societies out of poverty" +> I'm not a socio-political/history buff - does anybody have some clear +> examples? + +You're probably living in one, or you wouldn't be able to post here. + +;-). + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0743.11737315524334fda4487c948caab0a0 b/machine-learning-ex6/ex6/easy_ham/0743.11737315524334fda4487c948caab0a0 new file mode 100644 index 0000000..0fc7380 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0743.11737315524334fda4487c948caab0a0 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Sat Sep 21 10:43:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 824F616F03 + for ; Sat, 21 Sep 2002 10:43:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:43:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8L91mC16323 for ; + Sat, 21 Sep 2002 10:01:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A19929417F; Sat, 21 Sep 2002 01:58:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id CFD3D29409C for ; Sat, + 21 Sep 2002 01:57:11 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id DFDB23ECF9; + Sat, 21 Sep 2002 05:05:09 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id DE6593EC9F; Sat, 21 Sep 2002 05:05:09 -0400 (EDT) +From: Tom +To: "R. A. Hettinga" +Cc: "Mr. FoRK" , +Subject: Re: sed /s/United States/Roman Empire/g +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 05:05:09 -0400 (EDT) +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +It was the best of times, it was the worst of times, +it was the age of wisdom, it was the age of foolishness, +it was the epoch of belief, it was the epoch of incredulity, +it was the season of Light, it was the season of Darkness, +it was the spring of hope, it was the winter of despair, +we had everything before us, we had nothing before us, +we were all going direct to Heaven, we were all going direct the other way +---C Dickens + +G'Quon Wrote "There is a greater darkness than the one we fight. It is the +darkness of the soul that has lost its way." The war we fight is not +against powers and principalities - it is against chaos and despair. +Greater than the death of flesh is the death of hope, the death of +dreams. Against this peril we can never surrender. The future is all +around us, waiting in moments of transition, to be born in moments of +revelation. No one knows the shape of that future, or where it will take +us. We know only that it is always born in pain. +--JWS + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0744.8148cbab42e9b5a4f31f22017b3eccc4 b/machine-learning-ex6/ex6/easy_ham/0744.8148cbab42e9b5a4f31f22017b3eccc4 new file mode 100644 index 0000000..8edb1b8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0744.8148cbab42e9b5a4f31f22017b3eccc4 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Sat Sep 21 15:19:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 52E3116F03 + for ; Sat, 21 Sep 2002 15:19:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 15:19:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LDdnC23421 for ; + Sat, 21 Sep 2002 14:39:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B3039294184; Sat, 21 Sep 2002 06:36:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc03.attbi.com (sccrmhc03.attbi.com [204.127.202.63]) + by xent.com (Postfix) with ESMTP id 528C629409C for ; + Sat, 21 Sep 2002 06:35:35 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc03.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020921133906.LKWQ28420.sccrmhc03.attbi.com@[24.61.113.164]> for + ; Sat, 21 Sep 2002 13:39:06 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <1204837300.20020921093852@magnesium.net> +To: fork@example.com +Subject: Oh my... +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 09:38:52 -0400 +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,SIGNATURE_SHORT_DENSE, + T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + +Hello fork, + + So they have Aaron Schwartz on NPR's Weekend Edition talking + about Warchalking. I'll agree, its funny, his voice is squeaky and + I'm jealous that he got on radio and I didn't... + + But really, WTF is the big deal about warchalking? I have yet to + see any of it, anywhere. + + LInk will probably pop up on www.npr.org later today. + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0745.3e54df3c4f199b6b8aed76eefd11c660 b/machine-learning-ex6/ex6/easy_ham/0745.3e54df3c4f199b6b8aed76eefd11c660 new file mode 100644 index 0000000..2e63d8b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0745.3e54df3c4f199b6b8aed76eefd11c660 @@ -0,0 +1,92 @@ +From fork-admin@xent.com Sat Sep 21 15:19:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D4B3716F03 + for ; Sat, 21 Sep 2002 15:19:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 15:19:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LDsmC23911 for ; + Sat, 21 Sep 2002 14:54:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7F7AA294185; Sat, 21 Sep 2002 06:51:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc02.attbi.com (sccrmhc02.attbi.com [204.127.202.62]) + by xent.com (Postfix) with ESMTP id 4239429409C for ; + Sat, 21 Sep 2002 06:50:41 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc02.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020921135412.IQRU14454.sccrmhc02.attbi.com@[24.61.113.164]>; + Sat, 21 Sep 2002 13:54:12 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <0205743092.20020921095358@magnesium.net> +To: Chris Olds +Cc: fork@example.com +Subject: Re[2]: Oh my... +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 09:53:58 -0400 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE,T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + +Hello Chris, + +Oh I don't know, Time-lag synchrocity? + +Or mutual shared experience over time? +:) + +Its like 930 am..I can't function yet. Lord knows its 630 where you +are. + +I say this should be a FoRK Posit. + + +CO> Scary. I was just listening to the radio (stream, from KUOW), and heard +CO> the story just moments ago. + +CO> We're on opposite sides of the continent, yet we appear to have just had a +CO> shared experience. There should be a name for that... + +CO> Cheers - + +CO> /cco + +CO> On Sat, 21 Sep 2002 bitbitch@magnesium.net wrote: +>> +>> So they have Aaron Schwartz on NPR's Weekend Edition talking +>> about Warchalking. I'll agree, its funny, his voice is squeaky and +>> I'm jealous that he got on radio and I didn't... + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0746.eb20a810f43c9bd9663c0da5e553ccc4 b/machine-learning-ex6/ex6/easy_ham/0746.eb20a810f43c9bd9663c0da5e553ccc4 new file mode 100644 index 0000000..cff72bd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0746.eb20a810f43c9bd9663c0da5e553ccc4 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Sat Sep 21 20:22:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AD09C16F03 + for ; Sat, 21 Sep 2002 20:21:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:21:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LEVuC24942 for ; + Sat, 21 Sep 2002 15:31:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7E63F294189; Sat, 21 Sep 2002 07:28:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id B6EA829409C for ; + Sat, 21 Sep 2002 07:27:07 -0700 (PDT) +Received: (qmail 11884 invoked from network); 21 Sep 2002 14:30:44 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 21 Sep 2002 14:30:44 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id A5A041C2C4; + Sat, 21 Sep 2002 10:30:37 -0400 (EDT) +To: "Mr. FoRK" +Cc: +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 21 Sep 2002 10:30:37 -0400 +X-Spam-Status: No, hits=-4.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + +>>>>> "f" == fork list writes: + + f> "Free trade and free markets have proven their ability to lift + f> whole societies out of poverty" I'm not a + f> socio-political/history buff - does anybody have some clear + f> examples? + +China? Ooops, no wait, scratch that. + +There is one counter example that I can think of, but it may not be +precisely "free trade/markets" -- when Ben Franklin first visited +England he was asked why the colonies were so prosperous. Ben +explained that they used "Colonial Script", a kind of barter-dollar, +and increasing the supply of script ensured complete employment. The +British bankers were furious and immediately lobbied parliament to +clamp down on the practice. Within a few years, the colonies were +rife with unemployment and poverty just like the rest of the Empire. + +According to questionable literature handed out by a fringe political +party here in Canada, the Founding Fathers had no real complaint about +tea taxes, it was the banning of colonial script they were +protesting. If this is true, then it comes right back to the forces +that killed Ned Ludd's followers as to why popular opinion believes +they were protesting a tea tax. The same pamphlet claimed that Canada +was also a prosperous nation until, by an act of parliament in the +late-50's or early 60's, the right to print money was removed from the +juristiction of parliament and handed over to the Bank of Canada. + +I've wondered about all this. Certainly the timeline of the collapse +of the Canadian economy fits the profile, but there are oodles of +other causes (for example, spending money like we had 300M people when +we only had 20M) Anyone have any further information on this? + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0747.0ae2c1995e3f8c30bd2f69a5e51196ba b/machine-learning-ex6/ex6/easy_ham/0747.0ae2c1995e3f8c30bd2f69a5e51196ba new file mode 100644 index 0000000..d644c12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0747.0ae2c1995e3f8c30bd2f69a5e51196ba @@ -0,0 +1,78 @@ +From fork-admin@xent.com Sat Sep 21 20:22:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B2F5516F03 + for ; Sat, 21 Sep 2002 20:22:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:22:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LEatC24979 for ; + Sat, 21 Sep 2002 15:36:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DB956294191; Sat, 21 Sep 2002 07:29:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 5A0AD29418F for ; + Sat, 21 Sep 2002 07:28:44 -0700 (PDT) +Received: (qmail 12362 invoked from network); 21 Sep 2002 14:32:21 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 21 Sep 2002 14:32:21 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 9679B1C2C4; + Sat, 21 Sep 2002 10:32:14 -0400 (EDT) +To: "R. A. Hettinga" +Cc: "Mr. FoRK" , +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 21 Sep 2002 10:32:14 -0400 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + +>>>>> "R" == R A Hettinga writes: + + R> At 9:34 PM -0700 on 9/20/02, Mr. FoRK wrote: + >> "Free trade and free markets have proven their ability to lift + >> whole societies out of poverty" I'm not a + >> socio-political/history buff - does anybody have some clear + >> examples? + + R> You're probably living in one, or you wouldn't be able to post + R> here. + +Cool --- I wasn't aware that the US had lifted it's population out of +poverty! When did this happen? I wonder where the media gets the +idea that the wealth gap is widening and deepening... + + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0748.b144313155aeba13b5eda936e120daae b/machine-learning-ex6/ex6/easy_ham/0748.b144313155aeba13b5eda936e120daae new file mode 100644 index 0000000..b034cd7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0748.b144313155aeba13b5eda936e120daae @@ -0,0 +1,126 @@ +From fork-admin@xent.com Sat Sep 21 20:22:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0803616F03 + for ; Sat, 21 Sep 2002 20:22:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:22:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LIKsC31138 for ; + Sat, 21 Sep 2002 19:20:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 93A1229418E; Sat, 21 Sep 2002 11:17:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id BF0E029409C for + ; Sat, 21 Sep 2002 11:16:16 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17soqA-0006V3-00; + Sat, 21 Sep 2002 14:18:50 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + +To: Gary Lawrence Murphy +From: "R. A. Hettinga" +Subject: Re: sed /s/United States/Roman Empire/g +Cc: "Mr. FoRK" , , + Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 14:18:29 -0400 +X-Spam-Status: No, hits=-5.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE,T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +At 10:32 AM -0400 on 9/21/02, Gary Lawrence Murphy wrote: + + +> Cool --- I wasn't aware that the US had lifted it's population out +> of poverty! When did this happen? I wonder where the media gets the +> idea that the wealth gap is widening and deepening... + +All the world loves a smartass... + +:-). + +Seriously. Look at he life expectancy and human carrying capacity of +this continent before the Europeans got here. Look at it now. Even +for descendants of the original inhabitants. Even for the descendents +of slaves, who were brought here by force. + +More stuff, cheaper. That's progress. + +Poverty, of course, is not relative. It's absolute. Disparity in +wealth has nothing to do with it. + +It's like saying that groups have rights, when, in truth, only +individuals do. Like group rights, "disparity" in wealth is +statistical sophistry. + + +Besides, even if you can't help the distribution, industrial wealth +is almost always transitory, and so is relative poverty, even when +there are no confiscatory death-taxes. The 20th anniversary Forbes +400 just came out, and only a few tens of people are still there +since 1982, a time which had significantly higher marginal taxes on +wealth, income, and inheritance than we do now. More to the point, +they're nowhere near the top. + +I'll take those odds. It is only when neofeudalism reasserts itself, +in the form of government regulation, confiscatory taxes, legislated +monopoly, corporate welfare, "non-profit" neoaristocratic tax dodges, +and legalized labor extortion that we get slowdowns in progress, like +what happened in Fabian-era Britain, or 1970's USA. + +In fact, it is in countries where wealth is the most "unfairly" +distributed, that you get the most improvement in the general -- +economic -- welfare. More stuff cheaper, fewer people dying, more +people living longer. + +I'll take those odds as well. People take greater risks when the +returns are higher, improving the lot of us all as a result. + +Cheers, +RAH + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPYy3ysPxH8jf3ohaEQLqNQCg14YvF8NVYwKiRrghHdisBoNCOn8AoPcR +QUzorXeaLe5h3T1syKl7DFNT +=9kff +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0749.63721d934e13093d300263cb31da380b b/machine-learning-ex6/ex6/easy_ham/0749.63721d934e13093d300263cb31da380b new file mode 100644 index 0000000..e0cdeda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0749.63721d934e13093d300263cb31da380b @@ -0,0 +1,68 @@ +From fork-admin@xent.com Sat Sep 21 20:22:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CDAC616F16 + for ; Sat, 21 Sep 2002 20:22:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:22:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LJ2nC32521 for ; + Sat, 21 Sep 2002 20:02:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B4A9C29409C; Sat, 21 Sep 2002 11:59:06 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav31.law15.hotmail.com [64.4.22.88]) by + xent.com (Postfix) with ESMTP id 28B5129409A for ; + Sat, 21 Sep 2002 11:58:38 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 12:02:10 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <000d01c2613a$5f9b35c0$0200a8c0@JMHALL> +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 19:02:10.0398 (UTC) FILETIME=[63559FE0:01C261A1] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 12:06:52 -0700 +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "John Hall" + + +> Take a list of the richest countries. +> +> Take a list of the countries that have the counties where markets are +> the most free. +> +> They are, essentially, the same list. +Umm... how many of these countries were in poverty & lifted themselves up +after switching? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0750.afa51a5a148c9744496447cf28d7483c b/machine-learning-ex6/ex6/easy_ham/0750.afa51a5a148c9744496447cf28d7483c new file mode 100644 index 0000000..47035f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0750.afa51a5a148c9744496447cf28d7483c @@ -0,0 +1,72 @@ +From fork-admin@xent.com Sat Sep 21 20:22:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4294916F03 + for ; Sat, 21 Sep 2002 20:22:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:22:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LJ7cC32677 for ; + Sat, 21 Sep 2002 20:07:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4F4B6294197; Sat, 21 Sep 2002 12:00:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav28.law15.hotmail.com [64.4.22.85]) by + xent.com (Postfix) with ESMTP id 789A5294195 for ; + Sat, 21 Sep 2002 11:59:42 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 12:03:14 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: , "R. A. Hettinga" +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 19:03:14.0886 (UTC) FILETIME=[89C5B660:01C261A1] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 12:07:57 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "R. A. Hettinga" +> +> +> > "Free trade and free markets have proven their ability to lift whole +> > societies out of poverty" +> > I'm not a socio-political/history buff - does anybody have some clear +> > examples? +> +> You're probably living in one, or you wouldn't be able to post here. +> +When was the whole US society in poverty & was that before free trade & free +markets? +I'm looking for transitions due to free xyz. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0751.58282452f1adc8ad703ddc4cf12c2e37 b/machine-learning-ex6/ex6/easy_ham/0751.58282452f1adc8ad703ddc4cf12c2e37 new file mode 100644 index 0000000..69971f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0751.58282452f1adc8ad703ddc4cf12c2e37 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Sat Sep 21 20:22:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A1B8916F03 + for ; Sat, 21 Sep 2002 20:22:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 20:22:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LJDoC00461 for ; + Sat, 21 Sep 2002 20:13:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A02B92941BC; Sat, 21 Sep 2002 12:10:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav53.law15.hotmail.com [64.4.22.46]) by + xent.com (Postfix) with ESMTP id BADAD294192 for ; + Sat, 21 Sep 2002 12:09:18 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 12:12:51 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + + +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 21 Sep 2002 19:12:51.0172 (UTC) FILETIME=[E143FA40:01C261A2] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 12:17:33 -0700 +X-Spam-Status: No, hits=-2.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_FROM_HAS_ALPHAS + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "R. A. Hettinga" + +> +> Seriously. Look at he life expectancy and human carrying capacity of +> this continent before the Europeans got here. Look at it now. Even +> for descendants of the original inhabitants. Even for the descendents +> of slaves, who were brought here by force. +I wouldn't say that the societies of humans here before European occupancy +was 'lifted' by free xyz. Perhaps 'replaced' or 'sunk' or some other +description, but not 'lifted'. Also, the lifestyle of the remnants of those +societies is on average only marginally above poverty even today. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0752.17c76022e66852f8a3cff5745f5937d4 b/machine-learning-ex6/ex6/easy_ham/0752.17c76022e66852f8a3cff5745f5937d4 new file mode 100644 index 0000000..736070b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0752.17c76022e66852f8a3cff5745f5937d4 @@ -0,0 +1,93 @@ +From fork-admin@xent.com Sun Sep 22 00:25:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AB34216F03 + for ; Sun, 22 Sep 2002 00:25:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:25:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8LNHxC08760 for ; + Sun, 22 Sep 2002 00:17:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B99282940D7; Sat, 21 Sep 2002 16:14:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id 80A4A2940CD for ; Sat, + 21 Sep 2002 16:13:03 -0700 (PDT) +Received: from endeavors.com ([66.161.8.83] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Sat, + 21 Sep 2002 16:14:43 -0700 +Message-Id: <3D8CFD5E.10406@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: bitbitch@magnesium.net +Cc: fork@example.com +Subject: Re: Oh my... +References: <1204837300.20020921093852@magnesium.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Originalarrivaltime: 21 Sep 2002 23:14:43.0702 (UTC) FILETIME=[AB685160:01C261C4] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 16:14:38 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_FROM_HAS_ALPHAS,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +I went out and drew some chalk circles on my +sidewalk just so I wouldn't miss out on the experience. +I've collected half a dozen passwords & +access to email accounts so far. + +Greg + +bitbitch@magnesium.net wrote: +> Hello fork, +> +> So they have Aaron Schwartz on NPR's Weekend Edition talking +> about Warchalking. I'll agree, its funny, his voice is squeaky and +> I'm jealous that he got on radio and I didn't... +> +> But really, WTF is the big deal about warchalking? I have yet to +> see any of it, anywhere. +> +> LInk will probably pop up on www.npr.org later today. +> +> +> + + +-- +Gregory Alan Bolcer, CTO | work: +1.949.833.2800 +gbolcer at endeavors.com | http://endeavors.com +Endeavors Technology, Inc.| cell: +1.714.928.5476 + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0753.45965735008c580a773f99eada080a27 b/machine-learning-ex6/ex6/easy_ham/0753.45965735008c580a773f99eada080a27 new file mode 100644 index 0000000..3cf1d77 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0753.45965735008c580a773f99eada080a27 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Sun Sep 22 14:11:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 013C316F03 + for ; Sun, 22 Sep 2002 14:11:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M1hpC16146 for ; + Sun, 22 Sep 2002 02:43:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 847482940AE; Sat, 21 Sep 2002 18:40:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from pimout2-ext.prodigy.net (pimout2-ext.prodigy.net + [207.115.63.101]) by xent.com (Postfix) with ESMTP id 7116929409A for + ; Sat, 21 Sep 2002 18:39:52 -0700 (PDT) +Received: from MAX (adsl-66-122-60-240.dsl.sntc01.pacbell.net + [66.122.60.240]) by pimout2-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) + with ESMTP id g8M1hGI7171706 for ; Sat, 21 Sep 2002 + 21:43:25 -0400 +From: "Max Dunn" +To: +Subject: RE: sed /s/United States/Roman Empire/g +Message-Id: <000101c261d9$6ef54340$6401a8c0@MAX> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 18:43:16 -0700 +X-Spam-Status: No, hits=-1.0 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +> As I've said before, American +> Indian Reservations are quite +> possibly the only place on the +> planet where you can find trailer +> park shantytowns where every +> household is bringing in a +> six-figure income. I wish I +> could be exploited like that. + +Like what, like the rare exception case you've raised or like the "on +average" case mentioned in the post you were replying to? + +Max + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0754.3228129a4d3d1cd84b1577670488e72a b/machine-learning-ex6/ex6/easy_ham/0754.3228129a4d3d1cd84b1577670488e72a new file mode 100644 index 0000000..26d354a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0754.3228129a4d3d1cd84b1577670488e72a @@ -0,0 +1,67 @@ +From fork-admin@xent.com Sun Sep 22 14:11:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6A2B316F03 + for ; Sun, 22 Sep 2002 14:11:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M21pC16617 for ; + Sun, 22 Sep 2002 03:01:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A135129418C; Sat, 21 Sep 2002 18:58:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav27.law15.hotmail.com [64.4.22.84]) by + xent.com (Postfix) with ESMTP id 5DBC829409A for ; + Sat, 21 Sep 2002 18:57:11 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 19:00:44 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: <1204837300.20020921093852@magnesium.net> + <3D8CFD5E.10406@endeavors.com> +Subject: Re: Oh my... +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 22 Sep 2002 02:00:44.0516 (UTC) FILETIME=[DC83EA40:01C261DB] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 19:05:28 -0700 +X-Spam-Status: No, hits=-2.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Gregory Alan Bolcer" + + +> I went out and drew some chalk circles on my +> sidewalk just so I wouldn't miss out on the experience. +> I've collected half a dozen passwords & +> access to email accounts so far. +> +> Greg +hahaha! It takes a thief to catch a thief? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0755.c0a93a818f6d7b78583dfecb6a2a5ea9 b/machine-learning-ex6/ex6/easy_ham/0755.c0a93a818f6d7b78583dfecb6a2a5ea9 new file mode 100644 index 0000000..90df49a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0755.c0a93a818f6d7b78583dfecb6a2a5ea9 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Sun Sep 22 14:11:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D339216F03 + for ; Sun, 22 Sep 2002 14:11:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M26qC16756 for ; + Sun, 22 Sep 2002 03:06:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BC5A72941CF; Sat, 21 Sep 2002 19:03:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav75.law15.hotmail.com [64.4.22.210]) by + xent.com (Postfix) with ESMTP id 5A9A02941CE for ; + Sat, 21 Sep 2002 19:02:22 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 19:05:55 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 22 Sep 2002 02:05:55.0838 (UTC) FILETIME=[9613E1E0:01C261DC] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 19:10:40 -0700 +X-Spam-Status: No, hits=-2.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +----- Original Message ----- +From: "James Rogers" + +> As I've said before, American +> Indian Reservations are quite possibly the only place on the planet where +> you can find trailer park shantytowns where every household is bringing in +a +> six-figure income. I wish I could be exploited like that. +Got bits? +(and I bet you probably /are/ being exploited, but you just don't know by +whom...) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0756.9c7d7bcc51790af9b83192fe8d7f1f85 b/machine-learning-ex6/ex6/easy_ham/0756.9c7d7bcc51790af9b83192fe8d7f1f85 new file mode 100644 index 0000000..d186429 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0756.9c7d7bcc51790af9b83192fe8d7f1f85 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Sun Sep 22 14:11:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 47FC516F03 + for ; Sun, 22 Sep 2002 14:11:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M2CJC16977 for ; + Sun, 22 Sep 2002 03:12:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3294B2941D3; Sat, 21 Sep 2002 19:06:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav42.law15.hotmail.com [64.4.22.100]) by + xent.com (Postfix) with ESMTP id D6A6D2941D2 for ; + Sat, 21 Sep 2002 19:05:34 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 19:09:08 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: +Subject: Re: sed /s/United States/Roman Empire/g +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 22 Sep 2002 02:09:08.0308 (UTC) FILETIME=[08CC7940:01C261DD] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 19:13:52 -0700 +X-Spam-Status: No, hits=-2.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "James Rogers" + +> As I've said before, American +> Indian Reservations are quite possibly the only place on the planet where +> you can find trailer park shantytowns where every household is bringing in +a +> six-figure income. I wish I could be exploited like that. + +If you can't trust the guvmint census, who can you trust? + +=== + +http://www.census.gov/Press-Release/www/2001/cb01fff15.html + +Income and Poverty + +$31,799 +Median household income for American Indians and Alaska Natives, based on a +1998-2000 average. This is higher than for African Americans ($28,679), not +statistically different from Hispanics ($31,703) and lower than for +non-Hispanic Whites ($45,514), and Asians and Pacific Islanders ($52,553). + + +25.9% +The poverty rate for American Indians and Alaska Natives, based on a +1998-2000 average. This rate was not statistically different from the rates +for African Americans and Hispanics, but was higher than those for +non-Hispanic Whites, and Asians and Pacific Islanders. + + +701,000 +Number of American Indians and Alaska Natives below the poverty line, based +on a 1998-2000 average. + + +=== + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0757.c32bb650e588ceb29f2256b012caabae b/machine-learning-ex6/ex6/easy_ham/0757.c32bb650e588ceb29f2256b012caabae new file mode 100644 index 0000000..26464e1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0757.c32bb650e588ceb29f2256b012caabae @@ -0,0 +1,68 @@ +From fork-admin@xent.com Sun Sep 22 14:11:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D385916F03 + for ; Sun, 22 Sep 2002 14:11:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M3XqC20987 for ; + Sun, 22 Sep 2002 04:33:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B3B2F2940C9; Sat, 21 Sep 2002 20:30:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav32.law15.hotmail.com [64.4.22.89]) by + xent.com (Postfix) with ESMTP id 68FCF29409A for ; + Sat, 21 Sep 2002 20:29:25 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sat, 21 Sep 2002 20:32:59 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: E-Textiles Come into Style +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 22 Sep 2002 03:32:59.0095 (UTC) FILETIME=[BF61A670:01C261E8] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 20:37:43 -0700 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + + +Cool - I wonder what you'd look like standing in front of a bunch of +corporate executives... + +== +http://www.technologyreview.com/articles/wo_hellweg080102.asp + +That's why, for example, Orth is trying to catch the interest of the +military with fabrics that change color when conductive fibers stitched into +the cloth heat and cool the material's thermochromatic inks. "The army wants +fully addressable, interactive camouflage," she says, "so that when you're +standing in front of bricks, your clothing looks like bricks. When you're in +grass, you look like grass. Accomplishing that would be like a space program +for e-textiles." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0758.84f1c5bbacc2184d06eb79e4c3a81552 b/machine-learning-ex6/ex6/easy_ham/0758.84f1c5bbacc2184d06eb79e4c3a81552 new file mode 100644 index 0000000..04bba8a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0758.84f1c5bbacc2184d06eb79e4c3a81552 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Sun Sep 22 14:11:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E16716F03 + for ; Sun, 22 Sep 2002 14:11:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M61rC24676 for ; + Sun, 22 Sep 2002 07:01:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3AAB22940B7; Sat, 21 Sep 2002 22:58:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [63.145.31.2]) by xent.com (Postfix) + with ESMTP id B8E9529409A for ; Sat, 21 Sep 2002 22:57:19 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Sun, 22 Sep 2002 05:59:23 -08:00 +Message-Id: <3D8D5C3B.2090202@barrera.org> +From: "Joseph S. Barrera III" +Organization: NERV +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: FoRK +Subject: flavor cystals +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 21 Sep 2002 22:59:23 -0700 +X-Spam-Status: No, hits=-6.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_DENSE, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Can anyone stop talking politics long enough to let me know that, +yes, indeed, they do remember the Suburban Lawns? + +Better yet, tell me where I should be listening for new music now that +P2P is dead and I still can't pick up KFJC very well. + +- Joe + +-- +Give me time I will be clear; given time you'll understand. +What possesses me to right what you have suffered. +I'm in this mood because of scorn; I'm in a mood for total war. +To the darkened skies once more and ever onward. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0759.063f18d8df64aaf029d8d9925828b52c b/machine-learning-ex6/ex6/easy_ham/0759.063f18d8df64aaf029d8d9925828b52c new file mode 100644 index 0000000..61e7bd1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0759.063f18d8df64aaf029d8d9925828b52c @@ -0,0 +1,85 @@ +From fork-admin@xent.com Sun Sep 22 14:11:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A9B7316F03 + for ; Sun, 22 Sep 2002 14:11:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M6AsC24974 for ; + Sun, 22 Sep 2002 07:10:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A19B329418B; Sat, 21 Sep 2002 23:07:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id B952529409A for + ; Sat, 21 Sep 2002 23:06:02 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17sznb-0000ZL-00; Sun, 22 Sep 2002 03:00:55 -0300 +Message-Id: <3D8D5F74.8000102@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Gary Lawrence Murphy +Cc: "R. A. Hettinga" , + "Mr. FoRK" , fork@xent.com +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 03:13:08 -0300 +X-Spam-Status: No, hits=-5.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy wrote: + +>>>>>>"R" == R A Hettinga writes: +>>>>>> +>>>>>> +> +> R> At 9:34 PM -0700 on 9/20/02, Mr. FoRK wrote: +> >> "Free trade and free markets have proven their ability to lift +> >> whole societies out of poverty" I'm not a +> >> socio-political/history buff - does anybody have some clear +> >> examples? +> +> R> You're probably living in one, or you wouldn't be able to post +> R> here. +> +>Cool --- I wasn't aware that the US had lifted it's population out of +>poverty! When did this happen? I wonder where the media gets the +>idea that the wealth gap is widening and deepening... +> +> +> +> +I wasn't aware that there was anyone who could use the words "free +trade" about the United States and keep a straight face. + +Owen + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0760.15302b8ee38651c2da6e4df6a7358c98 b/machine-learning-ex6/ex6/easy_ham/0760.15302b8ee38651c2da6e4df6a7358c98 new file mode 100644 index 0000000..4eef674 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0760.15302b8ee38651c2da6e4df6a7358c98 @@ -0,0 +1,91 @@ +From fork-admin@xent.com Sun Sep 22 14:11:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C6F0F16F03 + for ; Sun, 22 Sep 2002 14:11:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M7GwC26608 for ; + Sun, 22 Sep 2002 08:16:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 370062940CE; Sun, 22 Sep 2002 00:13:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id A6CB429409A for ; Sun, + 22 Sep 2002 00:12:17 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 94E553ED7F; + Sun, 22 Sep 2002 03:20:22 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8D9703ECFC for ; Sun, + 22 Sep 2002 03:20:22 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: [vox] Anarchist 'Scavenger Hunt' Raises D.C. Police Ire (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 03:20:22 -0400 (EDT) +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + + +Anarchist 'Scavenger Hunt' Raises D.C. Police Ire +Sat Sep 21, 3:37 PM ET + +WASHINGTON (Reuters) - An online "anarchist scavenger +hunt" proposed for next week's annual meeting of the +International Monetary Fund ( news - web sites) and +World Bank ( news - web sites) here has raised the ire +of police, who fear demonstrators could damage +property and wreak havoc. + +Break a McDonald's window, get 300 points. Puncture a +Washington D.C. police car tire to win 75 points. +Score 400 points for a pie in the face of a corporate +executive or World Bank delegate. + +D.C. Assistant Police Chief Terrance Gainer told a +congressional hearing on Friday that law authorities +were in talks to decide whether planned protests were, +"so deleterious to security efforts that we ought to +take proactive action." + +Several thousand people are expected to demonstrate +outside the IMF and World Bank headquarters next +weekend. + +The Anti-Capitalist Convergence, a D.C.-based +anarchist group, is also planning a day-long traffic +blockade, banner-drops and protests against major +corporations in the downtown core. + +Chuck, the 37 year-old webmaster of the anarchist site +www.infoshop.org who declined to give his last name, +told Reuters his scavenger hunt was meant as a joke. + +"People were asking for things to do when they come to +D.C. We made the list to get people thinking, so they +don't do the boring, standard stuff," he said. "I +doubt people will actually keep track of what they do +for points." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0761.e0096025fc83e5704a05d505cf96cca5 b/machine-learning-ex6/ex6/easy_ham/0761.e0096025fc83e5704a05d505cf96cca5 new file mode 100644 index 0000000..79b4e5a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0761.e0096025fc83e5704a05d505cf96cca5 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Sun Sep 22 14:11:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BFA4916F03 + for ; Sun, 22 Sep 2002 14:11:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M7RqC26893 for ; + Sun, 22 Sep 2002 08:27:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C0CA0294195; Sun, 22 Sep 2002 00:24:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4015729409A for ; Sun, + 22 Sep 2002 00:23:17 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id F40833ED7F; + Sun, 22 Sep 2002 03:31:22 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id F2B1F3EB72 for ; Sun, + 22 Sep 2002 03:31:22 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: [vox] Founding Fathers on Religion +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 03:31:22 -0400 (EDT) +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Some interesting quotes... + +http://www.postfun.com/pfp/worbois.html + + +Thomas Jefferson: + +"I have examined all the known superstitions of the word, and I do not +find in our particular superstition of Christianity one redeeming feature. +They are all alike founded on fables and mythology. Millions of innocent +men, women and children, since the introduction of Christianity, have been +burnt, tortured, fined and imprisoned. What has been the effect of this +coercion? To make one half the world fools and the other half hypocrites; +to support roguery and error all over the earth." + +SIX HISTORIC AMERICANS, +by John E. Remsburg, letter to William Short +Jefferson again: + +"Christianity...(has become) the most perverted system that ever shone on +man. ...Rogueries, absurdities and untruths were perpetrated upon the +teachings of Jesus by a large band of dupes and importers led by Paul, the +first great corrupter of the teaching of Jesus." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0762.4b7d2ad34203e8192af660707ba52ef5 b/machine-learning-ex6/ex6/easy_ham/0762.4b7d2ad34203e8192af660707ba52ef5 new file mode 100644 index 0000000..b968159 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0762.4b7d2ad34203e8192af660707ba52ef5 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Sun Sep 22 14:11:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E83716F03 + for ; Sun, 22 Sep 2002 14:11:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8M83qC27815 for ; + Sun, 22 Sep 2002 09:03:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 22B462941C1; Sun, 22 Sep 2002 01:00:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 7A0872941BD for + ; Sun, 22 Sep 2002 00:57:24 -0700 (PDT) +Received: (qmail 6808 invoked by uid 501); 22 Sep 2002 08:00:48 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 22 Sep 2002 08:00:48 -0000 +From: CDale +To: Gregory Alan Bolcer +Cc: bitbitch@magnesium.net, +Subject: Re: Oh my... +In-Reply-To: <3D8CFD5E.10406@endeavors.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 03:00:48 -0500 (CDT) +X-Spam-Status: No, hits=-7.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +LOL you rool (: + +On Sat, 21 Sep 2002, Gregory Alan Bolcer wrote: + +> I went out and drew some chalk circles on my +> sidewalk just so I wouldn't miss out on the experience. +> I've collected half a dozen passwords & +> access to email accounts so far. +> +> Greg +> +> bitbitch@magnesium.net wrote: +> > Hello fork, +> > +> > So they have Aaron Schwartz on NPR's Weekend Edition talking +> > about Warchalking. I'll agree, its funny, his voice is squeaky and +> > I'm jealous that he got on radio and I didn't... +> > +> > But really, WTF is the big deal about warchalking? I have yet to +> > see any of it, anywhere. +> > +> > LInk will probably pop up on www.npr.org later today. +> > +> > +> > +> +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0763.5760c74ddc97ef3acfeb25509fc1a85e b/machine-learning-ex6/ex6/easy_ham/0763.5760c74ddc97ef3acfeb25509fc1a85e new file mode 100644 index 0000000..5cb1d6a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0763.5760c74ddc97ef3acfeb25509fc1a85e @@ -0,0 +1,74 @@ +From fork-admin@xent.com Sun Sep 22 14:11:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7B54516F03 + for ; Sun, 22 Sep 2002 14:11:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:11:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MCerC01967 for ; + Sun, 22 Sep 2002 13:40:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 39E012940D8; Sun, 22 Sep 2002 05:37:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 3EB0E29409A for ; + Sun, 22 Sep 2002 05:36:09 -0700 (PDT) +Received: (qmail 12302 invoked from network); 22 Sep 2002 12:39:49 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 22 Sep 2002 12:39:49 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id CB21B1B648; + Sun, 22 Sep 2002 08:39:42 -0400 (EDT) +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: flavor cystals +References: <3D8D5C3B.2090202@barrera.org> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 22 Sep 2002 08:39:42 -0400 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == Joseph S Barrera, writes: + + J> Better yet, tell me where I should be listening for new music + J> now that P2P is dead and I still can't pick up KFJC very well. + +How about your local pub? + +(sorry couldn't resist) + +I still use Live365; slowly the disconnected stations are returning, +since the fee to stay on the air can be as low as $6/month, and if +your fave broadcaster won't pay, you're given the option to pay for +them. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0764.ba8f49f7a4dd4d9a9bb28e5c96e46463 b/machine-learning-ex6/ex6/easy_ham/0764.ba8f49f7a4dd4d9a9bb28e5c96e46463 new file mode 100644 index 0000000..2c6d365 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0764.ba8f49f7a4dd4d9a9bb28e5c96e46463 @@ -0,0 +1,164 @@ +From fork-admin@xent.com Sun Sep 22 21:57:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 631F116F03 + for ; Sun, 22 Sep 2002 21:57:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:57:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MF0sC05387 for ; + Sun, 22 Sep 2002 16:00:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A07E72940A2; Sun, 22 Sep 2002 07:57:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 4C99329409A for + ; Sun, 22 Sep 2002 07:56:18 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17t84r-0001m6-00; Sun, 22 Sep 2002 11:51:17 -0300 +Message-Id: <3D8DDBC8.8030602@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Owen Byrne +Cc: Gary Lawrence Murphy , + "Mr. FoRK" , fork@xent.com, + Digital Bearer Settlement List +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + + + <3D8DCF62.4040809@permafrost.net> +Content-Type: multipart/related; + boundary="------------090600030109070305070809" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 12:03:36 -0300 +X-Spam-Status: No, hits=-4.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,JAVASCRIPT_URI,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + +--------------090600030109070305070809 +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit + +Owen Byrne wrote: + +> R. A. Hettinga wrote: +> +>> -----BEGIN PGP SIGNED MESSAGE----- +>> Hash: SHA1 +>> +>> At 10:32 AM -0400 on 9/21/02, Gary Lawrence Murphy wrote: +>> +>> +>> +>> +>>> Cool --- I wasn't aware that the US had lifted it's population out +>>> of poverty! When did this happen? I wonder where the media gets the +>>> idea that the wealth gap is widening and deepening... +>>> +>> +>> +>> All the world loves a smartass... +>> +>> :-). +>> +>> Seriously. Look at he life expectancy and human carrying capacity of +>> this continent before the Europeans got here. Look at it now. Even +>> for descendants of the original inhabitants. Even for the descendents +>> of slaves, who were brought here by force. +>> +>> More stuff, cheaper. That's progress. +>> +>> Poverty, of course, is not relative. It's absolute. Disparity in +>> wealth has nothing to do with it. +>> +>> It's like saying that groups have rights, when, in truth, only +>> individuals do. Like group rights, "disparity" in wealth is +>> statistical sophistry. +>> +>> +>> Besides, even if you can't help the distribution, industrial wealth +>> is almost always transitory, and so is relative poverty, even when +>> there are no confiscatory death-taxes. The 20th anniversary Forbes +>> 400 just came out, and only a few tens of people are still there +>> since 1982, a time which had significantly higher marginal taxes on +>> wealth, income, and inheritance than we do now. More to the point, +>> they're nowhere near the top. +>> +>> +Lovely quote from the Forbes 400 list: +"and not a single Astor, Vanderbilt or Morgan rates a mention on the +current Forbes Four Hundred. " + +But you have to studiously ignore the 4 Rockefellers, 3 Gettys, 3 +Hearsts, Fords, Kelloggs, Wrigleys, +and so on. + +There are more self-made people on the list than I previously alluded to +- I made a mistake. Most +of them seem to have Ivy League educations, or are Ivy League dropouts, +suggesting to me that they weren't +exactly poor to start with. Some of them have lovely self-made stories +like: +#347, Johnston, Summerfield K Jr +track this personTrack This Person + + + | See all Bacon Makers + + + +70 , self made +*Source: Food +, +Coca-Cola* (quote +, +executives +, +news ) + +Net Worth: *$680 mil* returnee +Hometown: Chattanooga , TN + +*Marital Status:* married , 5 children + + +Grandfather James and partner landed first Coca-Cola bottling franchise +in 1899. Company passed down 3 generations to Summerfield 1950s. Became +largest independent Coke bottler. Merged with Coca-Cola Enterprises 1991. + + + + + +(...by a compensation committee) +Owen + + + + + + +--------------090600030109070305070809-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0765.7dc679a77d756d8404d793f18d307ffe b/machine-learning-ex6/ex6/easy_ham/0765.7dc679a77d756d8404d793f18d307ffe new file mode 100644 index 0000000..ab9bf80 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0765.7dc679a77d756d8404d793f18d307ffe @@ -0,0 +1,76 @@ +From fork-admin@xent.com Sun Sep 22 21:57:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EE4D716F03 + for ; Sun, 22 Sep 2002 21:57:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:57:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MF64C05641 for ; + Sun, 22 Sep 2002 16:06:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 826FA2941C6; Sun, 22 Sep 2002 07:59:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id B2ADC2941C4 for ; Sun, + 22 Sep 2002 07:58:24 -0700 (PDT) +Received: from endeavors.com ([66.126.120.171] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Sun, + 22 Sep 2002 08:00:05 -0700 +Message-Id: <3D8DDB64.9070600@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: flavor cystals +References: <3D8D5C3B.2090202@barrera.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Originalarrivaltime: 22 Sep 2002 15:00:05.0952 (UTC) FILETIME=[BC80CC00:01C26248] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 08:01:56 -0700 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +"Oh my Janitor, boom, boom, boom." + +The best place for new music is right where it's +always been. College radio. UCI, UCSD,USD, Claremont(?)'s +KSPC, UCLA, Cal Fullerton, Cal LA, Cal Pomona. + +Greg + +Joseph S. Barrera III wrote: +> Can anyone stop talking politics long enough to let me know that, +> yes, indeed, they do remember the Suburban Lawns? +> +> Better yet, tell me where I should be listening for new music now that +> P2P is dead and I still can't pick up KFJC very well. +> +> - Joe +> + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0766.41207e11478fa4b0f4747f635e0542c0 b/machine-learning-ex6/ex6/easy_ham/0766.41207e11478fa4b0f4747f635e0542c0 new file mode 100644 index 0000000..f49cede --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0766.41207e11478fa4b0f4747f635e0542c0 @@ -0,0 +1,195 @@ +From fork-admin@xent.com Sun Sep 22 21:57:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 805E016F03 + for ; Sun, 22 Sep 2002 21:57:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:57:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MFIsC05952 for ; + Sun, 22 Sep 2002 16:18:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8A8032940EC; Sun, 22 Sep 2002 08:15:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 5189129409A for ; + Sun, 22 Sep 2002 08:14:05 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17t8V8-00042A-00; Sun, 22 Sep 2002 11:18:26 -0400 +From: "Geege Schuman" +To: "Owen Byrne" +Cc: "Gary Lawrence Murphy" , + "Mr. FoRK" , , + "Digital Bearer Settlement List" +Subject: Crony Capitalism (was RE: sed /s/United States/Roman Empire/g) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <3D8DDBC8.8030602@permafrost.net> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 11:15:34 -0400 +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,JAVASCRIPT_URI, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +reminds me of Cheney during the VP debates, when he declared his wealth was +not the product of government favors. + +http://www.ibiblio.org/pub/academic/communications/logs/Gulf-War/desert-stor +m/07 + +(good time to refresh our memories re iraq . . .) + +starting a debate on govt. contracts, +gg + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Owen +Byrne +Sent: Sunday, September 22, 2002 11:04 AM +To: Owen Byrne +Cc: Gary Lawrence Murphy; Mr. FoRK; fork@example.com; Digital Bearer +Settlement List +Subject: Re: sed /s/United States/Roman Empire/g + + +Owen Byrne wrote: + +> R. A. Hettinga wrote: +> +>> -----BEGIN PGP SIGNED MESSAGE----- +>> Hash: SHA1 +>> +>> At 10:32 AM -0400 on 9/21/02, Gary Lawrence Murphy wrote: +>> +>> +>> +>> +>>> Cool --- I wasn't aware that the US had lifted it's population out +>>> of poverty! When did this happen? I wonder where the media gets the +>>> idea that the wealth gap is widening and deepening... +>>> +>> +>> +>> All the world loves a smartass... +>> +>> :-). +>> +>> Seriously. Look at he life expectancy and human carrying capacity of +>> this continent before the Europeans got here. Look at it now. Even +>> for descendants of the original inhabitants. Even for the descendents +>> of slaves, who were brought here by force. +>> +>> More stuff, cheaper. That's progress. +>> +>> Poverty, of course, is not relative. It's absolute. Disparity in +>> wealth has nothing to do with it. +>> +>> It's like saying that groups have rights, when, in truth, only +>> individuals do. Like group rights, "disparity" in wealth is +>> statistical sophistry. +>> +>> +>> Besides, even if you can't help the distribution, industrial wealth +>> is almost always transitory, and so is relative poverty, even when +>> there are no confiscatory death-taxes. The 20th anniversary Forbes +>> 400 just came out, and only a few tens of people are still there +>> since 1982, a time which had significantly higher marginal taxes on +>> wealth, income, and inheritance than we do now. More to the point, +>> they're nowhere near the top. +>> +>> +Lovely quote from the Forbes 400 list: +"and not a single Astor, Vanderbilt or Morgan rates a mention on the +current Forbes Four Hundred. " + +But you have to studiously ignore the 4 Rockefellers, 3 Gettys, 3 +Hearsts, Fords, Kelloggs, Wrigleys, +and so on. + +There are more self-made people on the list than I previously alluded to +- I made a mistake. Most +of them seem to have Ivy League educations, or are Ivy League dropouts, +suggesting to me that they weren't +exactly poor to start with. Some of them have lovely self-made stories +like: +#347, Johnston, Summerfield K Jr +track this personTrack This Person + + + | See all Bacon Makers + + + +70 , self made +*Source: Food +, +Coca-Cola* (quote +, +executives +, +news ) + +Net Worth: *$680 mil* returnee +Hometown: Chattanooga , TN + +*Marital Status:* married , 5 children + + +Grandfather James and partner landed first Coca-Cola bottling franchise +in 1899. Company passed down 3 generations to Summerfield 1950s. Became +largest independent Coke bottler. Merged with Coca-Cola Enterprises 1991. + + + + + +(...by a compensation committee) +Owen + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0767.da57f04c8030dce67142b9480e532b30 b/machine-learning-ex6/ex6/easy_ham/0767.da57f04c8030dce67142b9480e532b30 new file mode 100644 index 0000000..6b2a4f5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0767.da57f04c8030dce67142b9480e532b30 @@ -0,0 +1,87 @@ +From fork-admin@xent.com Sun Sep 22 21:57:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4830516F03 + for ; Sun, 22 Sep 2002 21:57:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:57:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MG4mC07020 for ; + Sun, 22 Sep 2002 17:04:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A8012940F0; Sun, 22 Sep 2002 09:01:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc02.attbi.com (sccrmhc02.attbi.com [204.127.202.62]) + by xent.com (Postfix) with ESMTP id C700229409A for ; + Sun, 22 Sep 2002 09:00:04 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc02.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020922160338.KCXY14454.sccrmhc02.attbi.com@[24.61.113.164]> for + ; Sun, 22 Sep 2002 16:03:38 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <126299908004.20020922120323@magnesium.net> +To: fork@example.com +Subject: dubyadubyadubya.dubyaspeak.com +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 12:03:23 -0400 +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + + +A worthy study procrastination tool: ) + +A few choice phrases from ol dubya himself: + +"And all our history says we believe in liberty and justice for all, +that when we see oppression, we cry." + +"If you want to keep the peace, you've got to have the authorization to use force. +-- White House, Sep. 19, 2002" + +"The United States will remain strong in our conviction that we must not, and will not, + allow the world's worst leaders to hold the United States and our friends and allies blackmail, + or threaten us with the world's worst weapons." -- Whats truly sad + about the "United States and our friends and allies /blackmail/, is + that he said the same thing in the SAME speech in a paragraph or two + before. + + + "If you find a neighbor in need, you're responsible for serving that neighbor in need, + you're responsible for loving a neighbor just like you'd like to + love yourself." + -- Snerk. This just begs for potty-mouth comedy. Too bad the kids + on southpark just aren't that political. + + "I want to send the signal to our enemy that you have aroused a compassionate and decent and mighty nation, and we're going to hunt you down. +-- No, I didn't make this one up. Louisville, Kentucky, Sep. 5, 2002 + +Hee.. Mkay. +http://www.dubyaspeak.com + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0768.42d3db0f0b763a75183afd06f5db8ce5 b/machine-learning-ex6/ex6/easy_ham/0768.42d3db0f0b763a75183afd06f5db8ce5 new file mode 100644 index 0000000..a6ed440 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0768.42d3db0f0b763a75183afd06f5db8ce5 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Sun Sep 22 21:57:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C4BD416F03 + for ; Sun, 22 Sep 2002 21:57:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:57:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MHGrC09099 for ; + Sun, 22 Sep 2002 18:16:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D09342940BB; Sun, 22 Sep 2002 10:13:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jasper.he.net (jasper.he.net [216.218.145.2]) by xent.com + (Postfix) with ESMTP id 2F4DD29409A for ; Sun, + 22 Sep 2002 10:12:49 -0700 (PDT) +Received: from whump.com (sdsl-216-36-66-183.dsl.sjc.megapath.net + [216.36.66.183]) by jasper.he.net (8.8.6/8.8.2) with ESMTP id KAA29069; + Sun, 22 Sep 2002 10:16:24 -0700 +Subject: Re: flavor cystals +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +Cc: FoRK +To: "Joseph S. Barrera III" +From: Bill Humphries +In-Reply-To: <3D8D5C3B.2090202@barrera.org> +Message-Id: <15EFC2CD-CE4F-11D6-A857-003065F62CD6@whump.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 10:16:51 -0700 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +On Saturday, September 21, 2002, at 10:59 PM, Joseph S. Barrera III +wrote: + +> Better yet, tell me where I should be listening for new music now that +> P2P is dead and I still can't pick up KFJC very well. + +KFJC has a MP3 stream at kfjc.org. I'd also recommend radioparadise.com. + +I remember the Suburban Lawns, but I don't know what became of them. + +Apropos of nothing: "Spirited Away" is amazing. Go see it now. + +-- whump + + diff --git a/machine-learning-ex6/ex6/easy_ham/0769.3925a280a492a9354ad0ab9e338412cf b/machine-learning-ex6/ex6/easy_ham/0769.3925a280a492a9354ad0ab9e338412cf new file mode 100644 index 0000000..0663a22 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0769.3925a280a492a9354ad0ab9e338412cf @@ -0,0 +1,138 @@ +From fork-admin@xent.com Sun Sep 22 23:59:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0305C16F03 + for ; Sun, 22 Sep 2002 23:58:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 23:58:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MMWsC17856 for ; + Sun, 22 Sep 2002 23:32:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7A1702940C1; Sun, 22 Sep 2002 15:29:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 943C329409A for ; Sun, + 22 Sep 2002 15:28:57 -0700 (PDT) +Received: (qmail 31218 invoked from network); 22 Sep 2002 22:32:33 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 22 Sep 2002 22:32:33 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: Colonial Script ... +Message-Id: <000801c26287$f2960460$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 15:32:34 -0700 +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,DEAR_SOMEBODY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +Oh, they were plenty upset about the tea taxes. + +But the crack down on colonial script certainly screwed over the +American Colonies. And, BTW, England as well. + +Dear Ben Franklin was right for the wrong reasons. First of all the +colonies were not prosperous compared to England proper. Second, the +issuance of colonial script had nothing to do with full employeement. + +(In fact, it is almost inconceivable he would make that claim. It +sounds like a modern Keynsian was creating an urban legend.) + +OTOH the lack of sufficient circulating monetary instruments was +economically crippling. Imagine trying to buy your supplies by offering +IOUs on your own name -- and then trying to market / exchange the paper +as the merchant who took the IOU. + +=========================== + +The most common problem in the world is when a government prints too +much money. The effects are a complete disaster. There are a lot of +incentives that push governments into doing this even though it is +incredibly stupid. + +So almost all the literature talks about that. + +But you can ALSO screw an economy over by taking all the money out of +circulation. The fundamental cause of the American Great Depression was +exactly this, courtesy of the Federal Reserve Board. + +I don't think shifting the power to print money to the bank of Canada +had much effect. And Canada is still a prosperous country. + + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Gary +> Lawrence Murphy +> Sent: Saturday, September 21, 2002 7:31 AM +> To: Mr. FoRK +> Cc: fork@example.com +> Subject: Re: sed /s/United States/Roman Empire/g +> +> >>>>> "f" == fork list writes: +> +> f> "Free trade and free markets have proven their ability to lift +> f> whole societies out of poverty" I'm not a +> f> socio-political/history buff - does anybody have some clear +> f> examples? +> +> China? Ooops, no wait, scratch that. +> +> There is one counter example that I can think of, but it may not be +> precisely "free trade/markets" -- when Ben Franklin first visited +> England he was asked why the colonies were so prosperous. Ben +> explained that they used "Colonial Script", a kind of barter-dollar, +> and increasing the supply of script ensured complete employment. The +> British bankers were furious and immediately lobbied parliament to +> clamp down on the practice. Within a few years, the colonies were +> rife with unemployment and poverty just like the rest of the Empire. +> +> According to questionable literature handed out by a fringe political +> party here in Canada, the Founding Fathers had no real complaint about +> tea taxes, it was the banning of colonial script they were +> protesting. If this is true, then it comes right back to the forces +> that killed Ned Ludd's followers as to why popular opinion believes +> they were protesting a tea tax. The same pamphlet claimed that Canada +> was also a prosperous nation until, by an act of parliament in the +> late-50's or early 60's, the right to print money was removed from the +> juristiction of parliament and handed over to the Bank of Canada. +> +> I've wondered about all this. Certainly the timeline of the collapse +> of the Canadian economy fits the profile, but there are oodles of +> other causes (for example, spending money like we had 300M people when +> we only had 20M) Anyone have any further information on this? +> +> -- +> Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications +> - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - +> "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0770.2133e3c539e404d26e8278c7f44fab07 b/machine-learning-ex6/ex6/easy_ham/0770.2133e3c539e404d26e8278c7f44fab07 new file mode 100644 index 0000000..9273c58 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0770.2133e3c539e404d26e8278c7f44fab07 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Sun Sep 22 23:59:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3494216F03 + for ; Sun, 22 Sep 2002 23:59:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 23:59:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8MMssC18527 for ; + Sun, 22 Sep 2002 23:54:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BB1302940A8; Sun, 22 Sep 2002 15:51:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id B3EF729409A for ; Sun, + 22 Sep 2002 15:50:06 -0700 (PDT) +Received: (qmail 32383 invoked from network); 22 Sep 2002 22:53:43 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 22 Sep 2002 22:53:43 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: sed /s/United States/Roman Empire/g +Message-Id: <000f01c2628a$e71a61f0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 15:53:43 -0700 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Mr. +> FoRK + +> Also, the lifestyle of the remnants of those +> societies is on average only marginally above poverty even today. + +As I understand it, there is a huge difference between native Americans +who speak english at home and those who do not. I don't have figures +that separate those at hand, though. + +1989 American Indians (US Pop as a whole) -- Families below poverty +27.2% (10%), Persons below poverty 31.2 (13.1), Speak a language other +than English 23 (13.8) Married couple families 65.8 (79.5) Median family +income $21,619 ($35,225) Per Capita $8,284 ($14,420). + +Note: High Income countries in 1989 were defined as having over $6,000 +per capita. American Indians separated from the rest of the US society +would still be considered a high-income society. + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0771.56f1377225cfa1461304bce68e892600 b/machine-learning-ex6/ex6/easy_ham/0771.56f1377225cfa1461304bce68e892600 new file mode 100644 index 0000000..92bbcae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0771.56f1377225cfa1461304bce68e892600 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Mon Sep 23 12:09:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A314416F03 + for ; Mon, 23 Sep 2002 12:09:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:09:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8N1StC26553 for ; + Mon, 23 Sep 2002 02:28:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DEBEF2940EA; Sun, 22 Sep 2002 18:25:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id 2403A29409A for ; Sun, + 22 Sep 2002 18:24:46 -0700 (PDT) +Received: from lig.net (unknown [66.95.227.18]) by mail.lig.net (Postfix) + with ESMTP id B5DB8680BB; Sun, 22 Sep 2002 21:29:20 -0400 (EDT) +Message-Id: <3D8E6FE0.9070204@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0rc2) + Gecko/20020512 Netscape/7.0b1 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Tom +Cc: "Mr. FoRK" , fork@example.com +Subject: Re: SunMSapple meta4 of the day +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 21:35:28 -0400 +X-Spam-Status: No, hits=-3.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES,SIGNATURE_SHORT_DENSE, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Clearly, it is US/NATO = Sun/IBM/OSS, USSR = MS + +"Where we want you to go in our 5 year plan?" + +sdw + +Tom wrote: + +>Im feeling a bit farklempt having spent the night at Todais with the +>family so talk amongst yourself..here Ill give you a topic +> +>The current state of IT can be thought of in terms of the Cold war with +>the US and the UUSR being MS and Sun/IBM/OSS (does it matter which side +>is which?), Apple as Cuba and the US legal system as the UN. +> +>Discuss. +> +> + +-- +sdw@lig.net http://sdw.st +Stephen D. Williams 43392 Wayside Cir,Ashburn,VA 20147-4622 +703-724-0118W 703-995-0407Fax Dec2001 + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0772.f6e3d3c433121335121efc42f2d81aa7 b/machine-learning-ex6/ex6/easy_ham/0772.f6e3d3c433121335121efc42f2d81aa7 new file mode 100644 index 0000000..d58f64a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0772.f6e3d3c433121335121efc42f2d81aa7 @@ -0,0 +1,178 @@ +From fork-admin@xent.com Mon Sep 23 12:09:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4250816F03 + for ; Mon, 23 Sep 2002 12:09:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:09:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8N3ZuC31017 for ; + Mon, 23 Sep 2002 04:35:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CD0BE2940BF; Sun, 22 Sep 2002 20:32:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from tisch.mail.mindspring.net (tisch.mail.mindspring.net + [207.69.200.157]) by xent.com (Postfix) with ESMTP id AF61829409A for + ; Sun, 22 Sep 2002 20:31:55 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + tisch.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tJzZ-0007HQ-00; + Sun, 22 Sep 2002 23:34:37 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: "Geege Schuman" , + "Owen Byrne" +From: "R. A. Hettinga" +Subject: Comrade Communism (was Re: Crony Capitalism (was RE: sed + /s/United States/Roman Empire/g)) +Cc: "Gary Lawrence Murphy" , + "Mr. FoRK" , , + "Digital Bearer Settlement List" +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:01:22 -0400 +X-Spam-Status: No, hits=-5.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +At 11:15 AM -0400 on 9/22/02, Geege Schuman wrote: + + +> Most of them seem to have Ivy League educations, or are Ivy League +> dropouts suggesting to me that they weren't exactly poor to start +> with. + +Actually, if I remember correctly from discussion of the list's +composition in Forbes about five or six years ago, the *best* way to +get on the Forbes 400 is to have *no* college at all. Can you say +"Bootstraps", boys and girls? I knew you could... + +[Given that an undergraduate liberal arts degree from a state school, +like, say, mine, :-), is nothing but stuff they should have taught +you in a government-run "high" school, you'll probably get more of +*those* on the Forbes 400 as well as time goes on. If we ever get +around to having a good old fashioned government-collapsing +transfer-payment depression (an economic version of this summer's +government-forest conflagration, caused by the same kind of +innumeracy that not clear-cutting enough forests did out west this +summer :-)) that should motivate more than a few erst-slackers out +there, including me, :-), to learn to actually feed themselves.] + + +The *next* category on the Forbes 400 list is someone with a +"terminal" professional degree, like an MBA, PhD, MD, etc., from the +best school possible. + +Why? Because, as of about 1950, the *best* way to get into Harvard, +for instance, is to be *smart*, not rich. Don't take my word for it, +ask their admissions office. Look at the admissions stats over the +years for proof. + +Meritocracy, American Style, was *invented* at the Ivy League after +World War II. Even Stanford got the hint, :-), and, of course, +Chicago taught them all how, right? :-). Practically *nobody* who +goes to a top-20 American institution of higher learning can actually +afford to go there these days. Unless, of course, their parents, who +couldn't afford to go there themselves, got terminal degrees in the +last 40 years or so. And their kids *still* had to get the grades, +and "biased" (by intelligence :-)), test scores, to get in. + + +The bizarre irony is that almost all of those people with "terminal" +degrees, until they actually *own* something and *hire* people, or +learn to *make* something for a living all day on a profit and loss +basis, persist in the practically insane belief, like life after +death, that economics is some kind of zero sum game, that dumb people +who don't work hard for it make all the money, and, if someone *is* +smart, works hard, and is rich, then they stole their wealth somehow. + +BTW, none of you guys out there holding the short end of this +rhetorical stick can blame *me* for the fact that I'm using it to +beat you severely all over your collective head and shoulders. You +were, apparently, too dumb to grab the right end. *I* went to +Missouri, and *I* don't have a degree in anything actually useful, +much less a "terminal" one, which means *I*'m broker than anyone on +this list -- it's just that *you*, of all people, lots with +educations far surpassing my own, should just plain know better. The +facts speak for themselves, if you just open your eyes and *look*. +There are no epicycles, the universe does not orbit the earth, and +economics is not a zero-sum game. The cost of anything, including +ignorance and destitution, is the forgone alternative, in this case, +intelligence and effort. + +[I will, however, admit to being educated *waay* past my level of +competence, and, by the way *you* discuss economics, so have you, +apparently.] + + + +BTW, if we ever actually *had* free markets in this country, +*including* the abolition of redistributive income and death taxes, +all those smart people in the Forbes 400 would have *more* money, and +there would be *more* self-made people on that list. In addition, +most of the people who *inherited* money on the list would have +*much* less of it, not even relatively speaking. Finally, practically +all of that "new" money would have come from economic efficiency and +not "stolen" from someone else, investment bubbles or not. + +That efficiency is called "progress", for those of you in The +People's Republics of Berkeley or Cambridge. It means more and better +stuff, cheaper, over time -- a terrible, petit-bourgeois concept +apparently not worthy of teaching by the educational elite, or you'd +know about it by now. In economic terms, it's also called an increase +in general welfare, and, no, Virginia, I'm not talking about +extorting money from someone who works, and giving it to someone who +doesn't in order to keep them from working and they can think of some +politician as Santa Claus come election time... + + +In short, then, economics is not a zero sum game, property is not +theft, the rich don't get rich off the backs of the poor, and +redistributionist labor "theory" of value happy horseshit is just +that: horseshit, happy or otherwise. + +To believe otherwise, is -- quite literally, given the time Marx +wrote Capital and the Manifesto -- romantic nonsense. + +Cheers, +RAH + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPY511cPxH8jf3ohaEQLAsgCfZhsQMSvUy6GqJ5wgL52DwZKpIhMAnRuR +YYboc+IcylP5TlKL58jpwEfu +=z877 +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0773.e1edafa86a1670e9515d4d9c1bb288c9 b/machine-learning-ex6/ex6/easy_ham/0773.e1edafa86a1670e9515d4d9c1bb288c9 new file mode 100644 index 0000000..8de339b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0773.e1edafa86a1670e9515d4d9c1bb288c9 @@ -0,0 +1,237 @@ +From fork-admin@xent.com Mon Sep 23 12:09:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0C92116F03 + for ; Mon, 23 Sep 2002 12:09:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:09:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8N58vC01842 for ; + Mon, 23 Sep 2002 06:08:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E345F2940A6; Sun, 22 Sep 2002 22:05:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 22A5029409A for ; + Sun, 22 Sep 2002 22:04:18 -0700 (PDT) +Received: (qmail 8494 invoked from network); 23 Sep 2002 05:07:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 23 Sep 2002 05:07:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 4C8501C4E2; + Mon, 23 Sep 2002 01:07:53 -0400 (EDT) +To: fork +Subject: Goodbye Global Warming +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 23 Sep 2002 01:07:53 -0400 +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,LINES_OF_YELLING,LINES_OF_YELLING_2, + LINES_OF_YELLING_3,NOSPAM_INC,OPPORTUNITY, + SIGNATURE_SHORT_DENSE,WEIRD_PORT + version=2.50-cvs +X-Spam-Level: + + +... and say hello to the cool: Oooo ... /this/ is going to cause +some stir ... + +http://www.atmos.uah.edu./essl/msu/background.html received via +http://ontario.indymedia.org:8081/front.php3?article_id=12280 + +Using satellites to monitor global climate change + +Earth System Science Laboratory + +The University of Alabama in Huntsville + + +For Additional Information: + + + +Dr. John Christy, Associate Professor of Atmospheric Science + +Earth System Science Laboratory, The University of Alabama in Huntsville + +Phone: (205) 922-5763 E-mail: christy@atmos.uah.edu + + +Dr. Roy Spencer, Space Scientist + +Global Hydrology & Climate Center, NASA/Marshall Space Flight Center + +Phone: (205) 922-5960 E-mail: roy.spencer@msfc.nasa.gov + + +SUMMARY + +As part of an ongoing NASA/UAH joint project, Dr. John Christy of UAH and Dr. Roy Spencer of NASA's Marshall Space Flight Center use data gathered by microwave sounding units (MSUs) on National Oceanic and Atmospheric Administration TIROS-N satellites to get accurate, direct measurements of atmospheric temperatures for almost all regions of the Earth, including remote deserts, rain forests and oceans for which reliable temperature data are not otherwise available. + +The accuracy and reliability of temperature data gathered by the satellites since January 1979 has been confirmed by comparing the satellite data to independent temperature data. A recent study (1) found a 97 percent agreement between the MSU data and temperatures measured by thermometers suspended beneath weather balloons released by meteorologists for weather observations. + +Once the monthly temperature data is collected from the satellites and processed, it is placed in a "public" computer file for immediate access by atmospheric scientists in the U.S. and abroad. It has become the basis for a number of major studies in global climate change, and is cited in reports from the Intergovernmental Panel on Climate Change. + + + +GATHERING THE DATA + +While traditional thermometers measure the temperature at a specific point in the air, a microwave sounding unit on a satellite takes readings that are average temperatures in a huge volume of the atmosphere. Each of the more than 30,000 readings per day per satellite is an average temperature for more than 75,000 cubic kilometers of air. + +The MSU makes a direct measurement of the temperature by looking at microwaves emitted by oxygen molecules in the atmosphere. The intensity of the microwave emissions - their "brightness" - varies according to temperature. + +Christy and Spencer developed a method to take the data from several satellites and produce a unified temperature dataset. + + + +VERIFYING THE ACCURACY OF MSU MEASUREMENTS + +A recent comparison (1) of temperature readings from two major climate monitoring systems - microwave sounding units on satellites and thermometers suspended below helium balloons - found a "remarkable" level of agreement between the two. + +To verify the accuracy of temperature data collected by microwave sounding units, Christy compared temperature readings recorded by "radiosonde" thermometers to temperatures reported by the satellites as they orbited over the balloon launch sites. + +He found a 97 percent correlation over the 16-year period of the study. The overall composite temperature trends at those sites agreed to within 0.03 degrees Celsius (about 0.054° Fahrenheit) per decade. The same results were found when considering only stations in the polar or arctic regions. + +"The idea was to determine the reliability of the satellite data by comparing it to an established independent measurement," Christy said. "If satellite data are reliable when the satellites are over the radiosonde sites, that means you should be able to trust them everywhere else." + +The 99 radiosondes reported an aggregate warming trend of 0.155 degrees Celsius (about 0.28° Fahrenheit) per decade since 1979. Over those 99 spots on the globe, the satellites also recorded a warming trend: 0.128 degrees Celsius (about 0.23° Fahrenheit) per decade. + +Globally, however, the satellite data show a cooling trend of 0.03 degrees Celsius per decade since the first NOAA TIROS-N satellites went into service. + +"These 99 radiosonde launch sites are just not distributed evenly around the planet," Christy said. "They are not representative of the total globe." + +Radiosonde balloons are released from stations around the world, usually at noon and midnight Greenwich standard time. As each balloon climbs from the surface to the stratosphere, the temperature is measured and relayed to the ground by radio. + +While there are more than 1,000 radiosonde launch sites globally, the data from many sites either are not readily available or are not consistently collected. Christy used data from 99 sites at which there has been long-term systematic and reliable data collection. These 99 radiosonde launch sites are in a box bounded by Iceland, Trinidad, Truk Island and Alaska. + +In an earlier study, an upper air temperature record compiled by NOAA from 63 daily weather balloon sites around the world indicated a 17-year climate trend of -0.05° C per decade, which was in exact agreement with the satellite data at that time, Christy said. + + + +GLOBAL COVERAGE + +One advantage of the MSU dataset is its global coverage. Microwave sounding units aboard NOAA satellites directly measure the temperature of the atmosphere over more than 95 percent of the globe. Each satellite measures the temperature above most points on Earth every 12 hours. + +The 'global temperature' that has been frequently reported from surface measurements is neither global in extent nor systematic in measurement method. It neglects vast oceanic and continental regions, including Antarctica, the Brazilian rain forests, the Sahara Desert and Greenland. + +The most commonly cited historical temperature dataset is from ground-based thermometers. More than 5,000 thermometers worldwide provide almost instantaneous local temperature data through links to weather services and scientists. + +Most of these thermometers, which are usually in small shelters about five feet above the ground, are in areas easily accessible to people. In the U.S. and other industrial countries, these thermometers are most often found at airports. + +The ground-based network is extensive in North America, Europe, Russia, China and Japan. It is less comprehensive in Africa, South America, Australia and across much of Southern Asia. + +Temperatures on the surface and vertically through the atmosphere are gathered daily by thermometers carried aloft by helium balloons. "Radiosonde" balloons are released from stations around the world, usually at noon and midnight Greenwich standard time. + +While balloon release sites are scattered throughout the world, they are concentrated in industrial nations. There are more than 1,000 radiosonde launch sites globally. If they were evenly distributed around the world, that would equal approximately one for every 195,000 square miles of the Earth's surface. + +Water temperatures, which are used to derive estimates of atmospheric temperatures, come from thermometers on piers and buoys, and aboard "ships of opportunity." The ships record the temperature of water drawn in to cool their engines. The water temperature data from these instruments is also not global in its coverage, tending instead to be concentrated in heavily-travelled shipping lanes, and in harbors. + +In the past 12 years, a new system of approximately 100 deep ocean buoys has been established, gathering both atmospheric and water temperature data. + + + +INSTRUMENT ACCURACY; MSU + +With nine satellites measuring the temperature over periods of from one to six years, a method was devised to merge all the data into a single, consistent time series. + +Each satellite has its own bias that, if not calculated and removed, would introduce spurious trends. The biases are calculated by directly comparing each satellite with others in operation at that time. Periods of overlapping operation ranged from three months to three years, and were sufficient to determine these biases. + +Because the MSU instruments are so stable and have so many thousands of observations, the biases between the satellites are known to within 0.01 deg. The final product removes these biases so that all data are referenced to a common base. (2) + +To check the final product, comparisons were made over a 16-year period with balloon measurements as stated above, and the phenomenal agreement provided the independent validation necessary to conclude that the merging technique developed for this dataset was accurate. + + + +INSTRUMENT ACCURACY; GROUND-BASED THERMOMETERS + +Of great concern to scientists is the lack of consistency in the way readings are taken and in the thermometer surroundings. Since most thermometers for which long-term records exist are in towns and cities, the effects of population growth and the construction of nearby roads, parking lots, runways and buildings may cause the temperature to rise a little due of urbanization. This temperature change may be an artifact of a local "asphalt effect" rather than a long-term widespread climate change. + + + +INSTRUMENT ACCURACY; SHIPS OF OPPORTUNITY + +While the temperature data collected by ships at sea is reported as a sea surface temperature, this data reflects water temperatures from about three to 60 feet below the surface - the level from which water is drawn into the ships. + +The thousands of individual thermometers used to collect this data are not calibrated against a scientific standard, nor is there a method for verifying the accuracy of either the thermometers or the reports matching temperature readings to specific times and places. + +Only in places where there are many overlapping observations can there be any confidence in their accuracy. + + + +THE SCIENTISTS + +In 1996, Spencer and Christy received the American Meteorological Society's Special Award. They were honored "for developing a global, precise record of the Earth's temperature from operational polar-orbiting satellites, fundamentally advancing our ability to monitor climate." + +AMS Special Awards are given to individuals or organizations not appropriately recognized by more specifically-defined awards, and who have made important contributions to the science or practice of meteorology or to the society. + +In 1991, Spencer and Christy received NASA's Exceptional Scientific Achievement Medal. + + + +DR. JOHN CHRISTY + +Christy began his scientific career as a senior research associate at UAH in 1987, after earning his B.A. (1973) in mathematics from California State University-Fresno, his M.Div. (1978) from Golden Gate Baptist Theological Seminary, and his M.S. (1984) and Ph.D. (1987) degrees in atmospheric sciences from the University of Illinois. + +He was an instructor of mathematics at Parkland College in Champaign, IL, 1983-87, an instructor of mathematics at the University of South Dakota, 1981-82, and an instructor of mathematical sciences at Yankton (S.D.) College, 1980-81. + +He also served as pastor of the Grace Baptist Church in Vermillion, S.D., 1978-82, and as science master at Baptist High School, Nyeri, Kenya, 1973-75. He has published more than 20 refereed scientific papers. + +Christy serves on the NOAA National Scientific Review Panel for the National Climatic Data Center, and on NOAA's Pathfinder Review Panel. He was an "invited key contributor" to the 1995 Intergovernmental Panel on Climate Change's scientific assessment of climate change, and served as a contributor to the 1992 and 1994 IPCC reports. + + + +DR. ROY SPENCER + +Spencer began his career as a research associate at the Space Science and Engineering Center in Madison, WI, in 1981, after earning his B.S. (1978) in meteorology at the University of Michigan and his M.S. (1979) and Ph.D. (1981) degrees in meteorology from the University of Wisconsin-Madison. He was a Universities Space Research Association visiting scientist at MSFC, 1984-87, before joining the MSFC staff in 1987. + +He is the U.S. team leader for the Multichannel Microwave Imaging Radiometer Team and has served on numerous committees relating to remote sensing. He directs a program involving satellite and aircraft passive microwave data to build global climate data sets and to address climate research issues. Spencer is lead author on sixteen scientific papers. + + + +BIBLIOGRAPHY + +(1) J.R. Christy, 1995, "Climatic Change," Vol. 31, pp. 455-474. + +(2) J.R. Christy, R.W. Spencer and R.T. McNider, 1995, "Journal of Climate," + +Vol. 8, pp. 888-896. + +R.W. Spencer, J.R. Christy and N.C. Grody, 1990, "Journal of Climate," Vol. 3, + +pp. 111-1128. + +R.W. Spencer and J.R. Christy, 1992, "Journal of Climate," Vol. 5, pp. 858- + +SEE ALSO +http://science.nasa.gov/newhome/headlines/essd5feb97_1.htm +http://science.nasa.gov/newhome/headlines/notebook/essd13aug98_1.htm +http://www.ghcc.msfc.nasa.gov/MSU/hl_measuretemp.htm +http://www.atmos.uah.edu/atmos/christy.html + + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0774.cdd7992b853cadd1098b09224e74c728 b/machine-learning-ex6/ex6/easy_ham/0774.cdd7992b853cadd1098b09224e74c728 new file mode 100644 index 0000000..73f44b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0774.cdd7992b853cadd1098b09224e74c728 @@ -0,0 +1,105 @@ +From fork-admin@xent.com Mon Sep 23 12:09:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8B84816F03 + for ; Mon, 23 Sep 2002 12:09:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:09:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8N995C09508 for ; + Mon, 23 Sep 2002 10:09:06 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BB4F12940B0; Mon, 23 Sep 2002 02:05:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 1F41029409A for ; Mon, 23 Sep 2002 02:04:19 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id 0A6ABC44D; + Mon, 23 Sep 2002 11:06:05 +0200 (CEST) +To: fork@example.com +Subject: Re: Goodbye Global Warming +Cc: ""@argote.ch +Message-Id: <20020923090605.0A6ABC44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 11:06:05 +0200 (CEST) +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy wrote: +>and say hello to the cool: Oooo ... /this/ is going to cause some stir ... + +Of course not. Some people just don't want to be confused by the facts. + + +>SUMMARY +> +>As part of an ongoing NASA/UAH joint project, Dr. John Christy of UAH +>and Dr. Roy Spencer of NASA's Marshall Space Flight Center use data +>gathered by microwave sounding units (MSUs) on National Oceanic and +>Atmospheric Administration TIROS-N satellites to get accurate, direct +>measurements of atmospheric temperatures for almost all regions of the +>Earth [...] + +But some plonker will come up with yet another computer model +predicting global warming and storms and floods in 50 years even +though it can't predict next week's weather. And predict widespread +cooling in some parts of the globe (which is now part of global +"warming"). And will get plenty of publicity for even more conclusive +scaremong^H^H^H^H^H^H^H^H^H proof. + + +>[...] +>Globally, however, the satellite data show a cooling trend of 0.03 +>degrees Celsius per decade since the first NOAA TIROS-N satellites +>went into service. + +Umpteen studies have already shown that temperature variations, when +even detectable in the noise, go either way depending on which data +you look at. + + +>Of great concern to scientists is the lack of consistency in the way +>readings are taken [...] the construction of +>nearby roads, parking lots, runways and buildings may cause the +>temperature to rise a little due of urbanization. This temperature +>change may be an artifact of a local "asphalt effect" rather than a +>long-term widespread climate change. + +One study from Vienna showed long-term warming from thermometers at +the airport, and none from other sites. Another study with data from +Antarctica which was touted as supporting global warming while being +free from this urbanization effect later turned out to be dominated by +the time of day at which the airplane that made the measurements flew +(I may have mentioned this one b4...) + + +"There are no facts, only interpretations." +- Friedrich Nietzsche. +"Bullshit!" +- Rob. + + .-. .-. + / \ .-. .-. / \ + / \ / \ .-. _ .-. / \ / \ + / \ / \ / \ / \ / \ / \ / \ + / \ / \ / `-' `-' \ / \ / \ + \ / `-' `-' \ / + `-' `-' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0775.380d5908cc272338fc163b1d1a748e8c b/machine-learning-ex6/ex6/easy_ham/0775.380d5908cc272338fc163b1d1a748e8c new file mode 100644 index 0000000..f11f308 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0775.380d5908cc272338fc163b1d1a748e8c @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 23 15:00:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7996716F03 + for ; Mon, 23 Sep 2002 15:00:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 15:00:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ND1vC17317 for ; + Mon, 23 Sep 2002 14:01:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B329429409F; Mon, 23 Sep 2002 05:58:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-r02.mx.aol.com (imo-r02.mx.aol.com [152.163.225.98]) by + xent.com (Postfix) with ESMTP id ACCED29409A for ; + Mon, 23 Sep 2002 05:57:36 -0700 (PDT) +Received: from ThosStew@aol.com by imo-r02.mx.aol.com (mail_out_v34.10.) + id 2.ff.1e413a9d (4328) for ; Mon, 23 Sep 2002 09:00:57 + -0400 (EDT) +From: ThosStew@aol.com +Message-Id: +Subject: Re: Comrade Communism (was Re: Crony Capitalism (was RE: sed + /s/United States/Roman Empire/g)) +Cc: fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 09:00:57 EDT +X-Spam-Status: No, hits=0.7 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,MISSING_HEADERS, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + + +In a message dated 9/22/2002 11:38:01 PM, rah@shipwright.com writes: + +>the *best* way to +>get on the Forbes 400 is + +historically: real estate + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0776.a9eef2414831a611b294174f440c77ea b/machine-learning-ex6/ex6/easy_ham/0776.a9eef2414831a611b294174f440c77ea new file mode 100644 index 0000000..2af78f7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0776.a9eef2414831a611b294174f440c77ea @@ -0,0 +1,148 @@ +From fork-admin@xent.com Mon Sep 23 18:32:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4FEC716F03 + for ; Mon, 23 Sep 2002 18:32:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:32:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NFpxC24153 for ; + Mon, 23 Sep 2002 16:51:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 277B22940D1; Mon, 23 Sep 2002 08:48:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id E620C29409A for + ; Mon, 23 Sep 2002 08:48:00 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tVUk-0001Cs-00; + Mon, 23 Sep 2002 11:51:34 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: High-Altitude Rambos +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 10:36:39 -0400 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +http://www.nytimes.com/2002/09/23/opinion/23HERB.html?todaysheadlines=&pagewanted=print&position=top + + The New York Times +September 23, 2002 +High-Altitude Rambos +By BOB HERBERT + +Dr. Bob Rajcoomar, a U.S. citizen and former military physician from Lake +Worth, Fla., found himself handcuffed and taken into custody last month in +one of the many episodes of hysteria to erupt on board airliners in the +U.S. since the Sept. 11 attacks. + +Dr. Rajcoomar was seated in first class on a Delta Airlines flight from +Atlanta to Philadelphia on Aug. 31 when a passenger in the coach section +began behaving erratically. The passenger, Steven Feuer, had nothing to do +with Dr. Rajcoomar. + +Two U.S. air marshals got up from their seats in first class and moved back +to coach to confront Mr. Feuer, who was described by witnesses as a slight +man who seemed disoriented. What ensued was terrifying. When Mr. Feuer +refused to remain in his seat, the marshals reacted as if they were trying +out for the lead roles in Hollywood's latest action extravaganza. + +They handcuffed Mr. Feuer, hustled him into first class and restrained him +in a seat next to Dr. Rajcoomar. The 180 or so passengers were now quite +jittery. Dr. Rajcoomar asked to have his seat changed and a flight +attendant obliged, finding him another seat in first class. The incident, +already scary, could - and should - have ended there. But the marshals were +not ready to let things quiet down. + +One of the marshals pulled a gun and brandished it at the passengers. The +marshals loudly demanded that all passengers remain in their seats, and +remain still. They barked a series of orders. No one should stand for any +reason. Arms and legs should not extend into the aisles. No one should try +to visit the restroom. The message could not have been clearer: anyone who +disobeyed the marshals was in danger of being shot. + +The passengers were petrified, with most believing that there were +terrorists on the plane. + +"I was afraid there was going to be a gun battle in that pressurized +cabin," said Senior Judge James A. Lineberger of the Philadelphia Court of +Common Pleas, a veteran of 20 years in the military, who was sitting in an +aisle seat in coach. "I was afraid that I was going to die from the gunfire +in a shootout." + +Dr. Rajcoomar's wife, Dorothy, who was seated quite a distance from her +husband, said, "It was really like Rambo in the air." She worried that +there might be people on the plane who did not speak English, and therefore +did not understand the marshals' orders. If someone got up to go to the +bathroom, he or she might be shot. + +There were no terrorists on board. There was no threat of any kind. When +the plane landed about half an hour later, Mr. Feuer was taken into +custody. And then, shockingly, so was Dr. Rajcoomar. The air marshals +grabbed the doctor from behind, handcuffed him and, for no good reason that +anyone has been able to give, hauled him to an airport police station where +he was thrown into a filthy cell. + +This was airline security gone berserk. No one ever suggested that Dr. +Rajcoomar, a straight-arrow retired Army major, had done anything wrong. + +Dr. Rajcoomar, who is of Indian descent, said he believes he was taken into +custody solely because of his brown skin. He was held for three frightening +hours and then released without being charged. Mr. Feuer was also released. + +Officials tried to conceal the names of the marshals, but they were +eventually identified by a Philadelphia Inquirer reporter as Shawn B. +McCullers and Samuel Mumma of the Transportation Security Administration, +which is part of the U.S. Transportation Department. + +The Transportation Security Administration has declined to discuss the +incident in detail. A spokesman offered the absurd explanation that Dr. +Rajcoomar was detained because he had watched the unfolding incident "too +closely." + +If that becomes a criterion for arrest in the U.S., a lot of us reporters +are headed for jail. + +Dr. Rajcoomar told me yesterday that he remains shaken by the episode. "I +had never been treated like that in my life," he said. "I was afraid that I +was about to be beaten up or killed." + +Lawyers for the American Civil Liberties Union have taken up his case and +he has filed notice that he may sue the federal government for unlawful +detention. + +"We have to take a look at what we're doing in the name of security," said +Dr. Rajcoomar. "So many men and women have fought and died for freedom in +this great country, and now we are in danger of ruining that in the name of +security." + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0777.5c0e911c29651cdea8729a23d3d5b203 b/machine-learning-ex6/ex6/easy_ham/0777.5c0e911c29651cdea8729a23d3d5b203 new file mode 100644 index 0000000..0bbfddf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0777.5c0e911c29651cdea8729a23d3d5b203 @@ -0,0 +1,156 @@ +From fork-admin@xent.com Mon Sep 23 18:32:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3245616F03 + for ; Mon, 23 Sep 2002 18:32:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:32:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NFvDC24423 for ; + Mon, 23 Sep 2002 16:57:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 792D12940DE; Mon, 23 Sep 2002 08:50:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by xent.com (Postfix) with ESMTP id 4D48C2940DD for + ; Mon, 23 Sep 2002 08:49:03 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + blount.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tVVj-0001Cs-00; + Mon, 23 Sep 2002 11:52:35 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: Rebuild at Ground Zero +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 11:18:55 -0400 +X-Spam-Status: No, hits=-2.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +http://online.wsj.com/article_print/0,,SB10327475102363433,00.html + + +The Wall Street Journal + +September 23, 2002 +COMMENTARY + +Rebuild at Ground Zero + +By LARRY SILVERSTEIN + +Earlier this month, we New Yorkers observed the solemn anniversary of the +horrific events that befell our city on Sept. 11, 2001. All of those who +perished must never be forgotten. The footprints of the fallen Twin Towers +and a portion of the 16-acre site must be dedicated to a memorial and civic +amenities that recall the sacrifices that were made there and the anguish +that those senseless acts of terror created for the victims' families and, +indeed, for all of us. + +But for the good of the city and the region, the 10-million-plus square +feet of commercial and retail space that was destroyed with the Twin Towers +must be replaced on the site. + +About 50,000 people worked in the World Trade Center. Those jobs are lost, +along with those of another 50,000 people who worked in the vicinity. +Together, those jobs in lower Manhattan, for which the Trade Center was the +economic stimulus, produced annual gross wages of about $47 billion, or 15% +of the annual gross wages earned in the entire state. Some of the firms +have relocated elsewhere in the city and region, but many have not. New +York City is facing a budget deficit. Without additional jobs, the deficit +may become permanent. This is one reason for the importance of rebuilding. + +If we do not replace the lost space, lower Manhattan never will regain the +vibrancy it had as the world's financial center. Love them or hate them, +and there were lots of New Yorkers on both sides of the issue, the Towers +made a powerful statement to the world that said, "This is New York, a +symbol of our free economy and of our way of life." That is why they were +destroyed. This is a second reason why the towers must be replaced, and +with buildings that make a potent architectural statement. + +In recent weeks, redevelopment proposals have been circulated from many +sources. Most of these focus not on the Trade Center site, however, but on +all of lower Manhattan. Further, many believe that the 10 million square +feet either could be located elsewhere, scattered in several sites, or +simply never rebuilt. + +These proposals miss the point. What was destroyed, and what must be +recovered, was the Trade Center, not all of lower Manhattan. Except over +the towers' footprints, where there must be no commercial development, the +office and retail space lost has to be rebuilt on or close to where it was. + +Access to mass transit makes the site ideal for office space of this size. +That was a major reason why the Twin Towers were leased to 97% occupancy +before 9/11. None of the other sites proposed for office development has +remotely equal transportation access. With the reconstruction of the subway +and PATH stations, plus an additional $4.5 billion in transit improvements +planned, such as the new Fulton Transit Center and the direct +"Train-to-the-Plane" Long Island Rail Road connection, the site becomes +even more the logical locus of office development. + +And New York will need the space. Before 9/11, the Group of 35, a task +force of civic leaders led by Sen. Charles Schumer and former Treasury +Secretary Robert Rubin, concluded that the city would need an additional 60 +million square feet of new office space by 2020 to accommodate the +anticipated addition of 300,000 new jobs. The loss of the Twin Towers only +heightens the need. + +As for those who say that 10 million square feet of office space downtown +cannot be absorbed by the real estate market, I would simply point out that +history shows them wrong. New York now has about 400 million square feet of +office space. All new construction underway already is substantially leased +up. New York had 48 million square feet of vacant office space at the +beginning of the recession in 1990. By 1998, this space had been absorbed, +at an annual rate of about 6 million square feet. + +We are seeking to rebuild 10 million square feet on the Trade Center site +over a period of about 10 years, with the first buildings not coming on +line until 2008 and the project reaching completion in 2012. This is an +annual absorption rate of about a million feet, much lower than the 1990s' +rate. + +Those who argue that New York cannot reabsorb office space that it +previously had are saying that the city has had its day and is entering an +extended period of stagnation and decline. I will not accept this view, nor +will most New Yorkers. + +Mayor Michael Bloomberg said in a recent interview with the New York Times +that the city "has to do two things: memorialize, but also build for the +future." I believe that the Twin Towers site can gracefully accommodate -- +and that downtown requires -- office and retail space of architectural +significance, a dignified memorial that both witnesses and recalls what +happened, and cultural amenities that would benefit workers as well as +residents of the area. + +The challenge to accomplish this is enormous. But our city is up to the task. + +Mr. Silverstein is president of Silverstein Properties, a real estate firm +whose affiliates hold 99-year leases on the World Trade Center site. + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0778.56a343fa82239badd7e1b750c5963d7d b/machine-learning-ex6/ex6/easy_ham/0778.56a343fa82239badd7e1b750c5963d7d new file mode 100644 index 0000000..f4372b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0778.56a343fa82239badd7e1b750c5963d7d @@ -0,0 +1,93 @@ +From fork-admin@xent.com Mon Sep 23 18:32:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D066216F03 + for ; Mon, 23 Sep 2002 18:32:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:32:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NGPwC25284 for ; + Mon, 23 Sep 2002 17:25:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1EAB32940E1; Mon, 23 Sep 2002 09:22:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 93C352940D6 for ; Mon, + 23 Sep 2002 09:21:10 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 9061D3EDB8; + Mon, 23 Sep 2002 12:29:28 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8EF2F3ED75 for ; Mon, + 23 Sep 2002 12:29:28 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Anarchist 'Scavenger Hunt' Raises D.C. Police Ire (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 12:29:28 -0400 (EDT) +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +[Destined to be a new reality TV Show?] + + +Anarchist 'Scavenger Hunt' Raises D.C. Police Ire +Sat Sep 21, 3:37 PM ET + +WASHINGTON (Reuters) - An online "anarchist scavenger +hunt" proposed for next week's annual meeting of the +International Monetary Fund ( news - web sites) and +World Bank ( news - web sites) here has raised the ire +of police, who fear demonstrators could damage +property and wreak havoc. + +Break a McDonald's window, get 300 points. Puncture a +Washington D.C. police car tire to win 75 points. +Score 400 points for a pie in the face of a corporate +executive or World Bank delegate. + +D.C. Assistant Police Chief Terrance Gainer told a +congressional hearing on Friday that law authorities +were in talks to decide whether planned protests were, +"so deleterious to security efforts that we ought to +take proactive action." + +Several thousand people are expected to demonstrate +outside the IMF and World Bank headquarters next +weekend. + +The Anti-Capitalist Convergence, a D.C.-based +anarchist group, is also planning a day-long traffic +blockade, banner-drops and protests against major +corporations in the downtown core. + +Chuck, the 37 year-old webmaster of the anarchist site +www.infoshop.org who declined to give his last name, +told Reuters his scavenger hunt was meant as a joke. + +"People were asking for things to do when they come to +D.C. We made the list to get people thinking, so they +don't do the boring, standard stuff," he said. "I +doubt people will actually keep track of what they do +for points." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0779.ec05ef8309cad3fd18a806c11c812bf1 b/machine-learning-ex6/ex6/easy_ham/0779.ec05ef8309cad3fd18a806c11c812bf1 new file mode 100644 index 0000000..ed81370 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0779.ec05ef8309cad3fd18a806c11c812bf1 @@ -0,0 +1,302 @@ +From fork-admin@xent.com Mon Sep 23 18:32:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C67F216F03 + for ; Mon, 23 Sep 2002 18:32:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:32:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NGhxC25817 for ; + Mon, 23 Sep 2002 17:44:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 768F82940E3; Mon, 23 Sep 2002 09:40:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id B57C729409A for + ; Mon, 23 Sep 2002 09:39:42 -0700 (PDT) +Received: from [192.168.123.198] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17tWA9-00072J-00; Mon, 23 Sep 2002 13:34:21 -0300 +Message-Id: <3D8F4288.2000103@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +Cc: Geege Schuman , + Gary Lawrence Murphy , + "Mr. FoRK" , fork@xent.com, + Digital Bearer Settlement List +Subject: Re: Comrade Communism (was Re: Crony Capitalism (was RE: sed + /s/United States/Roman Empire/g)) +References: + +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 13:34:16 -0300 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,MISSING_HEADERS, + REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +R. A. Hettinga wrote: + +>-----BEGIN PGP SIGNED MESSAGE----- +>Hash: SHA1 +> +>At 11:15 AM -0400 on 9/22/02, Geege Schuman wrote: +> +> +> +> +>>Most of them seem to have Ivy League educations, or are Ivy League +>>dropouts suggesting to me that they weren't exactly poor to start +>>with. +>> +>> +> +>Actually, if I remember correctly from discussion of the list's +>composition in Forbes about five or six years ago, the *best* way to +>get on the Forbes 400 is to have *no* college at all. Can you say +>"Bootstraps", boys and girls? I knew you could... +> +> +Sure - discussion in Forbes - rigorous research, that. Especially when +the data in their own list +contradicts them. I continue to look at the list and all the "inherited, +growed" entries. I guess if +I read it enough times my vision will clear. + +>[Given that an undergraduate liberal arts degree from a state school, +>like, say, mine, :-), is nothing but stuff they should have taught +>you in a government-run "high" school, you'll probably get more of +>*those* on the Forbes 400 as well as time goes on. If we ever get +>around to having a good old fashioned government-collapsing +>transfer-payment depression (an economic version of this summer's +>government-forest conflagration, caused by the same kind of +>innumeracy that not clear-cutting enough forests did out west this +>summer :-)) that should motivate more than a few erst-slackers out +>there, including me, :-), to learn to actually feed themselves.] +> +> +>The *next* category on the Forbes 400 list is someone with a +>"terminal" professional degree, like an MBA, PhD, MD, etc., from the +>best school possible. +> +>Why? Because, as of about 1950, the *best* way to get into Harvard, +>for instance, is to be *smart*, not rich. Don't take my word for it, +>ask their admissions office. Look at the admissions stats over the +>years for proof. +> +> +I, at on point, looked into Stanford Business School. After learning +that tuition was > 20K, +no financial aid was available, and part-time work was disallowed, this +smart person decided +that I was not willing to spend the $150 application fee +(non-refundable). During attendance at +my local business school, I was told repeatedly I should have gone for +it - to quote a prof, (Northwestern MBA), it +has nothing to do with the education you receive - in general European +(and Canadian) business +schools are better and more innovative - its the connections. He used +the words "American nobility." + +>Meritocracy, American Style, was *invented* at the Ivy League after +>World War II. Even Stanford got the hint, :-), and, of course, +>Chicago taught them all how, right? :-). Practically *nobody* who +>goes to a top-20 American institution of higher learning can actually +>afford to go there these days. Unless, of course, their parents, who +>couldn't afford to go there themselves, got terminal degrees in the +>last 40 years or so. And their kids *still* had to get the grades, +>and "biased" (by intelligence :-)), test scores, to get in. +> +> +"invented" being the right word. Dubya went to Yale and HBS. I guess +"practically" gets you +around that problem. + +> +>The bizarre irony is that almost all of those people with "terminal" +>degrees, until they actually *own* something and *hire* people, or +>learn to *make* something for a living all day on a profit and loss +>basis, persist in the practically insane belief, like life after +>death, that economics is some kind of zero sum game, that dumb people +>who don't work hard for it make all the money, and, if someone *is* +>smart, works hard, and is rich, then they stole their wealth somehow. +> +>BTW, none of you guys out there holding the short end of this +>rhetorical stick can blame *me* for the fact that I'm using it to +>beat you severely all over your collective head and shoulders. You +>were, apparently, too dumb to grab the right end. *I* went to +>Missouri, and *I* don't have a degree in anything actually useful, +>much less a "terminal" one, which means *I*'m broker than anyone on +>this list -- it's just that *you*, of all people, lots with +>educations far surpassing my own, should just plain know better. The +>facts speak for themselves, if you just open your eyes and *look*. +>There are no epicycles, the universe does not orbit the earth, and +>economics is not a zero-sum game. The cost of anything, including +>ignorance and destitution, is the forgone alternative, in this case, +>intelligence and effort. +> +>[I will, however, admit to being educated *waay* past my level of +>competence, and, by the way *you* discuss economics, so have you, +>apparently.] +> +> +> +Its interesting but in this part of the World (Nova Scotia) a recent +study found that college graduates +earn less than graduates of 2 year community colleges (trade schools). +They did decline to mention +that the demand for some trades is so great that some of +them are demanding university degrees to get in. Just for the record - +the average salary for +a university graduate (including advanced degree holders) here is C$ +21,000 -- < $14,000 US. No wonder +half of San Francisco has set up here - we have a whole whack of call +centers that +have arrived here in the last couple of years - I think they hire some +entry level IT people for around $10 ($6 US) an +hour, which of course, fits perfectly for me - my entry level job, in +1986, paid $11.00 an hour. The fundamental difference +is that most of the jobs that require a trade are *unionized*.In other +words, in this part of the world, for the vast majority of people, + union dues are a better investment than tuition. The counter-argument +to this is that many college graduates + leave for better work elsewhere, but the counter-counter argument is +that we are the thin edge +(one of several really - prison labor in the US would be another) of +third-world wages and work practices coming + to North America. + +I worked at a company that had a 14-year wage freeze. The fact that they +could maintain that (and prosper) just says + volumes about the economy in this part of the world. I met many people +there, like me, who felt that was fine, I can vote +with my feet. They didn't quite realize that just about every large +employer in the area has similar, or worse, policies. Anyway +eventually they started a union drive. During the vote, retired +employees were brought in by the employer (rumours were +that they were paid the going rate for a vote around here - a bottle of +rum) and somehow allowed to vote . The union filed + a grievance - which was denied - by a Minister of Labour, who, hey, +guess what - used to be a VP at the company. +That's free labor markets at work. The business continues to prosper - +as I was told when I was there - it is a cash cow as long +as the JOA (Joint Operating Agreement) with the competing paper is in +place. + +And if you think that any of those wonderful American companies, out of +some free-enterprise belief in competing for the best talent, +are going to do anything about that, sorry, most of them received +generous subsidies, in return, I'm sure, for an understanding about +the labor markets here. + +> +>BTW, if we ever actually *had* free markets in this country, +>*including* the abolition of redistributive income and death taxes, +>all those smart people in the Forbes 400 would have *more* money, and +>there would be *more* self-made people on that list. In addition, +>most of the people who *inherited* money on the list would have +>*much* less of it, not even relatively speaking. Finally, practically +>all of that "new" money would have come from economic efficiency and +>not "stolen" from someone else, investment bubbles or not. +> +>That efficiency is called "progress", for those of you in The +>People's Republics of Berkeley or Cambridge. It means more and better +>stuff, cheaper, over time -- a terrible, petit-bourgeois concept +>apparently not worthy of teaching by the educational elite, or you'd +>know about it by now. In economic terms, it's also called an increase +>in general welfare, and, no, Virginia, I'm not talking about +>extorting money from someone who works, and giving it to someone who +>doesn't in order to keep them from working and they can think of some +>politician as Santa Claus come election time... +> +> +Much as I like to accept what you say - I do believe in free markets , I +have difficulty finding any - except of course for +labor markets, which governments go to great lengths to protect (well +unless the supply is tight) +It was a great run with the technology industry - producing most of the +self-made billionaires on +the list, but now we've got a government-sponsored monopoly, and the +concept of "more stuff, cheaper" +which it has always promised - seems to be disappearing. A particularly +galling example is +high-speed internet access. An article I read a couple of years ago that +it is an area where the pricing +approaches of the IT industry (cheaper, better or you die) and the +telecom industry (maintain your +monopoly through regulation, and get guaranteed price increases through +the same regulators) meet. +Sadly to say, the telecom industry seems to have won. The whole +entertainment industry/RIAA/Palladium thing +seems to be another instance where actually giving value to the customer +seems less important than using +regulation to reduce competition and substitute products in order to +produce profits for the favored few. + +> +>In short, then, economics is not a zero sum game, property is not +>theft, the rich don't get rich off the backs of the poor, and +>redistributionist labor "theory" of value happy horseshit is just +>that: horseshit, happy or otherwise. +> +>To believe otherwise, is -- quite literally, given the time Marx +>wrote Capital and the Manifesto -- romantic nonsense. +> +> +I usually agree - but when there's a Republican in office - I feel like +they're the biggest believers in +the Manifesto, in reverse. Create a reserve pool of labor, reduce the +rights of that "proletariat" you've +just created with bogus "law and order" policies , concentrate capital +in the hands of a few (ideally people +who can get you reelected) and the economy will take care of itself. Oh, +and lie - use +the word "compassionate" a lot. I guess I tend to believe that a certain +amount of poverty reduction actually +helps a modern capitalist state - the basic economic tenet of the +Republic party seems to be the more homeless under + each overpass, the more efficient the rest of us will be. + +And the facts are, for most people in the Western world are declining +standards of living, declining benefits, disappearing social safety net, +greater working hours, essentially since the entrance of women into the +work force (not blaming women in any way, they have a right + to work but its now 2 wage-earners in each family and still declining +standards of living) is the reality. + +Again to quote that wonderfully liberal document I keep coming back to - +the CIA world factbook - on the US economy: + +"Since 1975, practically all the gains in household income have gone to +the top 20% of households" + +Owen + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0780.a3cf52b9eac79db4f3d95e1735261df4 b/machine-learning-ex6/ex6/easy_ham/0780.a3cf52b9eac79db4f3d95e1735261df4 new file mode 100644 index 0000000..fa06dfd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0780.a3cf52b9eac79db4f3d95e1735261df4 @@ -0,0 +1,101 @@ +From fork-admin@xent.com Mon Sep 23 18:48:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 792B616F03 + for ; Mon, 23 Sep 2002 18:48:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:48:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NHhuC27760 for ; + Mon, 23 Sep 2002 18:43:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DF03A2940C5; Mon, 23 Sep 2002 10:40:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id CD46B29409A for + ; Mon, 23 Sep 2002 10:39:34 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g8NHh2h19764 for ; Mon, 23 Sep 2002 + 10:43:04 -0700 (PDT) +Message-Id: <3D8F52A5.5090709@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 10:43:01 -0700 +X-Spam-Status: No, hits=-1.2 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Hmm, if the shoe fits... I think these five attributes could more or +less describe various actions of the US over the past decade or so... + +> In the 1990s we witnessed the emergence of a small number of rogue +> states that, while different in important ways, share a number of +> attributes. These states: +> +> * brutalize their own people and squander their national resources +> for the personal gain of the rulers; + +The first part of this doesn't really fit, except in isolated cases - +certainly not en mass. The second part though... Hmm... + +> * display no regard for international law, threaten their +> neighbors, and callously violate international treaties to which they +> are party; + +Well, think about it. + +> * are determined to acquire weapons of mass destruction, along with +> other advanced military technology, to be used as threats or +> offensively to achieve the aggressive designs of these regimes; + +We already have weapons of mass destruction, but are actively developing +bigger and better ones. + +> * sponsor terrorism around the globe; and + +Heheh... Anyone know about the 'School of the Americas'? What about the +monies, supplies, and training that supported the contra rebels? Oh, I +forgot, their government was "bad" and needed to be overthrown (with out +help). + +> * reject basic human values and hate the United States and +> everything for which it stands. + +Basic human values like the first ammendment? The fourth ammendment? + +Sorry, Shrub, your political newspeak is falling on deaf ears. Oh, +sorry, maybe I should self-censor my thoughts to avoid being put in a +'re-education camp' by Ashcrofts gestappo? Gads, maybe someone on FoRK +has joined your T.I.P.S. program and became an official citizen spy? + + +In disgust, +Elias + + diff --git a/machine-learning-ex6/ex6/easy_ham/0781.cbbfe78e21c332b56c7e3630aeaa9585 b/machine-learning-ex6/ex6/easy_ham/0781.cbbfe78e21c332b56c7e3630aeaa9585 new file mode 100644 index 0000000..ab5809d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0781.cbbfe78e21c332b56c7e3630aeaa9585 @@ -0,0 +1,101 @@ +From fork-admin@xent.com Mon Sep 23 22:47:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0B2CC16F03 + for ; Mon, 23 Sep 2002 22:47:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NHhuC27760 for ; + Mon, 23 Sep 2002 18:43:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DF03A2940C5; Mon, 23 Sep 2002 10:40:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id CD46B29409A for + ; Mon, 23 Sep 2002 10:39:34 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g8NHh2h19764 for ; Mon, 23 Sep 2002 + 10:43:04 -0700 (PDT) +Message-Id: <3D8F52A5.5090709@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 10:43:01 -0700 +X-Spam-Status: No, hits=-1.0 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Hmm, if the shoe fits... I think these five attributes could more or +less describe various actions of the US over the past decade or so... + +> In the 1990s we witnessed the emergence of a small number of rogue +> states that, while different in important ways, share a number of +> attributes. These states: +> +> * brutalize their own people and squander their national resources +> for the personal gain of the rulers; + +The first part of this doesn't really fit, except in isolated cases - +certainly not en mass. The second part though... Hmm... + +> * display no regard for international law, threaten their +> neighbors, and callously violate international treaties to which they +> are party; + +Well, think about it. + +> * are determined to acquire weapons of mass destruction, along with +> other advanced military technology, to be used as threats or +> offensively to achieve the aggressive designs of these regimes; + +We already have weapons of mass destruction, but are actively developing +bigger and better ones. + +> * sponsor terrorism around the globe; and + +Heheh... Anyone know about the 'School of the Americas'? What about the +monies, supplies, and training that supported the contra rebels? Oh, I +forgot, their government was "bad" and needed to be overthrown (with out +help). + +> * reject basic human values and hate the United States and +> everything for which it stands. + +Basic human values like the first ammendment? The fourth ammendment? + +Sorry, Shrub, your political newspeak is falling on deaf ears. Oh, +sorry, maybe I should self-censor my thoughts to avoid being put in a +'re-education camp' by Ashcrofts gestappo? Gads, maybe someone on FoRK +has joined your T.I.P.S. program and became an official citizen spy? + + +In disgust, +Elias + + diff --git a/machine-learning-ex6/ex6/easy_ham/0782.03d024d74f36ef492a9d8d5de300fb94 b/machine-learning-ex6/ex6/easy_ham/0782.03d024d74f36ef492a9d8d5de300fb94 new file mode 100644 index 0000000..b0a7bb4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0782.03d024d74f36ef492a9d8d5de300fb94 @@ -0,0 +1,95 @@ +From fork-admin@xent.com Mon Sep 23 22:47:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C7FD116F03 + for ; Mon, 23 Sep 2002 22:47:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NICuC29160 for ; + Mon, 23 Sep 2002 19:12:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 85A642940DD; Mon, 23 Sep 2002 11:09:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm0-37.sba1.netlojix.net + [207.71.218.37]) by xent.com (Postfix) with ESMTP id EE45E29409A for + ; Mon, 23 Sep 2002 11:08:35 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA25732; + Mon, 23 Sep 2002 11:18:16 -0700 +Message-Id: <200209231818.LAA25732@maltesecat> +To: fork@example.com +Subject: Re: [VoID] a new low on the personals tip... +In-Reply-To: Message from fork-request@xent.com of + "Tue, 17 Sep 2002 04:29:01 PDT." + <20020917112901.10408.10485.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 11:18:16 -0700 +X-Spam-Status: No, hits=-4.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + + + +> * Too much information? + +The saying, as I recall, is along +the lines of "put your best foot +forward". + +(In this case, you seem to have put +everything forward, in a Fosbury +Flop consisting of the best foot, +the worst foot, enough arms for a +diety and his consort, and even a +set of spare limbs from Hoffa or +the space aliens or whatever it is +you keep locked up in the trunk of +the Bonneville) + +> ... replied ... in one go, in a matter of minutes. I *do* +> really think this way, complete with footnotes. So if it's too much +> information, I still stand by my reply: I wouldn't be myself if I +> started off playing games. + +Pascal could write short letters, +when he had the time. Is editing +to provide an "executive summary" +really being untrue to yourself? + +(We are all used to a full-bore +real-time Rohit streaming, but +that's because we are already +"Friends of", and know to set +our buffers accordingly. For a +stranger's sake, it may be best +to provide the "elevator pitch +Rohit" -- and negotiate upwards +only after a session has been +established) + +-Dave + +::::: + +Thomas Jefferson writes: +> I served with General Washington in the legislature of Virginia before +> the revolution and during it with Dr. Franklin in Congress. I never +> heard either of them speak [for as long as] ten minutes at a time ... + + diff --git a/machine-learning-ex6/ex6/easy_ham/0783.0d6a8bdec2d44f848cebb2e00e930f1a b/machine-learning-ex6/ex6/easy_ham/0783.0d6a8bdec2d44f848cebb2e00e930f1a new file mode 100644 index 0000000..7f6f395 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0783.0d6a8bdec2d44f848cebb2e00e930f1a @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 23 22:47:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 972F816F03 + for ; Mon, 23 Sep 2002 22:47:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NIIwC29440 for ; + Mon, 23 Sep 2002 19:18:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A62EE2940E8; Mon, 23 Sep 2002 11:15:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 0F4D429409A for + ; Mon, 23 Sep 2002 11:14:36 -0700 (PDT) +Received: from [192.168.123.198] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17tXeK-0007Fh-00 for ; Mon, 23 Sep 2002 15:09:36 -0300 +Message-Id: <3D8F58EA.5050307@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: sed /s/United States/Roman Empire/g +References: <979BE8FE-CCF6-11D6-817E-000393A46DEA@alumni.caltech.edu> + <3D8F52A5.5090709@cse.ucsc.edu> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 15:09:46 -0300 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +> +> Sorry, Shrub, your political newspeak is falling on deaf ears. Oh, +> sorry, maybe I should self-censor my thoughts to avoid being put in a +> 're-education camp' by Ashcrofts gestappo? Gads, maybe someone on FoRK +> has joined your T.I.P.S. program and became an official citizen spy? +> +> +> In disgust, +> Elias + + +Well the message was clear to me - the US wants to start an arms race to +jack up their world arms sales monopoly. + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0784.ef6fd2c8cbdbfd6e8b95db4658190bb6 b/machine-learning-ex6/ex6/easy_ham/0784.ef6fd2c8cbdbfd6e8b95db4658190bb6 new file mode 100644 index 0000000..7972fbd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0784.ef6fd2c8cbdbfd6e8b95db4658190bb6 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Mon Sep 23 22:47:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 21FAA16F03 + for ; Mon, 23 Sep 2002 22:47:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NJQvC31734 for ; + Mon, 23 Sep 2002 20:26:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CF9EB2940A9; Mon, 23 Sep 2002 12:23:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id BC8F129409A for ; + Mon, 23 Sep 2002 12:22:15 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8NJPgT24139; Mon, + 23 Sep 2002 12:25:43 -0700 (PDT) +From: "Jim Whitehead" +To: "Robert Harley" , +Subject: RE: Goodbye Global Warming +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <20020923090605.0A6ABC44D@argote.ch> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 12:23:08 -0700 +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> Gary Lawrence Murphy wrote: +> >and say hello to the cool: Oooo ... /this/ is going to cause +> some stir ... +> +> Of course not. Some people just don't want to be confused by the facts. + +For anyone to fully bury global warming, they would need to explain why the +dramatic increase in CO2 concentrations are not increasing the global +temperature. They would also need to explain why, worldwide, glaciers are +melting faster than they have previously in the historical record. That is, +people need more than refutations, they need a compelling alternate +explanation (hint: climate variability doesn't cover all the bases). + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0785.87d89ef541ee6678a7ec3e7009bebffb b/machine-learning-ex6/ex6/easy_ham/0785.87d89ef541ee6678a7ec3e7009bebffb new file mode 100644 index 0000000..c44915d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0785.87d89ef541ee6678a7ec3e7009bebffb @@ -0,0 +1,80 @@ +From fork-admin@xent.com Mon Sep 23 22:47:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 99ADD16F03 + for ; Mon, 23 Sep 2002 22:47:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NK5uC00600 for ; + Mon, 23 Sep 2002 21:05:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A7E552940AC; Mon, 23 Sep 2002 13:02:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 8B4CA29409A for ; + Mon, 23 Sep 2002 13:01:09 -0700 (PDT) +Received: (qmail 31937 invoked from network); 23 Sep 2002 20:04:49 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 23 Sep 2002 20:04:49 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 13C2C1B647; + Mon, 23 Sep 2002 16:04:46 -0400 (EDT) +To: "Jim Whitehead" +Cc: "Robert Harley" , +Subject: Re: Goodbye Global Warming +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 23 Sep 2002 16:04:45 -0400 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "J" == Jim Whitehead writes: + + J> For anyone to fully bury global warming, they would need to + J> explain why the dramatic increase in CO2 concentrations are not + J> increasing the global temperature. They would also need to + J> explain why, worldwide, glaciers are melting faster than they + J> have previously in the historical record. + +The associated links cover that: The surface temperature in spots +frequented by people is warmer (hence all our groundbased sensors +reporting global warming) although the overall environmental +temperature is decreasing. + +Apparently, the real news is not that there is no global warming, but +that our models of the warming were seriously flawed by naive +convection models. This too was not news to the theoreticians: All +that has happened is that NASA has confirmed the naiive convection +concerns. + + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0786.c64c284e8fb2b88945969afd14bc6d78 b/machine-learning-ex6/ex6/easy_ham/0786.c64c284e8fb2b88945969afd14bc6d78 new file mode 100644 index 0000000..ad035d5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0786.c64c284e8fb2b88945969afd14bc6d78 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Mon Sep 23 22:47:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 52CEB16F03 + for ; Mon, 23 Sep 2002 22:47:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NKJ0C01133 for ; + Mon, 23 Sep 2002 21:19:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4598B2940F2; Mon, 23 Sep 2002 13:15:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 4269B29409A for ; + Mon, 23 Sep 2002 13:14:51 -0700 (PDT) +Received: (qmail 44616 invoked by uid 19621); 23 Sep 2002 20:16:41 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 20:16:41 -0000 +Subject: RE: Goodbye Global Warming +From: James Rogers +To: Jim Whitehead +Cc: fork@example.com +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032813374.21921.43.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 23 Sep 2002 13:36:10 -0700 +X-Spam-Status: No, hits=-7.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +"the historical record", by which you mean *human* historical record, is +highly overrated (nigh worthless) when you are talking about geological +timescales, even on topics with as short a timescale as climate. + +My problem with global warming (or cooling for that matter), is that the +supposedly profound recent changes in temperature, both in absolute +terms and as a function time, very arguably fall well below the noise +floor of the natural fluctuations that have occurred over the last +50,000 years both in terms of absolute average temperature and the rate +of temperature change. People unfamiliar with history of global +temperature since the advent of modern humans may think that a degree +here or there over a century is a lot, not realizing that global +temperatures regularly whipsaw with far greater extremity. I therefore +immediately dismiss any theory of global warming that cannot explain why +temperatures whipsawed more severely in pre-history than in the last +couple thousand years (which have been relatively calm by geological +standards). This is a very inconvenient fact for people trying to use +climate to push a particular social agenda. + +It is worth noting that underneath the receding glaciers deposited +during the last major ice age, they are finding substantial evidence of +humans living in what was a nice temperate climate before the glaciers +paved over their civilization. The receding glaciers have turned into a +bit of an archaeological treasure chest, as they expose artifacts buried +in and underneath them as they shrink that have been preserved by the +ice for thousands of years. I don't see any compelling reason to "save +the glaciers" anyway, particularly in light of the fact that their +existence has always been transient. + +For anyone to insist that the current negligible fluctuations are +anthropogenic just heaps one ridiculous assertion upon another. I'll +just stick with Occam's Razor for now. + +In my humble opinion. + +Cheers, + +-James Rogers + jamesr@best.com + + +On Mon, 2002-09-23 at 12:23, Jim Whitehead wrote: +> +> For anyone to fully bury global warming, they would need to explain why the +> dramatic increase in CO2 concentrations are not increasing the global +> temperature. They would also need to explain why, worldwide, glaciers are +> melting faster than they have previously in the historical record. That is, +> people need more than refutations, they need a compelling alternate +> explanation (hint: climate variability doesn't cover all the bases). + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0787.38cb6e76b84f342ff95c30c099848cd9 b/machine-learning-ex6/ex6/easy_ham/0787.38cb6e76b84f342ff95c30c099848cd9 new file mode 100644 index 0000000..0445caa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0787.38cb6e76b84f342ff95c30c099848cd9 @@ -0,0 +1,121 @@ +From fork-admin@xent.com Mon Sep 23 22:47:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2E4A016F03 + for ; Mon, 23 Sep 2002 22:47:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NKivC01922 for ; + Mon, 23 Sep 2002 21:44:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E027B29418F; Mon, 23 Sep 2002 13:41:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 798BE29409A for ; Mon, + 23 Sep 2002 13:40:16 -0700 (PDT) +Received: (qmail 7877 invoked from network); 23 Sep 2002 20:43:55 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 23 Sep 2002 20:43:55 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Goodbye Global Warming +Message-Id: <000201c26341$ef5f75f0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 13:43:55 -0700 +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +For anyone to fully bury global warming, they would have to bury the +Greens. A Green once said that if the Spotted Owl hadn't existed they +would have had to invent it. So it is with global warming. Their +fundamental opposition isn't to a warmer earth, it is to industrial +civilization. + +The fact that the sattelites didn't match what the global warming +theorists said should be there is old news. The news here is that the +temperature measures via sattelite have gotten even better and they have +been validated with a different means of measurement. + +Rather than have to defend CO2 concentrations as not causing global +warming, people who believe in CO2 need a good explanation of the +"Medieval Warm Period". Said period was warmer than what we have now, +and it obvioiusly wasn't caused by CO2. + +In point of fact the predicted global warming due to CO2 is not caused +DIRECTLY by CO2. CO2 doesn't trap that much heat. Water vapor does, +and if you can get more water vapor in the air due to CO2 then you have +your warming theory. + +Yet it would seem that the very stability of the earth's climate over +long periods argues not for an unstable system with positive feedback +loops but one where negative feedback loops predominate. + +More water vapor can increase temperatuers, but that also leads to more +clouds. Clouds both trap heat and reflect it, so it depends a great +deal on how the cloud formation shakes out. Most climate models admit +they do clouds very poorly. + +A good link is: +http://www.techcentralstation.be/2051/wrapper.jsp?PID=2051-100&CID=2051- +060302A + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Jim +> Whitehead +> Sent: Monday, September 23, 2002 12:23 PM +> To: Robert Harley; fork@example.com +> Subject: RE: Goodbye Global Warming +> +> > Gary Lawrence Murphy wrote: +> > >and say hello to the cool: Oooo ... /this/ is going to cause +> > some stir ... +> > +> > Of course not. Some people just don't want to be confused by the +facts. +> +> For anyone to fully bury global warming, they would need to explain +why +> the +> dramatic increase in CO2 concentrations are not increasing the global +> temperature. They would also need to explain why, worldwide, glaciers +are +> melting faster than they have previously in the historical record. +That +> is, +> people need more than refutations, they need a compelling alternate +> explanation (hint: climate variability doesn't cover all the bases). +> +> - Jim +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0788.cd3f2ceda8c91bd8bcf537a7421605e6 b/machine-learning-ex6/ex6/easy_ham/0788.cd3f2ceda8c91bd8bcf537a7421605e6 new file mode 100644 index 0000000..d12f8b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0788.cd3f2ceda8c91bd8bcf537a7421605e6 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 23 22:47:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1357016F03 + for ; Mon, 23 Sep 2002 22:47:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NKvxC02420 for ; + Mon, 23 Sep 2002 21:57:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0C7F62940B3; Mon, 23 Sep 2002 13:54:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id CAD5C29409A for ; + Mon, 23 Sep 2002 13:53:01 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8NKuTT20027 for + ; Mon, 23 Sep 2002 13:56:29 -0700 (PDT) +From: "Jim Whitehead" +To: +Subject: RE: Goodbye Global Warming +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 13:53:56 -0700 +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> J> For anyone to fully bury global warming, they would need to +> J> explain why the dramatic increase in CO2 concentrations are not +> J> increasing the global temperature. + +You have not explained why the increase in CO2 concentrations is not +contributing to increasing global temperature. + +> This too was not news to the theoreticians: All +> that has happened is that NASA has confirmed the naiive convection +> concerns. + +Precisely which theoreticians do you mean? What, exactly, do you mean by a +global warming theoretician -- scientists in this area don't use that term. + +I assure you that not all scientists performing modeling of global +temperature phenomena agree with your assertions. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0789.3dfa0525c97f1a875fc55edcbc71422c b/machine-learning-ex6/ex6/easy_ham/0789.3dfa0525c97f1a875fc55edcbc71422c new file mode 100644 index 0000000..8f8a5de --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0789.3dfa0525c97f1a875fc55edcbc71422c @@ -0,0 +1,100 @@ +From fork-admin@xent.com Mon Sep 23 22:47:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8FF1516F03 + for ; Mon, 23 Sep 2002 22:47:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NL1PC02473 for ; + Mon, 23 Sep 2002 22:01:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 034932941C4; Mon, 23 Sep 2002 13:54:16 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id BC0F629409A for ; + Mon, 23 Sep 2002 13:53:15 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8NKuUT20028; Mon, + 23 Sep 2002 13:56:31 -0700 (PDT) +From: "Jim Whitehead" +To: "James Rogers" +Cc: +Subject: RE: Goodbye Global Warming +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <1032813374.21921.43.camel@avalon> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 13:53:56 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> "the historical record", by which you mean *human* historical record, is +> highly overrated (nigh worthless) when you are talking about geological +> timescales, even on topics with as short a timescale as climate. + +There has been a significant recent increase in global CO2 concentrations. +The vast preponderance of the new CO2 in the atmosphere is due to human +activity starting around the industrialization of Europe, and accelerating +after WWII. Most scientists studying global climate change believe that +these increased CO2 concentrations are the primary causal agent for +increased global warming. Hence our interest in items of human time scale. + +> It is worth noting that underneath the receding glaciers deposited +> during the last major ice age, they are finding substantial evidence of +> humans living in what was a nice temperate climate before the glaciers +> paved over their civilization. The receding glaciers have turned into a +> bit of an archaeological treasure chest, as they expose artifacts buried +> in and underneath them as they shrink that have been preserved by the +> ice for thousands of years. I don't see any compelling reason to "save +> the glaciers" anyway, particularly in light of the fact that their +> existence has always been transient. + +Most global climate change scientists would agree that temperatures in the +past have often been much warmer than today. The point of global warming +isn't to save the Earth -- the planet is not sentient. The point is to +understand and potentially reduce the impact of increasing temperatures on +global human activity. + +> For anyone to insist that the current negligible fluctuations are +> anthropogenic just heaps one ridiculous assertion upon another. I'll +> just stick with Occam's Razor for now. + +The increase in atmospheric CO2 concentration is due to human activity. + +It is generally accepted that increases in CO2 in a closed environment +subject to solar heating retain more of that solar energy. This is the +current best explanation for the high temperature of Venus. If the CO2 +concentration goes up globally (which it has), then theory states the earth +should be retaining greater solar energy. This process may be slow, and may +be difficult to monitor due to the variability of temperatures worldwide. I +encourage you to refute any part of this causal chain linking CO2 to +eventual increases in global energy content, part of which will be evident +as heat. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0790.bad21961212b5cfb7d75bf3c45c840c6 b/machine-learning-ex6/ex6/easy_ham/0790.bad21961212b5cfb7d75bf3c45c840c6 new file mode 100644 index 0000000..a8e2226 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0790.bad21961212b5cfb7d75bf3c45c840c6 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Mon Sep 23 22:47:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6B4D216F03 + for ; Mon, 23 Sep 2002 22:47:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NL61C02599 for ; + Mon, 23 Sep 2002 22:06:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8320A2941C0; Mon, 23 Sep 2002 14:02:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav26.law15.hotmail.com [64.4.22.83]) by + xent.com (Postfix) with ESMTP id 828C829409A for ; + Mon, 23 Sep 2002 14:01:49 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 14:05:29 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + <1032813374.21921.43.camel@avalon> +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 23 Sep 2002 21:05:29.0490 (UTC) FILETIME=[F25CF720:01C26344] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 14:10:17 -0700 +X-Spam-Status: No, hits=-2.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "James Rogers" + +> +> It is worth noting that underneath the receding glaciers deposited +> during the last major ice age, they are finding substantial evidence of +> humans living in what was a nice temperate climate before the glaciers +> paved over their civilization. The receding glaciers have turned into a +> bit of an archaeological treasure chest, as they expose artifacts buried +> in and underneath them as they shrink that have been preserved by the +> ice for thousands of years. + +Got bits? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0791.0b633957da3fa40b511d8e56ad877722 b/machine-learning-ex6/ex6/easy_ham/0791.0b633957da3fa40b511d8e56ad877722 new file mode 100644 index 0000000..82d00a7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0791.0b633957da3fa40b511d8e56ad877722 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Mon Sep 23 22:47:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 94DE216F03 + for ; Mon, 23 Sep 2002 22:47:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLCXC02944 for ; + Mon, 23 Sep 2002 22:12:33 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ABD012941CB; Mon, 23 Sep 2002 14:04:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav39.law15.hotmail.com [64.4.22.96]) by + xent.com (Postfix) with ESMTP id C6DDB2941C8 for ; + Mon, 23 Sep 2002 14:03:21 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 14:07:00 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "FoRK" +References: <000201c26341$ef5f75f0$0200a8c0@JMHALL> +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 23 Sep 2002 21:07:00.0775 (UTC) FILETIME=[28C5F370:01C26345] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 14:11:49 -0700 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "John Hall" + +> A Green once said that if the Spotted Owl hadn't existed they +> would have had to invent it. +A Republican once said "I am not a crook". + + diff --git a/machine-learning-ex6/ex6/easy_ham/0792.aed10efc4504d5991f7894ffbd496ab4 b/machine-learning-ex6/ex6/easy_ham/0792.aed10efc4504d5991f7894ffbd496ab4 new file mode 100644 index 0000000..35cb300 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0792.aed10efc4504d5991f7894ffbd496ab4 @@ -0,0 +1,60 @@ +From fork-admin@xent.com Mon Sep 23 22:47:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E5E5516F16 + for ; Mon, 23 Sep 2002 22:47:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:47:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLIxC03143 for ; + Mon, 23 Sep 2002 22:18:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 87A4D2941C8; Mon, 23 Sep 2002 14:15:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id EBE7B29409A for ; Mon, + 23 Sep 2002 14:14:04 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 40D7A3ED6A; + Mon, 23 Sep 2002 17:22:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 3F55B3ED5A; Mon, 23 Sep 2002 17:22:24 -0400 (EDT) +From: Tom +To: "Mr. FoRK" +Cc: FoRK +Subject: Re: Goodbye Global Warming +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:22:24 -0400 (EDT) +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +--]> A Green once said that if the Spotted Owl hadn't existed they +--]> would have had to invent it. +--]A Republican once said "I am not a crook". +--] + +Oh great, another round of Lableisms....Let me know when you get back to +real data.. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0793.d39943e77b6404bf634356296c94f409 b/machine-learning-ex6/ex6/easy_ham/0793.d39943e77b6404bf634356296c94f409 new file mode 100644 index 0000000..5e188bf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0793.d39943e77b6404bf634356296c94f409 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 23 22:48:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D6C0916F03 + for ; Mon, 23 Sep 2002 22:48:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:48:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLNuC03200 for ; + Mon, 23 Sep 2002 22:23:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 218502941CD; Mon, 23 Sep 2002 14:20:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 70E842941CE for ; Mon, + 23 Sep 2002 14:19:43 -0700 (PDT) +Received: (qmail 11109 invoked from network); 23 Sep 2002 21:23:23 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 23 Sep 2002 21:23:23 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Goodbye Global Warming +Message-Id: <000c01c26347$730dd770$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 14:23:24 -0700 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +"I did not have sex with that woman." + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Mr. +> FoRK +> Sent: Monday, September 23, 2002 2:12 PM +> To: FoRK +> Subject: Re: Goodbye Global Warming +> +> +> ----- Original Message ----- +> From: "John Hall" +> +> > A Green once said that if the Spotted Owl hadn't existed they +> > would have had to invent it. +> A Republican once said "I am not a crook". + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0794.cf41a55933ae8896b668864d7b57b177 b/machine-learning-ex6/ex6/easy_ham/0794.cf41a55933ae8896b668864d7b57b177 new file mode 100644 index 0000000..7241d50 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0794.cf41a55933ae8896b668864d7b57b177 @@ -0,0 +1,172 @@ +From fork-admin@xent.com Mon Sep 23 22:48:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 30C7916F03 + for ; Mon, 23 Sep 2002 22:48:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:48:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLVwC03435 for ; + Mon, 23 Sep 2002 22:31:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4FE892941D1; Mon, 23 Sep 2002 14:28:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id E170D2941D0 for ; + Mon, 23 Sep 2002 14:27:18 -0700 (PDT) +Received: (qmail 60573 invoked by uid 19621); 23 Sep 2002 21:29:07 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 21:29:07 -0000 +Subject: Re: Goodbye Global Warming +From: James Rogers +To: fork@example.com +In-Reply-To: +References: + <1032813374.21921.43.camel@avalon> + +Content-Type: text/plain; charset=windows-1251 +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032817721.21925.54.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 23 Sep 2002 14:48:41 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8NLVwC03435 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +I've seen articles on this type of stuff passing through various forums +for several years. I've always found archaeology interesting for no +particular reason. Here is a recent article from U.S. News that I +actually still have in the dank recesses of my virtual repository. + +-James Rogers + jamesr@best.com + + +-------------------------------------------- +http://www.usnews.com/usnews/issue/020916/misc/16meltdown.htm + +Defrosting the past + +Ancient human and animal remains are melting out of glaciers, a bounty +of a warming world + +BY ALEX MARKELS + +As he hiked near Colorado's Continental Divide in the summer of 2001, Ed +Knapp noticed a strange shape jutting from a melting ice field at 13,000 +feet. "It looked like a bison skull," the building contractor and +amateur archaeologist recalls. "I thought, 'That's strange. Bison don't +live this high up.' " + +Knapp brought the skull to the Denver Museum of Nature and Science, +where scientists last month announced that it was indeed from a +bison–one that died about 340 years ago. "This was an extraordinary +discovery," says Russ Graham, the museum's chief curator, adding that it +could alter notions of the mountain environment centuries ago. "There's +probably a lot more like it yet to be found." + +And not just bison. Colorado isn't the only place where glaciers and +snowfields are melting. Decades of unusual warmth in regions from Peru +to Alaska–a trend some think is linked to emissions from cars and +industry–have shrunk or thawed many of the world's 70,000 glaciers. As +the ice recedes, a treasure-trove of human and animal artifacts is +emerging, extraordinarily well preserved after centuries in the deep +freeze. The fabrics, wood, bone, and DNA-rich tissue found on the mucky +fringes of the ice are revising scientists' understanding of our +predecessors' health, habits, and technology, and the prey they pursued. + +"It's mind-boggling how many different fields are being advanced through +studying these remains," says Johan Reinhard, a high-altitude +archaeologist and explorer-in-residence at the National Geographic +Society. Rare, spectacular finds like the frozen mummies he discovered +in the Andes of Peru in the 1990s and the legendary 5,300-year-old "Ice +Man," found at the edge of a receding glacier in the Alps in 1991, have +offered time capsules of cultural and biological information. Now, as +the ice continues to retreat, it is yielding not just occasional +treasures but long records of humans and animals in the high mountains. + +Vanishing act. The trick is finding such specimens before Mother +Nature–and looters–take them first. Once uncovered, frozen remains can +deteriorate within hours or be gnawed by animals. Moreover, they're +often so well preserved when they emerge that people who come upon them +don't even realize they're ancient. + +That was the case when three men hunting sheep near a high glacier in +British Columbia, Canada, three years ago saw what they thought was a +dead animal. "It looked a little like sealskin buried in the ice," +recalls Warren Ward, a teacher from nearby Nelson. "But when I looked +closer I could see leather fringe from a coat and finger bones." + +Figuring they had found the remains of another hunter, or perhaps a fur +trapper, the men stowed a flint knife and other artifacts in a Zip-Loc +bag and delivered them to local officials. Archaeologists later exhumed +the fallen hunter's body, along with a woven hat, fur clothing, and what +seemed to be a medicine bag. Carbon dating revealed that the hunter +lived about 550 years ago. Dubbed Kwaday Dan Ts'inchi, or Long Ago +Person Found, by people of the Champagne and Aishihik First Nations (who +may be his direct descendants), he is perhaps the best-preserved human +from the period ever found in North America. + +Other findings from melting ice in the neighboring Yukon region could +explain what that long-ago person was doing in the mountains in the +first place. "Before this there was no archaeological record of people +living here," says Greg Hare, a Yukon government archaeologist. "Now we +see that this area was very much part of people's seasonal activities." + +Like Ward's discovery, the search began by chance, when Kristin Benedek +caught a whiff of what smelled like a barnyard as she and her husband, +Gerry Kuzyk, hunted sheep at 6,000 feet in the mountains of the south +Yukon. They followed the scent to a melting patch of ice covered in +caribou dung. "It was really odd, because I knew there hadn't been +caribou in the area for at least 100 years," recalls Kuzyk, then a +wildlife biologist with the Yukon government. + +Caribou cake. Returning a week later, he found "what looked like a +pencil with string wrapped around it." It turned out to be a +4,300-year-old atlatl, or spear thrower. Further investigation of the +ice patch–and scores of others around the region–revealed icy layer +cakes filled with caribou remains and human detritus chronicling 7,800 +years of changing hunting practices. + +Scientists now believe ancient caribou and other animals flocked to the +ice each summer to cool down and escape swarming mosquitoes and flies. +Hunters followed the game. They returned for centuries and discarded +some equipment in the ice. "We've got people hunting with throwing darts +up until 1,200 years ago," says Hare, who now oversees the research +project. "Then we see the first appearance of the bow and arrow about +1,300 years ago. And by 1,200 years ago, there's no more throwing +darts." + +Now scientists are trying to make the search less a matter of luck. They +are developing sophisticated computer models that combine data on where +glaciers are melting fastest and where humans and animals are known to +have migrated to pinpoint the best places to search in Alaska's Wrangell +and St. Elias mountain ranges–the United States' most glaciated +terrain–and in the Andes. Johan Reinhard thinks the fast- thawing +European Alps could also deliver more findings, perhaps as exquisite as +the Ice Man. "Global warming is providing us high-altitude +archaeologists with some fantastic opportunities right now. We're +probably about the only ones happy about it." + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0795.6f8b4da0f06a9c055fc527562fe92330 b/machine-learning-ex6/ex6/easy_ham/0795.6f8b4da0f06a9c055fc527562fe92330 new file mode 100644 index 0000000..67d827e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0795.6f8b4da0f06a9c055fc527562fe92330 @@ -0,0 +1,131 @@ +From fork-admin@xent.com Mon Sep 23 22:48:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1AAAD16F03 + for ; Mon, 23 Sep 2002 22:48:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:48:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLixC03765 for ; + Mon, 23 Sep 2002 22:44:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 84DFC2941D4; Mon, 23 Sep 2002 14:41:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id 75D6B2941D0 for ; + Mon, 23 Sep 2002 14:40:57 -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g8NLiaSV002734 for ; + Mon, 23 Sep 2002 14:44:36 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +Subject: How about subsidizing SSL access to Google? +From: Rohit Khare +To: fork@example.com +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 14:44:41 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8NLixC03765 +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +[a cheeky letter to the editors of the Economist follows, along with the +article I was commenting on... Rohit] + +In your article about Chinese attempts to censor Google last week ("The +Search Goes On", Sept. 19th), the followup correctly noted that the most +subversive aspect of Google's service is not its card catalog, which +merely points surfers in the right direction, but the entire library. By +maintaining what amounts to a live backup of the entire World Wide Web, +if you can get to Google's cache, you can read anything you'd like. + +The techniques Chinese Internet Service Providers are using to enforce +these rules, however, all depend on the fact that traffic to and from +Google, or indeed almost all public websites, is unencrypted. Almost all +Web browsers, however, include support for Secure Sockets Layer (SSL) +encryption for securing credit card numbers and the like. Upgrading to +SSL makes it effectively impossible for a 'man-in-the-middle' to meddle; +censorship would have to be imposed on each individual computer in +China. The only choice left is to either ban the entire site (range of +IP addresses), but not the kind of selective filtering reported on in +the article. + +Of course, the additional computing power to encrypt all this traffic +costs real money. If the United States is so concerned about the free +flow of information, why shouldn't the Broadcasting Board of Governors +sponsor an encrypted interface to Google, or for that matter, the rest +of the Web? + +To date, public diplomacy efforts have focused on public-sector +programming for the Voice of America, Radio Sawa, and the like. Just +imagine if the US government got into the business of subsidizing secure +access to private-sector media instead. Nothing illustrates the freedom +of the press as much as the wacky excess of the press itself -- and most +of it is already salted away at Google and the Internet Archive project. + +On second thought, I can hardly imagine this Administration *promoting* +the use of encryption to uphold privacy rights. Never mind... + +Best, + Rohit Khare + +=========================================================== + +The search goes on +China backtracks on banning Google—up to a point + +Sep 19th 2002 | BEIJING + From The Economist print edition + +IN CHINESE, the nickname for Google, an American Internet search engine, +is gougou, meaning “doggy”. For the country's fast-growing population of +Internet users (46m, according to an official estimate), it is proving +an elusive creature. Earlier this month, the Chinese authorities blocked +access to Google from Internet service providers in China—apparently +because the search engine helped Chinese users to get access to +forbidden sites. Now, after an outcry from those users, access has been +restored. + +An unusual climbdown by China's zealous Internet censors? Hardly. More +sophisticated controls have now been imposed that make it difficult to +use Google to search for material deemed offensive to the government. +Access is still blocked to the cached versions of web pages taken by +Google as it trawls the Internet. These once provided a handy way for +Chinese users to see material stored on blocked websites. + +After the blocking of Google on August 31st, many Chinese Internet users +posted messages on bulletin boards in China protesting against the move. +Their anger was again aroused last week when some Chinese Internet +providers began rerouting users trying to reach the blocked Google site +to far less powerful search engines in China. + +Duncan Clark, the head of a Beijing-based technology consultancy firm, +BDA (China) Ltd, says China is trying a new tactic in its efforts to +censor the Internet. Until recently, it had focused on blocking +individual sites, including all pages stored on them. Now it seems to be +filtering data transmitted to or from foreign websites to search for key +words that might indicate undesirable content. For example earlier this +week when using Eastnet, a Beijing-based Internet provider, a search on +Google for Falun Gong—a quasi-Buddhist exercise sect outlawed in China— +usually aborted before all the results had time to appear. Such a search +also rendered Google impossible to use for several minutes. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0796.8d8d5b4019a279811294da009a57ba7d b/machine-learning-ex6/ex6/easy_ham/0796.8d8d5b4019a279811294da009a57ba7d new file mode 100644 index 0000000..ca6f7f1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0796.8d8d5b4019a279811294da009a57ba7d @@ -0,0 +1,223 @@ +From fork-admin@xent.com Mon Sep 23 23:01:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2610C16F03 + for ; Mon, 23 Sep 2002 23:01:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:01:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLnpC03988 for ; + Mon, 23 Sep 2002 22:49:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 636B02941DA; Mon, 23 Sep 2002 14:42:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id 8C5E72941D8; Mon, 23 Sep 2002 14:41:37 + -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 23 Sep 2002 17:45:03 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <13434889868.20020923174444@magnesium.net> +To: fork-admin@xent.com, "John Hall" +Cc: "FoRK" +Subject: Re[2]: Goodbye Global Warming +In-Reply-To: <000c01c26347$730dd770$0200a8c0@JMHALL> +References: <000c01c26347$730dd770$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:44:44 -0400 +X-Spam-Status: No, hits=-1.3 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,US_DOLLARS_2,US_DOLLARS_4 + version=2.50-cvs +X-Spam-Level: + + + +How about this: A bored FoRKer said: "YAWN" + +I believe Tom had it right. Signal not noise. + +I'll start: + + + Los Angeles Times September 23, 2002 Monday + Copyright 2002 / Los Angeles Times + Los Angeles Times + +September 23, 2002 Monday Home Edition +SECTION: Main News Main News; Part 1; Page 13; National Desk +LENGTH: 1013 words +BYLINE: DANA CALVO, TIMES STAFF WRITER +DATELINE: SEATTLE + +BODY: + +The idea came at the end of a long, frustrating brown-bag session at a +public-policy think tank here. + +The challenge was to save the city's child-care programs. Staring into +his empty coffee cup, the meeting coordinator's mind landed on an +unlikely solution: Put a tax--just a "benign" dime a shot--on +espresso. + +That led to a petition signed by more than 20,000 Seattle residents, +and next year, voters will decide whether the tax becomes law, one +that taps right into Seattle's legendary addiction to coffee. This is, +after all, the town where Starbucks was born and where the $12 pound +of beans became a staple. There is one Starbucks for every 7,000 +residents in Seattle, compared to one per 64,000 in New York. Seattle +also has two other major coffee chains, Tully's Coffee and Seattle's +Best Coffee, as well as countless cafes and espresso carts. + +A recent poll showed that 74% of Seattle residents would vote for the +tax. "For people outside of Seattle who don't understand the +consumption of espresso, [the tax proposal] can be seen as crazy," +said John Burbank, the think tank's executive director, "but it was +common sense." + +Research by his nonprofit Economic Opportunity Institute showed that +people preferred a tax on liquor or beer over one on espresso. But +because of the large number of lattes and cappuccinos sold, a tax on +espresso could be lower than one levied on alcohol. + +Burbank estimates the tax could generate $7 million to $10 million a +year. City Council aides dispute his figures, saying their research +shows the tax would bring in $1.5 million to $3 million a year. + +Burbank's institute is funded by foundations and labor unions. The +think tank's mission is to promote public policy in the interests of +low-income people, and it has long championed child-care issues. + +Burbank says the tax would restore cuts to the child-care programs +made earlier this year by Gov. Gary Locke. He also says it would +provide more low-income families with subsidies for child care, +improve preschool programs and increase teacher salaries. + +At Bauhaus Books & Coffee, the sidewalk is dotted with tables of +customers for whom coffee is a half-day activity, not just a drink. + +Espresso lovers like Chris Altman, who at a dime a day would spend an +extra $36.50 a year, said the investment is worth it. "I'm OK with +it," said the 35-year-old, stirring his iced latte. "The money's got +to come from somewhere." + +Hope Revuelto, 25, was cooling her regular coffee ($1 because she +brought her own mug) and reading "Zen and the Art of Pottery." She +supports the initiative and said its critics are behaving as would be +expected of espresso drinkers: They want the most expensive thing on +the menu but resist paying 10 cents to help the needy. + +Some say the tax isn't the issue; they just resent being singled out. + +David Marsh, 45, a costume manager, drinks up to three espressos a +day, which means he'd be shelling out an extra $109.50 a year. "I, for +one, don't have kids, but I drink espresso," he said, as he sewed a +leather collar onto a chain-mail tunic. "I don't mind paying, but I +think everyone should pay." + +Coffeehouses are steamed about it, and they've organized as +JOLT--Joined to Oppose the Latte Tax. Among the members are Seattle's +Chamber of Commerce and the city's two largest coffee franchises, +Starbucks and Tully's. + +The tax would force coffeehouses to track sales of any beverage that +contains espresso, a task that could be an administrative nightmare +for smaller cafes, especially during the frantic morning rush. If +espresso counts come under suspicion, coffeehouse owners could face a +city audit. + +University of Chicago economics professor Michael Greenstone said the tax doesn't add up. + +"The purpose of any tax is to be efficient and equitable, and this is +neither," he said. "On the efficiency side, it's surely going to lead +to costly efforts by both businesses and consumers to find ways to +avoid the tax. For example, Starbucks could claim that they are using +finely ground coffee, [instead of coffee run though an espresso maker] +and that consequently, they are exempt from the tax. Would they be +right? I don't know, but finding out will surely take lots of legal +fees that could have gone to child care. + +"Of course, from a public-relations perspective, this is an ingenious +idea, and I mean that in a cynical way. They've pitted espresso +drinkers against child-care supporters, and who's going to side with +the espresso drinkers?" + +In fact, the proposed tax has forced opponents into a political +two-step, where their criticism must remain a beat behind their public +stance of political correctness. In a liberal city like Seattle, +corporations continually advertise their commitment to social +activism, and throughout the debate over the initiative, JOLT members +prefaced their opposition with endorsements of good child care. + +"Starbucks will continue to support early-learning and +childhood-development programs through the millions of dollars we +contribute annually," the company said. "However, Starbucks does not +understand why the Economic Opportunity Institute would recommend an +additional consumer tax on espresso beverages, or any other single +consumer product." + +The City Council has yet to decide when the initiative will go before +voters next year. The initiative's authors say it is directed at +vendors; critics predict it will be passed on to consumers through +higher prices, effectively punishing them for their choice of coffee. +The tax would be applied to any drink with at least half an ounce of +espresso, including decaf. Drip coffee would be exempt. + +Burbank says the tax would reach only a pre-selected group of +consumers who are wealthier than those who drink drip. So, he's been +pitching it as a modern-day Robin Hood tax, where the needy get a dime +every time the affluent spend $3 to $4 on an espresso. + +It's the kind of political marketing that Fran Beulah, 43, finds +funny. "I drink espresso," she said, laughing, "and I am not rich." + + + + +JH> "I did not have sex with that woman." + +>> -----Original Message----- +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +JH> Mr. +>> FoRK +>> Sent: Monday, September 23, 2002 2:12 PM +>> To: FoRK +>> Subject: Re: Goodbye Global Warming +>> +>> +>> ----- Original Message ----- +>> From: "John Hall" +>> +>> > A Green once said that if the Spotted Owl hadn't existed they +>> > would have had to invent it. +>> A Republican once said "I am not a crook". + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0797.b6a29c752d725a91f6edb2a46fa21be6 b/machine-learning-ex6/ex6/easy_ham/0797.b6a29c752d725a91f6edb2a46fa21be6 new file mode 100644 index 0000000..5d4826b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0797.b6a29c752d725a91f6edb2a46fa21be6 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Mon Sep 23 23:01:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8FF8416F16 + for ; Mon, 23 Sep 2002 23:01:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:01:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NLsCC04080 for ; + Mon, 23 Sep 2002 22:54:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 892D82941D0; Mon, 23 Sep 2002 14:50:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav58.law15.hotmail.com [64.4.22.193]) by + xent.com (Postfix) with ESMTP id 50B2C2941D0 for ; + Mon, 23 Sep 2002 14:49:20 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 14:53:00 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "Tom" +Cc: "FoRK" +References: +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 23 Sep 2002 21:53:00.0497 (UTC) FILETIME=[95B21C10:01C2634B] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 14:57:49 -0700 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + +Sorry... I just had a run-in with a neighbor whom I've never met before who +pigeonholed me within one minute after I asked a question - he said 'Are you +one of them environmentalists?' For some reason that narrowminded attitude +of not listening to what I was saying and categorizing me into a box in his +little paranoid republican fantasy world just pissed me off. + +Sheesh... I've been out of work too long... + +----- Original Message ----- +From: "Tom" +To: "Mr. FoRK" +Cc: "FoRK" +Sent: Monday, September 23, 2002 2:22 PM +Subject: Re: Goodbye Global Warming + + +> +> --]> A Green once said that if the Spotted Owl hadn't existed they +> --]> would have had to invent it. +> --]A Republican once said "I am not a crook". +> --] +> +> Oh great, another round of Lableisms....Let me know when you get back to +> real data.. +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0798.120c7f5263021bbdf183e1e304ef4a44 b/machine-learning-ex6/ex6/easy_ham/0798.120c7f5263021bbdf183e1e304ef4a44 new file mode 100644 index 0000000..4974b57 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0798.120c7f5263021bbdf183e1e304ef4a44 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Mon Sep 23 23:34:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9D98A16F03 + for ; Mon, 23 Sep 2002 23:34:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:34:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NMMxC05277 for ; + Mon, 23 Sep 2002 23:22:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 500DD2940EF; Mon, 23 Sep 2002 15:19:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id CFD6D29409A for ; Mon, + 23 Sep 2002 15:19:00 -0700 (PDT) +Received: (qmail 15673 invoked from network); 23 Sep 2002 22:22:40 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 23 Sep 2002 22:22:40 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Re[2]: Goodbye Global Warming +Message-Id: <001a01c2634f$bb54d3a0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <13434889868.20020923174444@magnesium.net> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 15:22:41 -0700 +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> From: bitbitch@magnesium.net [mailto:bitbitch@magnesium.net] + +> +> Burbank says the tax would reach only a pre-selected group of +> consumers who are wealthier than those who drink drip. So, he's been +> pitching it as a modern-day Robin Hood tax, where the needy get a dime +> every time the affluent spend $3 to $4 on an espresso. + +The people who pour the espresso aren't rich. An interesting issue +might be how it affects employment. + +Still, it is a 1% or less sales tax. That might not make that big of a +difference. + +The costs of tracking revenue and collecting the tax might be onerous. +Worse than the cost of the tax itself. + +Me: I hate coffee anyway. But if they put a $.10/can tax on Diet Dr. +Pepper I might have to start buying them in Oregon. (Yes, I drink that +much Diet Dr. Pepper). + + diff --git a/machine-learning-ex6/ex6/easy_ham/0799.eb9fe164fe9541253b4ab806626ab171 b/machine-learning-ex6/ex6/easy_ham/0799.eb9fe164fe9541253b4ab806626ab171 new file mode 100644 index 0000000..2674b8f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0799.eb9fe164fe9541253b4ab806626ab171 @@ -0,0 +1,159 @@ +From fork-admin@xent.com Mon Sep 23 23:34:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1841616F03 + for ; Mon, 23 Sep 2002 23:34:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:34:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NMSIC05539 for ; + Mon, 23 Sep 2002 23:28:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 529EB2941DD; Mon, 23 Sep 2002 15:22:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id 067E12941DC for ; + Mon, 23 Sep 2002 15:21:02 -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g8NMOeSV005331; Mon, 23 Sep 2002 15:24:40 + -0700 (PDT) +Subject: SF Weekly's Ultimate SF Date lineup :-) +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: arvind@bea.com +To: Fork@xent.com +From: Rohit Khare +Message-Id: <431A5C36-CF43-11D6-817E-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 15:24:44 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8NMSIC05539 +X-Spam-Status: No, hits=-2.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +I love the absurd sense of humor it takes to build up such an elaborate +evening only to note that "even if the date's a bust you can always have +a hundred people up for cocktails" in your penthouse suite at the end of +the night :-) + +Personally, I'd put one point in favor of the Redwood Room over Lapis: +on a weeknight, you can still whip out a TiBook and write, since it's a +hotel bar. And it seems to give people all sorts of license to +interrogate you as to why you're writing with a double of scotch :-) + +Best, + Rohit + +> Five Best Ways to Impress Your Date +> +> You've met the biped of your dreams at the corner laundromat and, +> wonder of wonders, she's agreed to go out with you this Saturday. Don't +> blow it! Follow the instructions below and even if you impress your +> date so much you never see her again, your evening will be a memorable +> one. All you need are a chauffeur, a change of clothes, and several +> hundred thousand dollars. +> +> Luxury Suite at Pacific Bell Park +> +> Third and King streets, 972-2000, www.sfgiants.com +> +> Kick off your date with an afternoon at the ballpark -- not just any +> ballpark, but just about the best ballpark in the country, and not in +> some drafty, behind-the-plate box seat but in one of the park's lushly +> accessorized luxury suites. An elevator whisks you from a private +> entrance on Willie Mays Plaza to your dwelling place above the infield. +> Besides the excellent views of the bay, the park, and the Giants in +> action, there's a balcony, a wet bar, a refrigerator, two televisions, +> a stereo/CD player, a dual-line phone, Internet access, room service, +> and a concierge to call you a cab or make your restaurant reservations +> for you. No one is admitted without proper clearance, ensuring your +> utmost privacy. Next: Pull yourself together for ... +> +> Cocktails at Lapis +> +> Pier 33 (Embarcadero at Bay), 982-0203, +> +> www.lapis-sf.com +> +> Now that the Redwood Room has devolved into just another velvet-rope +> yuppie hangout, the city has no clear-cut, top-of-the-line cocktail +> lounge such as Chicago's Pump Room or New York's King Cole Bar +> (although Maxfield's, the Compass Rose, and the Top of the Mark are +> excellent runners-up). Best of all is Lapis, where the wannabe Noel +> Coward can sip an estimable Gibson in the lounge adjoining the dining +> room. The dramatically backlit bar is framed by lush bronze draperies +> that complement the room's deep-blue setting, and towering ceilings +> give the lounge a graceful, airy ambience. Floor-to-ceiling windows +> provide a lush panorama of the bay and the hills beyond. +> +> +> Dinner at the Dining Room +> +> Ritz-Carlton Hotel, 600 Stockton (between Pine and +> +> California), 296-7465, www.ritzcarlton.com +> +> Your next stop on the road to beguilement is one of the handsomest +> dining rooms in the country. The tranquil sounds of a harp underscore a +> sumptuous setting of polished mahogany, soft linens, and fine crystal +> gleaming in the candlelight. Chef Sylvain Portay prepares luxurious +> nouvelle cuisine in several courses: lobster salad with caviar cream; +> turbot with crayfish and truffles; roasted squab with port-marinated +> figs; saffron-poached pear with guanaja chocolate gratin. Sommelier +> Stéphane Lacroix maintains a fabulous cellar, the service is impeccable +> and inviting, and intimate discourse is practically inevitable. Next: +> +> Charter the Rendezvous From Rendezvous Charters +> +> Pier 40 (in South Beach Harbor), 543-7333, +> +> www.baysail.com +> +> Nothing's more enticing than an evening cruise around San Francisco +> Bay, and the islands, bridges, and lights of the city are especially +> entrancing viewed from this vintage brigantine schooner. Built in 1933 +> and recently restored to its former glory, the 78-foot Rendezvous looks +> like a clipper ship out of the Gold Rush era, with its 80-foot masts +> and square-rigged sails. Intricately carved mahogany, pecan, ash, and +> rosewood accent the brass-railed, velvet-cushioned rooms below decks, +> the perfect spot for a sip of Veuve Cliquot and some subtle canoodling. +> +> Penthouse Suite at the Fairmont Hotel +> +> 950 Mason (between California and Sacramento), +> +> 772-5000, www.fairmont.com +> +> Last but not least, escort your companion to what has been described as +> the most expensive hotel accommodation in the world: the Fairmont's +> elaborate penthouse. The eight-room suite (including three bedrooms, +> three baths, a dining room, a library, a billiard room, a fully +> equipped kitchen, and a living room with fireplace and baby grand +> piano) comes with its own maid, butler, and limousine and is accessed +> by private elevator. The library alone is worth investigating: two +> circular floors of books encapsulated by a domed ceiling etched with +> the constellations. The view from the terrace is enthralling, and even +> if the date's a bust you can always have a hundred people up for +> cocktails. +> +> sfweekly.com | originally published: May 15, 2002 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0800.ade9f54d2342efc6cd3ab051eeb6770a b/machine-learning-ex6/ex6/easy_ham/0800.ade9f54d2342efc6cd3ab051eeb6770a new file mode 100644 index 0000000..6ca1747 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0800.ade9f54d2342efc6cd3ab051eeb6770a @@ -0,0 +1,57 @@ +From fork-admin@xent.com Mon Sep 23 23:45:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7795716F03 + for ; Mon, 23 Sep 2002 23:45:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:45:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NMfvC06032 for ; + Mon, 23 Sep 2002 23:41:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8BC202941D8; Mon, 23 Sep 2002 15:38:07 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 3EB2329409A for ; Mon, + 23 Sep 2002 15:37:54 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 59BF13ED81; + Mon, 23 Sep 2002 18:46:14 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 4EA673ED60 for ; Mon, + 23 Sep 2002 18:46:14 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Googlenews +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 18:46:14 -0400 (EDT) +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +The further googlization of my screentimes....News...No not just +news...google news. I love the line that tells me how fresh/stale the news +item is....phreaking cewl. + +So far I like the content range. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0801.d432213b6f824b0542ce97ae154a15c8 b/machine-learning-ex6/ex6/easy_ham/0801.d432213b6f824b0542ce97ae154a15c8 new file mode 100644 index 0000000..b8c3211 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0801.d432213b6f824b0542ce97ae154a15c8 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 23 23:56:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B52D016F03 + for ; Mon, 23 Sep 2002 23:56:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:56:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NMl3C06138 for ; + Mon, 23 Sep 2002 23:47:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BB1172941DF; Mon, 23 Sep 2002 15:43:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 030E829409A for ; Mon, + 23 Sep 2002 15:42:57 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 405193ED5A; + Mon, 23 Sep 2002 18:51:17 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 3CB413ECE7 for ; Mon, + 23 Sep 2002 18:51:17 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Here Come Da Feds +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 18:51:16 -0400 (EDT) +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +The damn Federalists are at it again, another bumsrush on Oregons states +rights.. + +[Being a 5 year translplant out here I say the best thing to do is bring +back the plans to make the state of Jefferson, then have Oregon, +Washington and Jefferson break away from the union.] + +http://www.cnn.com/2002/LAW/09/23/oregon.assisted.suicide/ + +SAN FRANCISCO, California (CNN) -- The U.S. +Justice Department filed an appeal Monday to +overturn a federal judge's ruling that +upheld Oregon's doctor-assisted suicide law. + +A spokesman for Oregon Attorney General +Hardy Myers said the state views the appeal +as "same story, different day." + +Oregon voters approved doctor-assisted +suicide twice, in ballot initiatives in 1994 +and 1997. But in November, U.S. Attorney +General John Ashcroft warned Oregon doctors +they would be prosecuted under federal law +if they prescribed lethal doses of drugs for +dying patients. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0802.ad16df843d76e5c7e04b7515dafd6202 b/machine-learning-ex6/ex6/easy_ham/0802.ad16df843d76e5c7e04b7515dafd6202 new file mode 100644 index 0000000..49a675d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0802.ad16df843d76e5c7e04b7515dafd6202 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Mon Sep 23 23:56:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 78CB216F03 + for ; Mon, 23 Sep 2002 23:56:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:56:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NMq1C06332 for ; + Mon, 23 Sep 2002 23:52:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 040592941EC; Mon, 23 Sep 2002 15:48:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f167.law15.hotmail.com [64.4.23.167]) by + xent.com (Postfix) with ESMTP id 0CEF929409A for ; + Mon, 23 Sep 2002 15:47:49 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 15:51:29 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Mon, 23 Sep 2002 22:51:29 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 23 Sep 2002 22:51:29.0328 (UTC) FILETIME=[C11F3B00:01C26353] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 22:51:29 +0000 +X-Spam-Status: No, hits=-2.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,MSN_FOOTER1 + version=2.50-cvs +X-Spam-Level: + +SF Weekly: +>Nothing's more enticing than an evening cruise around San Francisco Bay, +>and the islands, bridges, and lights of the city are especially entrancing +>viewed from this vintage brigantine schooner. Built in 1933 and recently +>restored to its former glory, the 78-foot Rendezvous looks like a clipper +>ship out of the Gold Rush era, with its 80-foot masts and square-rigged +>sails. + +That sounds like fun. But it sets the wrong precedent. +Here's the better idea. Invite her for an afternoon +cruise under the Golden Gate bridge in your Stonehorse +day sailor. Under way, ask her if she'd like to take +the stick. Back at slip, cook her dinner. Something +simple, but good, maybe a stir fry or a stew, served +in the cockpit, with an inexpensive but potable wine. + +If she runs away after that, 'tis good riddance. If +she wants to try it again, another day, she shows +promise. If she asks you to show her the V berth, you +have a girlfriend. If she notes your brightwork needs +another coat, and asks what you're using on it, +propose on the spot. + +;-) + + +_________________________________________________________________ +MSN Photos is the easiest way to share and print your photos: +http://photos.msn.com/support/worldwide.aspx + + diff --git a/machine-learning-ex6/ex6/easy_ham/0803.87956a6c8c2637ad52cb670a5385faf2 b/machine-learning-ex6/ex6/easy_ham/0803.87956a6c8c2637ad52cb670a5385faf2 new file mode 100644 index 0000000..5e47799 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0803.87956a6c8c2637ad52cb670a5385faf2 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Tue Sep 24 10:48:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B899416F03 + for ; Tue, 24 Sep 2002 10:48:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NN10C06961 for ; + Tue, 24 Sep 2002 00:01:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 04BAB2941D9; Mon, 23 Sep 2002 15:57:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 8D22029409A for ; Mon, + 23 Sep 2002 15:56:50 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 7CB693ED5A; + Mon, 23 Sep 2002 19:05:10 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 7B19A3EC9E; Mon, 23 Sep 2002 19:05:10 -0400 (EDT) +From: Tom +To: Russell Turpin +Cc: fork@example.com +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 19:05:10 -0400 (EDT) +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Mon, 23 Sep 2002, Russell Turpin wrote: + +--]Here's the better idea. Invite her for an afternoon +--]cruise under the Golden Gate bridge in your Stonehorse +--]day sailor. + + +Good way, heres one that worked for me. + +Work on a database project with that person. After a while hand her the +keyboard to go get some lunch. + +If when you come back she is talking to the person in the next cube about +survivor all the time you were gone...go for the one night boom boom plan + +If when you return she has read thru the help screen to try to figure out +what your working on...go fro the week long dine and do with options for +more IF she finishes the help docs and does some code. + +If when you come back she has done some work on the db's infrastructure, +cleaned up your code and made a few "additions" to make it work +better and figures that since you have done enough work for the day asks +that you bring lunch and your lap top to the big screen projection room +to watch your new DVD of startship troopers..marry her + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0804.7c961dbb9d03dce55e6d4330a7de92c6 b/machine-learning-ex6/ex6/easy_ham/0804.7c961dbb9d03dce55e6d4330a7de92c6 new file mode 100644 index 0000000..c578fd8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0804.7c961dbb9d03dce55e6d4330a7de92c6 @@ -0,0 +1,61 @@ +From fork-admin@xent.com Tue Sep 24 10:48:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 45AD116F03 + for ; Tue, 24 Sep 2002 10:48:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NNIxC07647 for ; + Tue, 24 Sep 2002 00:18:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 963582940DF; Mon, 23 Sep 2002 16:15:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 25E6B29409A for ; Mon, + 23 Sep 2002 16:14:04 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 5EB1E3ED6A; + Mon, 23 Sep 2002 19:22:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 5D55A3EC7A for ; Mon, + 23 Sep 2002 19:22:24 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Not just like a virgin...a virgin...birth +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 19:22:24 -0400 (EDT) +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Rare Virgin Shark Births Reported in Detroit +Voice of America - 5 hours ago +A female shark has become a single mother - in the strictest sense of the +term. Officials at Detroit's Belle Isle Aquarium say a shark there +recently produced three babies in an event they are calling virgin births. + +http://www.cnn.com/2002/US/Midwest/09/23/offbeat.shark.births.ap/ +http://www.miami.com/mld/miamiherald/4124307.htm +http://www.startribune.com/stories/1451/3320433.html + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0805.f275674c050884c5ad02c1b6fac94e30 b/machine-learning-ex6/ex6/easy_ham/0805.f275674c050884c5ad02c1b6fac94e30 new file mode 100644 index 0000000..a6460b8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0805.f275674c050884c5ad02c1b6fac94e30 @@ -0,0 +1,225 @@ +From fork-admin@xent.com Tue Sep 24 10:48:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E481816F03 + for ; Tue, 24 Sep 2002 10:48:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NNm5C08423 for ; + Tue, 24 Sep 2002 00:48:06 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 559952940F5; Mon, 23 Sep 2002 16:44:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 1A8DB29409A for ; + Mon, 23 Sep 2002 16:43:16 -0700 (PDT) +Received: from [66.157.233.109] (helo=regina) by homer.perfectpresence.com + with smtp (Exim 3.36 #1) id 17tcvH-000093-00; Mon, 23 Sep 2002 19:47:27 + -0400 +From: "Geege Schuman" +To: "R. A. Hettinga" , + "Geege Schuman" , + "Owen Byrne" +Cc: "Gary Lawrence Murphy" , + "Mr. FoRK" , , + "Digital Bearer Settlement List" +Subject: RE: Comrade Communism (was Re: Crony Capitalism (was RE: sed + /s/United States/Roman Empire/g)) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 19:44:22 -0400 +X-Spam-Status: No, hits=-5.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +First, misattribution. I did not write the blurb below. I made one +statement about VP Cheney only, to wit, that he has a short memory. + +I couldn't agree with you more on this: "in short, then, economics is not a +zero sum game, property is not theft, the rich don't get rich off the backs +of the poor, and redistributionist labor "theory" of value happy horseshit +is just that: horseshit, happy or otherwise," however, I resent being lumped +in a zero-sum-zealot category for suggesting nothing more than that rich and +successful at face value is apropos of nothing and I am beginning to +understand that people who immediately and so fiercely object to my ad +hominem (re Cheney) align themselves weird sylogisms like "if rich then +deservedly" or "if rich then smarter." Given that, I am also beginning to +understand why some people NEED to be rich. + +WRT to meritocracies - all hail, meritocracies! WRT Harvard: over 90% of +2002 graduates were cum laude +. INTERESTING curve. Those eager to be +measured got their wish; those unwashed shy folk who just live it provide +the balast. + +Speaking of Forbes, was reading about Peter Norton just today in an old +issue while waiting for my doctor. Norton attributes his success to LUCK. +Imagine. + +Geege + +-----Original Message----- +From: R. A. Hettinga [mailto:rah@shipwright.com] +Sent: Sunday, September 22, 2002 10:01 PM +To: Geege Schuman; Owen Byrne +Cc: Gary Lawrence Murphy; Mr. FoRK; fork@example.com; Digital Bearer +Settlement List +Subject: Comrade Communism (was Re: Crony Capitalism (was RE: sed +/s/United States/Roman Empire/g)) + + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +At 11:15 AM -0400 on 9/22/02, Geege Schuman wrote: + + +> Most of them seem to have Ivy League educations, or are Ivy League +> dropouts suggesting to me that they weren't exactly poor to start +> with. + +Actually, if I remember correctly from discussion of the list's +composition in Forbes about five or six years ago, the *best* way to +get on the Forbes 400 is to have *no* college at all. Can you say +"Bootstraps", boys and girls? I knew you could... + +[Given that an undergraduate liberal arts degree from a state school, +like, say, mine, :-), is nothing but stuff they should have taught +you in a government-run "high" school, you'll probably get more of +*those* on the Forbes 400 as well as time goes on. If we ever get +around to having a good old fashioned government-collapsing +transfer-payment depression (an economic version of this summer's +government-forest conflagration, caused by the same kind of +innumeracy that not clear-cutting enough forests did out west this +summer :-)) that should motivate more than a few erst-slackers out +there, including me, :-), to learn to actually feed themselves.] + + +The *next* category on the Forbes 400 list is someone with a +"terminal" professional degree, like an MBA, PhD, MD, etc., from the +best school possible. + +Why? Because, as of about 1950, the *best* way to get into Harvard, +for instance, is to be *smart*, not rich. Don't take my word for it, +ask their admissions office. Look at the admissions stats over the +years for proof. + +Meritocracy, American Style, was *invented* at the Ivy League after +World War II. Even Stanford got the hint, :-), and, of course, +Chicago taught them all how, right? :-). Practically *nobody* who +goes to a top-20 American institution of higher learning can actually +afford to go there these days. Unless, of course, their parents, who +couldn't afford to go there themselves, got terminal degrees in the +last 40 years or so. And their kids *still* had to get the grades, +and "biased" (by intelligence :-)), test scores, to get in. + + +The bizarre irony is that almost all of those people with "terminal" +degrees, until they actually *own* something and *hire* people, or +learn to *make* something for a living all day on a profit and loss +basis, persist in the practically insane belief, like life after +death, that economics is some kind of zero sum game, that dumb people +who don't work hard for it make all the money, and, if someone *is* +smart, works hard, and is rich, then they stole their wealth somehow. + +BTW, none of you guys out there holding the short end of this +rhetorical stick can blame *me* for the fact that I'm using it to +beat you severely all over your collective head and shoulders. You +were, apparently, too dumb to grab the right end. *I* went to +Missouri, and *I* don't have a degree in anything actually useful, +much less a "terminal" one, which means *I*'m broker than anyone on +this list -- it's just that *you*, of all people, lots with +educations far surpassing my own, should just plain know better. The +facts speak for themselves, if you just open your eyes and *look*. +There are no epicycles, the universe does not orbit the earth, and +economics is not a zero-sum game. The cost of anything, including +ignorance and destitution, is the forgone alternative, in this case, +intelligence and effort. + +[I will, however, admit to being educated *waay* past my level of +competence, and, by the way *you* discuss economics, so have you, +apparently.] + + + +BTW, if we ever actually *had* free markets in this country, +*including* the abolition of redistributive income and death taxes, +all those smart people in the Forbes 400 would have *more* money, and +there would be *more* self-made people on that list. In addition, +most of the people who *inherited* money on the list would have +*much* less of it, not even relatively speaking. Finally, practically +all of that "new" money would have come from economic efficiency and +not "stolen" from someone else, investment bubbles or not. + +That efficiency is called "progress", for those of you in The +People's Republics of Berkeley or Cambridge. It means more and better +stuff, cheaper, over time -- a terrible, petit-bourgeois concept +apparently not worthy of teaching by the educational elite, or you'd +know about it by now. In economic terms, it's also called an increase +in general welfare, and, no, Virginia, I'm not talking about +extorting money from someone who works, and giving it to someone who +doesn't in order to keep them from working and they can think of some +politician as Santa Claus come election time... + + +In short, then, economics is not a zero sum game, property is not +theft, the rich don't get rich off the backs of the poor, and +redistributionist labor "theory" of value happy horseshit is just +that: horseshit, happy or otherwise. + +To believe otherwise, is -- quite literally, given the time Marx +wrote Capital and the Manifesto -- romantic nonsense. + +Cheers, +RAH + +-----BEGIN PGP SIGNATURE----- +Version: PGP 7.5 + +iQA/AwUBPY511cPxH8jf3ohaEQLAsgCfZhsQMSvUy6GqJ5wgL52DwZKpIhMAnRuR +YYboc+IcylP5TlKL58jpwEfu +=z877 +-----END PGP SIGNATURE----- + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0806.2eae7f9f133274ed400a215174b7de1d b/machine-learning-ex6/ex6/easy_ham/0806.2eae7f9f133274ed400a215174b7de1d new file mode 100644 index 0000000..ffd144a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0806.2eae7f9f133274ed400a215174b7de1d @@ -0,0 +1,173 @@ +From fork-admin@xent.com Tue Sep 24 10:48:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C982D16F03 + for ; Tue, 24 Sep 2002 10:48:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8NNu4C08643 for ; + Tue, 24 Sep 2002 00:56:05 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 594552941FE; Mon, 23 Sep 2002 16:52:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from relay.pair.com (relay1.pair.com [209.68.1.20]) by xent.com + (Postfix) with SMTP id 82B5529409A for ; Mon, + 23 Sep 2002 16:51:44 -0700 (PDT) +Received: (qmail 13169 invoked from network); 23 Sep 2002 23:55:23 -0000 +Received: from adsl-66-124-225-82.dsl.snfc21.pacbell.net (HELO golden) + (66.124.225.82) by relay1.pair.com with SMTP; 23 Sep 2002 23:55:23 -0000 +X-Pair-Authenticated: 66.124.225.82 +Message-Id: <0b3901c2635c$ab557240$640a000a@golden> +From: "Gordon Mohr" +To: +References: +Subject: Re: How about subsidizing SSL access to Google? +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 8bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 16:55:17 -0700 +X-Spam-Status: No, hits=-2.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +Good idea! + +This could also be a job for P2P; lots of people would love to +devote their spare cycles, bandwidth, and unblocked IP addresses +to giving the Chinese unfettered net access. + +In a sense, this is what the "peek-a-booty" project does: + + http://www.peek-a-booty.org + +But let's play out the next few moves: + +Good Guys: Google enables SSL access + Bad Guys: Chinese government again blocks all access to Google domains +Good Guys: Set up Google proxies on ever-changing set of hosts (peek-a-booty) + Bad Guys: Ban SSL (or any unlicensed opaque traffic) at the national firewall +Good Guys: Hide Google traffic inside other innocuous-looking activity + Bad Guys: Require nationwide installation of client-side NetNannyish + software +Good Guys: Offer software which disables/spoofs monitoring software + Bad Guys: Imprison and harvest organs from people found using + monitoring-disabling-software + +...and on and on. + +The best we can hope is that technological cleverness, by raising the +costs of oppression or by provoking intolerable oppression, brings +social liberalization sooner rather than later. + +- Gordon + +----- Original Message ----- +From: "Rohit Khare" +To: +Sent: Monday, September 23, 2002 2:44 PM +Subject: How about subsidizing SSL access to Google? + + +[a cheeky letter to the editors of the Economist follows, along with the +article I was commenting on... Rohit] + +In your article about Chinese attempts to censor Google last week ("The +Search Goes On", Sept. 19th), the followup correctly noted that the most +subversive aspect of Google's service is not its card catalog, which +merely points surfers in the right direction, but the entire library. By +maintaining what amounts to a live backup of the entire World Wide Web, +if you can get to Google's cache, you can read anything you'd like. + +The techniques Chinese Internet Service Providers are using to enforce +these rules, however, all depend on the fact that traffic to and from +Google, or indeed almost all public websites, is unencrypted. Almost all +Web browsers, however, include support for Secure Sockets Layer (SSL) +encryption for securing credit card numbers and the like. Upgrading to +SSL makes it effectively impossible for a 'man-in-the-middle' to meddle; +censorship would have to be imposed on each individual computer in +China. The only choice left is to either ban the entire site (range of +IP addresses), but not the kind of selective filtering reported on in +the article. + +Of course, the additional computing power to encrypt all this traffic +costs real money. If the United States is so concerned about the free +flow of information, why shouldn't the Broadcasting Board of Governors +sponsor an encrypted interface to Google, or for that matter, the rest +of the Web? + +To date, public diplomacy efforts have focused on public-sector +programming for the Voice of America, Radio Sawa, and the like. Just +imagine if the US government got into the business of subsidizing secure +access to private-sector media instead. Nothing illustrates the freedom +of the press as much as the wacky excess of the press itself -- and most +of it is already salted away at Google and the Internet Archive project. + +On second thought, I can hardly imagine this Administration *promoting* +the use of encryption to uphold privacy rights. Never mind... + +Best, + Rohit Khare + +=========================================================== + +The search goes on +China backtracks on banning Google—up to a point + +Sep 19th 2002 | BEIJING + From The Economist print edition + +IN CHINESE, the nickname for Google, an American Internet search engine, +is gougou, meaning “doggy”. For the country's fast-growing population of +Internet users (46m, according to an official estimate), it is proving +an elusive creature. Earlier this month, the Chinese authorities blocked +access to Google from Internet service providers in China—apparently +because the search engine helped Chinese users to get access to +forbidden sites. Now, after an outcry from those users, access has been +restored. + +An unusual climbdown by China's zealous Internet censors? Hardly. More +sophisticated controls have now been imposed that make it difficult to +use Google to search for material deemed offensive to the government. +Access is still blocked to the cached versions of web pages taken by +Google as it trawls the Internet. These once provided a handy way for +Chinese users to see material stored on blocked websites. + +After the blocking of Google on August 31st, many Chinese Internet users +posted messages on bulletin boards in China protesting against the move. +Their anger was again aroused last week when some Chinese Internet +providers began rerouting users trying to reach the blocked Google site +to far less powerful search engines in China. + +Duncan Clark, the head of a Beijing-based technology consultancy firm, +BDA (China) Ltd, says China is trying a new tactic in its efforts to +censor the Internet. Until recently, it had focused on blocking +individual sites, including all pages stored on them. Now it seems to be +filtering data transmitted to or from foreign websites to search for key +words that might indicate undesirable content. For example earlier this +week when using Eastnet, a Beijing-based Internet provider, a search on +Google for Falun Gong—a quasi-Buddhist exercise sect outlawed in China— +usually aborted before all the results had time to appear. Such a search +also rendered Google impossible to use for several minutes. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0807.f71b636c06421f0cddb167eed4c0be82 b/machine-learning-ex6/ex6/easy_ham/0807.f71b636c06421f0cddb167eed4c0be82 new file mode 100644 index 0000000..35fede1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0807.f71b636c06421f0cddb167eed4c0be82 @@ -0,0 +1,272 @@ +From fork-admin@xent.com Tue Sep 24 10:48:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4F72516F03 + for ; Tue, 24 Sep 2002 10:48:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O0TsC13135 for ; + Tue, 24 Sep 2002 01:29:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6F07C294206; Mon, 23 Sep 2002 17:26:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 8884929409A for ; Mon, + 23 Sep 2002 17:25:55 -0700 (PDT) +Received: (qmail 24684 invoked from network); 24 Sep 2002 00:29:33 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 24 Sep 2002 00:29:33 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: Pluck and Luck +Message-Id: <000701c26361$74e027a0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:29:29 -0700 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +Anyone who doesn't appreciate both PLUCK and LUCK is only looking at +part of the equation. + +America has, in fact, moved hard toward Meritocracy. But -- and this is +a huge one -- you don't necessarily find it on the Forbes list. There +is an element of LUCK, even if only being in the right place at the +right time, to go that high. + +Beyond the Forbes List, there are many ways in which almost pure LUCK is +involved in significant wealth. Being a super-model, for example. +Though I think most people would be surprised by a lot of super-models. +Cindy Crawford was valedictorian of her high school. + +Most people, of course, aren't in those stratified realms. It is the +rest of us who tend to sort. + +There is a huge philosophical problem with the concept of Merit in the +first place. Rawls claims Merit doesn't exist. Sowell seems to agree +at least in part, but I'm sure Sowell would also state that the benefits +of pretending it exists for society at large are enormous. + +And if Merit does exist then exactly what is it measuring? IQ? Purity +of heart? Or the ability to satisfy customers? Functionally most +people seem to equate Merit with IQ though they say it would be better +if it were purity of heart. Yet the type of Merit that lands you on the +Forbes list, or even just being a garden variety 'millionaire next door' +is more likely to be the 'serving customers' definition. + +Differences due to merit, when they are perceived as such, generate far +more animosity than differences due to luck. Luck can be forgiven. +Superior performance, often not. + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> Sent: Monday, September 23, 2002 4:44 PM +> To: R. A. Hettinga; Geege Schuman; Owen Byrne +> Cc: Gary Lawrence Murphy; Mr. FoRK; fork@example.com; Digital Bearer +> Settlement List +> Subject: RE: Comrade Communism (was Re: Crony Capitalism (was RE: sed +> /s/United States/Roman Empire/g)) +> +> First, misattribution. I did not write the blurb below. I made one +> statement about VP Cheney only, to wit, that he has a short memory. +> +> I couldn't agree with you more on this: "in short, then, economics is +not +> a +> zero sum game, property is not theft, the rich don't get rich off the +> backs +> of the poor, and redistributionist labor "theory" of value happy +horseshit +> is just that: horseshit, happy or otherwise," however, I resent being +> lumped +> in a zero-sum-zealot category for suggesting nothing more than that +rich +> and +> successful at face value is apropos of nothing and I am beginning to +> understand that people who immediately and so fiercely object to my ad +> hominem (re Cheney) align themselves weird sylogisms like "if rich +then +> deservedly" or "if rich then smarter." Given that, I am also +beginning to +> understand why some people NEED to be rich. +> +> WRT to meritocracies - all hail, meritocracies! WRT Harvard: over 90% +of +> 2002 graduates were cum laude +. INTERESTING curve. Those eager to be +> measured got their wish; those unwashed shy folk who just live it +provide +> the balast. +> +> Speaking of Forbes, was reading about Peter Norton just today in an +old +> issue while waiting for my doctor. Norton attributes his success to +LUCK. +> Imagine. +> +> Geege +> +> -----Original Message----- +> From: R. A. Hettinga [mailto:rah@shipwright.com] +> Sent: Sunday, September 22, 2002 10:01 PM +> To: Geege Schuman; Owen Byrne +> Cc: Gary Lawrence Murphy; Mr. FoRK; fork@example.com; Digital Bearer +> Settlement List +> Subject: Comrade Communism (was Re: Crony Capitalism (was RE: sed +> /s/United States/Roman Empire/g)) +> +> +> -----BEGIN PGP SIGNED MESSAGE----- +> Hash: SHA1 +> +> At 11:15 AM -0400 on 9/22/02, Geege Schuman wrote: +> +> +> > Most of them seem to have Ivy League educations, or are Ivy League +> > dropouts suggesting to me that they weren't exactly poor to start +> > with. +> +> Actually, if I remember correctly from discussion of the list's +> composition in Forbes about five or six years ago, the *best* way to +> get on the Forbes 400 is to have *no* college at all. Can you say +> "Bootstraps", boys and girls? I knew you could... +> +> [Given that an undergraduate liberal arts degree from a state school, +> like, say, mine, :-), is nothing but stuff they should have taught +> you in a government-run "high" school, you'll probably get more of +> *those* on the Forbes 400 as well as time goes on. If we ever get +> around to having a good old fashioned government-collapsing +> transfer-payment depression (an economic version of this summer's +> government-forest conflagration, caused by the same kind of +> innumeracy that not clear-cutting enough forests did out west this +> summer :-)) that should motivate more than a few erst-slackers out +> there, including me, :-), to learn to actually feed themselves.] +> +> +> The *next* category on the Forbes 400 list is someone with a +> "terminal" professional degree, like an MBA, PhD, MD, etc., from the +> best school possible. +> +> Why? Because, as of about 1950, the *best* way to get into Harvard, +> for instance, is to be *smart*, not rich. Don't take my word for it, +> ask their admissions office. Look at the admissions stats over the +> years for proof. +> +> Meritocracy, American Style, was *invented* at the Ivy League after +> World War II. Even Stanford got the hint, :-), and, of course, +> Chicago taught them all how, right? :-). Practically *nobody* who +> goes to a top-20 American institution of higher learning can actually +> afford to go there these days. Unless, of course, their parents, who +> couldn't afford to go there themselves, got terminal degrees in the +> last 40 years or so. And their kids *still* had to get the grades, +> and "biased" (by intelligence :-)), test scores, to get in. +> +> +> The bizarre irony is that almost all of those people with "terminal" +> degrees, until they actually *own* something and *hire* people, or +> learn to *make* something for a living all day on a profit and loss +> basis, persist in the practically insane belief, like life after +> death, that economics is some kind of zero sum game, that dumb people +> who don't work hard for it make all the money, and, if someone *is* +> smart, works hard, and is rich, then they stole their wealth somehow. +> +> BTW, none of you guys out there holding the short end of this +> rhetorical stick can blame *me* for the fact that I'm using it to +> beat you severely all over your collective head and shoulders. You +> were, apparently, too dumb to grab the right end. *I* went to +> Missouri, and *I* don't have a degree in anything actually useful, +> much less a "terminal" one, which means *I*'m broker than anyone on +> this list -- it's just that *you*, of all people, lots with +> educations far surpassing my own, should just plain know better. The +> facts speak for themselves, if you just open your eyes and *look*. +> There are no epicycles, the universe does not orbit the earth, and +> economics is not a zero-sum game. The cost of anything, including +> ignorance and destitution, is the forgone alternative, in this case, +> intelligence and effort. +> +> [I will, however, admit to being educated *waay* past my level of +> competence, and, by the way *you* discuss economics, so have you, +> apparently.] +> +> +> +> BTW, if we ever actually *had* free markets in this country, +> *including* the abolition of redistributive income and death taxes, +> all those smart people in the Forbes 400 would have *more* money, and +> there would be *more* self-made people on that list. In addition, +> most of the people who *inherited* money on the list would have +> *much* less of it, not even relatively speaking. Finally, practically +> all of that "new" money would have come from economic efficiency and +> not "stolen" from someone else, investment bubbles or not. +> +> That efficiency is called "progress", for those of you in The +> People's Republics of Berkeley or Cambridge. It means more and better +> stuff, cheaper, over time -- a terrible, petit-bourgeois concept +> apparently not worthy of teaching by the educational elite, or you'd +> know about it by now. In economic terms, it's also called an increase +> in general welfare, and, no, Virginia, I'm not talking about +> extorting money from someone who works, and giving it to someone who +> doesn't in order to keep them from working and they can think of some +> politician as Santa Claus come election time... +> +> +> In short, then, economics is not a zero sum game, property is not +> theft, the rich don't get rich off the backs of the poor, and +> redistributionist labor "theory" of value happy horseshit is just +> that: horseshit, happy or otherwise. +> +> To believe otherwise, is -- quite literally, given the time Marx +> wrote Capital and the Manifesto -- romantic nonsense. +> +> Cheers, +> RAH +> +> -----BEGIN PGP SIGNATURE----- +> Version: PGP 7.5 +> +> iQA/AwUBPY511cPxH8jf3ohaEQLAsgCfZhsQMSvUy6GqJ5wgL52DwZKpIhMAnRuR +> YYboc+IcylP5TlKL58jpwEfu +> =z877 +> -----END PGP SIGNATURE----- +> +> -- +> ----------------- +> R. A. Hettinga +> The Internet Bearer Underwriting Corporation +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0808.426e30e31a3d3fab634e31e8aeb30c34 b/machine-learning-ex6/ex6/easy_ham/0808.426e30e31a3d3fab634e31e8aeb30c34 new file mode 100644 index 0000000..509e736 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0808.426e30e31a3d3fab634e31e8aeb30c34 @@ -0,0 +1,179 @@ +From fork-admin@xent.com Tue Sep 24 10:48:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 132EF16F03 + for ; Tue, 24 Sep 2002 10:48:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O0f5C13558 for ; + Tue, 24 Sep 2002 01:41:06 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 14FAC294221; Mon, 23 Sep 2002 17:29:16 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav44.law15.hotmail.com [64.4.22.16]) by + xent.com (Postfix) with ESMTP id E00F929420F for ; + Mon, 23 Sep 2002 17:28:43 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 17:32:24 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "James Rogers" , +References: <1032813374.21921.43.camel@avalon> + + <1032817721.21925.54.camel@avalon> +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; charset="windows-1251" +Content-Transfer-Encoding: 8bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 24 Sep 2002 00:32:24.0433 (UTC) FILETIME=[DA3EEE10:01C26361] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:37:12 -0700 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +Thanks for the link - I'm fascinated by archaeology as well. + +----- Original Message ----- +From: "James Rogers" +To: +Sent: Monday, September 23, 2002 2:48 PM +Subject: Re: Goodbye Global Warming + + +I've seen articles on this type of stuff passing through various forums +for several years. I've always found archaeology interesting for no +particular reason. Here is a recent article from U.S. News that I +actually still have in the dank recesses of my virtual repository. + +-James Rogers + jamesr@best.com + + +-------------------------------------------- +http://www.usnews.com/usnews/issue/020916/misc/16meltdown.htm + +Defrosting the past + +Ancient human and animal remains are melting out of glaciers, a bounty +of a warming world + +BY ALEX MARKELS + +As he hiked near Colorado's Continental Divide in the summer of 2001, Ed +Knapp noticed a strange shape jutting from a melting ice field at 13,000 +feet. "It looked like a bison skull," the building contractor and +amateur archaeologist recalls. "I thought, 'That's strange. Bison don't +live this high up.' " + +Knapp brought the skull to the Denver Museum of Nature and Science, +where scientists last month announced that it was indeed from a +bison–one that died about 340 years ago. "This was an extraordinary +discovery," says Russ Graham, the museum's chief curator, adding that it +could alter notions of the mountain environment centuries ago. "There's +probably a lot more like it yet to be found." + +And not just bison. Colorado isn't the only place where glaciers and +snowfields are melting. Decades of unusual warmth in regions from Peru +to Alaska–a trend some think is linked to emissions from cars and +industry–have shrunk or thawed many of the world's 70,000 glaciers. As +the ice recedes, a treasure-trove of human and animal artifacts is +emerging, extraordinarily well preserved after centuries in the deep +freeze. The fabrics, wood, bone, and DNA-rich tissue found on the mucky +fringes of the ice are revising scientists' understanding of our +predecessors' health, habits, and technology, and the prey they pursued. + +"It's mind-boggling how many different fields are being advanced through +studying these remains," says Johan Reinhard, a high-altitude +archaeologist and explorer-in-residence at the National Geographic +Society. Rare, spectacular finds like the frozen mummies he discovered +in the Andes of Peru in the 1990s and the legendary 5,300-year-old "Ice +Man," found at the edge of a receding glacier in the Alps in 1991, have +offered time capsules of cultural and biological information. Now, as +the ice continues to retreat, it is yielding not just occasional +treasures but long records of humans and animals in the high mountains. + +Vanishing act. The trick is finding such specimens before Mother +Nature–and looters–take them first. Once uncovered, frozen remains can +deteriorate within hours or be gnawed by animals. Moreover, they're +often so well preserved when they emerge that people who come upon them +don't even realize they're ancient. + +That was the case when three men hunting sheep near a high glacier in +British Columbia, Canada, three years ago saw what they thought was a +dead animal. "It looked a little like sealskin buried in the ice," +recalls Warren Ward, a teacher from nearby Nelson. "But when I looked +closer I could see leather fringe from a coat and finger bones." + +Figuring they had found the remains of another hunter, or perhaps a fur +trapper, the men stowed a flint knife and other artifacts in a Zip-Loc +bag and delivered them to local officials. Archaeologists later exhumed +the fallen hunter's body, along with a woven hat, fur clothing, and what +seemed to be a medicine bag. Carbon dating revealed that the hunter +lived about 550 years ago. Dubbed Kwaday Dan Ts'inchi, or Long Ago +Person Found, by people of the Champagne and Aishihik First Nations (who +may be his direct descendants), he is perhaps the best-preserved human +from the period ever found in North America. + +Other findings from melting ice in the neighboring Yukon region could +explain what that long-ago person was doing in the mountains in the +first place. "Before this there was no archaeological record of people +living here," says Greg Hare, a Yukon government archaeologist. "Now we +see that this area was very much part of people's seasonal activities." + +Like Ward's discovery, the search began by chance, when Kristin Benedek +caught a whiff of what smelled like a barnyard as she and her husband, +Gerry Kuzyk, hunted sheep at 6,000 feet in the mountains of the south +Yukon. They followed the scent to a melting patch of ice covered in +caribou dung. "It was really odd, because I knew there hadn't been +caribou in the area for at least 100 years," recalls Kuzyk, then a +wildlife biologist with the Yukon government. + +Caribou cake. Returning a week later, he found "what looked like a +pencil with string wrapped around it." It turned out to be a +4,300-year-old atlatl, or spear thrower. Further investigation of the +ice patch–and scores of others around the region–revealed icy layer +cakes filled with caribou remains and human detritus chronicling 7,800 +years of changing hunting practices. + +Scientists now believe ancient caribou and other animals flocked to the +ice each summer to cool down and escape swarming mosquitoes and flies. +Hunters followed the game. They returned for centuries and discarded +some equipment in the ice. "We've got people hunting with throwing darts +up until 1,200 years ago," says Hare, who now oversees the research +project. "Then we see the first appearance of the bow and arrow about +1,300 years ago. And by 1,200 years ago, there's no more throwing +darts." + +Now scientists are trying to make the search less a matter of luck. They +are developing sophisticated computer models that combine data on where +glaciers are melting fastest and where humans and animals are known to +have migrated to pinpoint the best places to search in Alaska's Wrangell +and St. Elias mountain ranges–the United States' most glaciated +terrain–and in the Andes. Johan Reinhard thinks the fast- thawing +European Alps could also deliver more findings, perhaps as exquisite as +the Ice Man. "Global warming is providing us high-altitude +archaeologists with some fantastic opportunities right now. We're +probably about the only ones happy about it." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0809.371aae7cab194e25613d5b4b2cd8b6ea b/machine-learning-ex6/ex6/easy_ham/0809.371aae7cab194e25613d5b4b2cd8b6ea new file mode 100644 index 0000000..d5d02a4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0809.371aae7cab194e25613d5b4b2cd8b6ea @@ -0,0 +1,81 @@ +From fork-admin@xent.com Tue Sep 24 10:48:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AEA8F16F03 + for ; Tue, 24 Sep 2002 10:48:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:48:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O0irC13647 for ; + Tue, 24 Sep 2002 01:44:54 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 91FC7294230; Mon, 23 Sep 2002 17:30:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav36.law15.hotmail.com [64.4.22.93]) by + xent.com (Postfix) with ESMTP id 2307929422D for ; + Mon, 23 Sep 2002 17:29:44 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 17:33:23 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "FoRK" +References: <000c01c26347$730dd770$0200a8c0@JMHALL> +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 24 Sep 2002 00:33:23.0749 (UTC) FILETIME=[FD99D550:01C26361] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:38:08 -0700 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + +Of the three lying politicians, which liar would you take? + +----- Original Message ----- +From: "John Hall" +To: "FoRK" +Sent: Monday, September 23, 2002 2:23 PM +Subject: RE: Goodbye Global Warming + + +> "I did not have sex with that woman." +> +> > -----Original Message----- +> > From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Mr. +> > FoRK +> > Sent: Monday, September 23, 2002 2:12 PM +> > To: FoRK +> > Subject: Re: Goodbye Global Warming +> > +> > +> > ----- Original Message ----- +> > From: "John Hall" +> > +> > > A Green once said that if the Spotted Owl hadn't existed they +> > > would have had to invent it. +> > A Republican once said "I am not a crook". +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0810.0b45692b95f22dd7373a9f464e96a518 b/machine-learning-ex6/ex6/easy_ham/0810.0b45692b95f22dd7373a9f464e96a518 new file mode 100644 index 0000000..a01b497 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0810.0b45692b95f22dd7373a9f464e96a518 @@ -0,0 +1,82 @@ +From fork-admin@xent.com Tue Sep 24 10:49:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1EB1116F03 + for ; Tue, 24 Sep 2002 10:49:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O1eEC15617 for ; + Tue, 24 Sep 2002 02:40:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A8753294240; Mon, 23 Sep 2002 18:31:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id EAE8529423D for + ; Mon, 23 Sep 2002 18:30:05 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17teZU-0005jj-00; + Mon, 23 Sep 2002 21:33:04 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: Tom , "Mr. FoRK" +From: "R. A. Hettinga" +Subject: Re: Goodbye Global Warming +Cc: FoRK , + Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 18:25:50 -0400 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,DATE_IN_PAST_03_06,EMAIL_ATTRIBUTION,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 5:22 PM -0400 on 9/23/02, Tom wrote: + + +> --]> A Green once said that if the Spotted Owl hadn't existed they +> --]> would have had to invent it. +> --]A Republican once said "I am not a crook". +> --] +> +> Oh great, another round of Lableisms....Let me know when you get back to +> real data.. + +Not me. I have another one, instead: + + Green = Red. + +;-). + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0811.ec8f54c9328755f7208f3ec1717e60de b/machine-learning-ex6/ex6/easy_ham/0811.ec8f54c9328755f7208f3ec1717e60de new file mode 100644 index 0000000..102315a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0811.ec8f54c9328755f7208f3ec1717e60de @@ -0,0 +1,78 @@ +From fork-admin@xent.com Tue Sep 24 10:49:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8542716F03 + for ; Tue, 24 Sep 2002 10:49:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O1hiC15696 for ; + Tue, 24 Sep 2002 02:43:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 00CE4294246; Mon, 23 Sep 2002 18:31:15 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id 2CA4A29423D for + ; Mon, 23 Sep 2002 18:30:22 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17teZd-0005jj-00; + Mon, 23 Sep 2002 21:33:14 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: + +To: "Mr. FoRK" , "Tom" +From: "R. A. Hettinga" +Subject: Re: Goodbye Global Warming +Cc: "FoRK" , + Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 18:32:44 -0400 +X-Spam-Status: No, hits=-4.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 2:57 PM -0700 on 9/23/02, Mr. FoRK wrote: + + +> I just had a run-in with a neighbor whom I've never met before who +> pigeonholed me within one minute after I asked a question - he said 'Are you +> one of them environmentalists?' +> +> Sheesh... I've been out of work too long... + +We'll ignore the possibility of a correlation here in the interest of +charity... + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0812.6169d140cd30064a857c2e3ad20b31c2 b/machine-learning-ex6/ex6/easy_ham/0812.6169d140cd30064a857c2e3ad20b31c2 new file mode 100644 index 0000000..494f87a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0812.6169d140cd30064a857c2e3ad20b31c2 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Tue Sep 24 10:49:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E4AB216F03 + for ; Tue, 24 Sep 2002 10:49:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O1mWC15770 for ; + Tue, 24 Sep 2002 02:48:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8D6F29421F; Mon, 23 Sep 2002 18:43:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4F33C29409A for ; Mon, + 23 Sep 2002 18:42:42 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id C459C3ECBD; + Mon, 23 Sep 2002 21:51:03 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id BE1A53EC9F; Mon, 23 Sep 2002 21:51:03 -0400 (EDT) +From: Tom +To: Gordon Mohr +Cc: fork@example.com +Subject: Re: How about subsidizing SSL access to Google? +In-Reply-To: <0b3901c2635c$ab557240$640a000a@golden> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 21:51:03 -0400 (EDT) +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Mon, 23 Sep 2002, Gordon Mohr wrote: +--] +--]The best we can hope is that technological cleverness, by raising the +--]costs of oppression or by provoking intolerable oppression, brings +--]social liberalization sooner rather than later. + +In a very real sense we are still playing the "stone hurst man, man wears +hide, stone dont hurt no more so now we use arrows, arrows go thru hide +dang lets try this chain mail stuff, arrows dont go thru chain mail so now +we try crafting long spears with chain ripping heads, hey there buddy try +that against my plate mail, well F you and the horse you plated try doging +a bullets, holy shit where is my kevlar, does you kevlar stop nukes..." +game. + +In this mad mad mad mad james burkian cum chucky darwin world there is no +rest for either the wicked or the nonwicked, there is just the ramp up to +the Brand New Jimmiez. + +the trick I think should all be learning is not so much looking for the +THE KILLER APP but instead to look for the "really cool app that mutates +to meet changes" + +Bascialy give china no choise but to shoot its own head off to stop the +music. + +bang bang ... have a nice day. + +-tom + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0813.9c59b6b0d4e221ca29d576cd2f170f06 b/machine-learning-ex6/ex6/easy_ham/0813.9c59b6b0d4e221ca29d576cd2f170f06 new file mode 100644 index 0000000..084637f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0813.9c59b6b0d4e221ca29d576cd2f170f06 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Tue Sep 24 10:49:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A022E16F03 + for ; Tue, 24 Sep 2002 10:49:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O203C16181 for ; + Tue, 24 Sep 2002 03:00:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3DADB2940B8; Mon, 23 Sep 2002 18:56:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out2.apple.com (mail-out2.apple.com [17.254.0.51]) by + xent.com (Postfix) with ESMTP id F1A9C29409A for ; + Mon, 23 Sep 2002 18:55:42 -0700 (PDT) +Received: from mailgate1.apple.com (A17-128-100-225.apple.com + [17.128.100.225]) by mail-out2.apple.com (8.11.3/8.11.3) with ESMTP id + g8O1xI926223 for ; Mon, 23 Sep 2002 18:59:19 -0700 (PDT) +Received: from scv1.apple.com (scv1.apple.com) by mailgate1.apple.com + (Content Technologies SMTPRS 4.2.5) with ESMTP id + for ; + Mon, 23 Sep 2002 18:59:13 -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv1.apple.com (8.11.3/8.11.3) with ESMTP id g8O1xIb06941 for + ; Mon, 23 Sep 2002 18:59:18 -0700 (PDT) +Subject: Re: Goodbye Global Warming +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +From: Bill Humphries +To: fork@example.com +Content-Transfer-Encoding: 7bit +In-Reply-To: +Message-Id: <4CD47AE0-CF61-11D6-B8C1-003065F62CD6@whump.com> +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 18:59:46 -0700 +X-Spam-Status: No, hits=-3.9 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +On Monday, September 23, 2002, at 03:25 PM, R. A. Hettinga wrote: + +> Green = Red. + + Capitalist = Nazi. + + Information content of the above statements === 0. + +Meanwhile, the angels of light (tm) are having a great knock-down +drag-out with the eldrich kings of .NET on XML-DEV. + +-- whump + + +---- +Bill Humphries +http://www.whump.com/moreLikeThis/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0814.1d2d3dedc0e3e216225f4af0e9323fb5 b/machine-learning-ex6/ex6/easy_ham/0814.1d2d3dedc0e3e216225f4af0e9323fb5 new file mode 100644 index 0000000..7601d0e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0814.1d2d3dedc0e3e216225f4af0e9323fb5 @@ -0,0 +1,64 @@ +From fork-admin@xent.com Tue Sep 24 10:49:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EE33A16F03 + for ; Tue, 24 Sep 2002 10:49:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O250C16259 for ; + Tue, 24 Sep 2002 03:05:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1871C29423B; Mon, 23 Sep 2002 18:58:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f68.law15.hotmail.com [64.4.23.68]) by + xent.com (Postfix) with ESMTP id BDEA82940FD for ; + Mon, 23 Sep 2002 18:57:17 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 23 Sep 2002 19:00:58 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Tue, 24 Sep 2002 02:00:58 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: Goodbye Global Warming +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 24 Sep 2002 02:00:58.0571 (UTC) FILETIME=[39B809B0:01C2636E] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 02:00:58 +0000 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,HOTMAIL_FOOTER1,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Mr. FoRK: +>Of the three lying politicians, which liar would you take? + +No, no. The riddle is, asking only one question, how +do you determine which is which? "If I were to ask +you whether he would say you were a crook, or if the +other had sex ..?" + + + + + +_________________________________________________________________ +Send and receive Hotmail on your mobile device: http://mobile.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0815.a212f32e210b815e2663ca5fd624aa58 b/machine-learning-ex6/ex6/easy_ham/0815.a212f32e210b815e2663ca5fd624aa58 new file mode 100644 index 0000000..db97b8a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0815.a212f32e210b815e2663ca5fd624aa58 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Sep 24 10:49:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5BC3B16F03 + for ; Tue, 24 Sep 2002 10:49:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O28aC16435 for ; + Tue, 24 Sep 2002 03:08:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4C9F529424A; Mon, 23 Sep 2002 19:00:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out2.apple.com (mail-out2.apple.com [17.254.0.51]) by + xent.com (Postfix) with ESMTP id CA18B294248 for ; + Mon, 23 Sep 2002 18:59:10 -0700 (PDT) +Received: from mailgate2.apple.com (A17-129-100-225.apple.com + [17.129.100.225]) by mail-out2.apple.com (8.11.3/8.11.3) with ESMTP id + g8O22p926540 for ; Mon, 23 Sep 2002 19:02:51 -0700 (PDT) +Received: from scv2.apple.com (scv2.apple.com) by mailgate2.apple.com + (Content Technologies SMTPRS 4.2.1) with ESMTP id + for ; + Mon, 23 Sep 2002 19:02:51 -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv2.apple.com (8.11.3/8.11.3) with ESMTP id g8O22oV17422 for + ; Mon, 23 Sep 2002 19:02:50 -0700 (PDT) +Subject: Re: How about subsidizing SSL access to Google? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +From: Bill Humphries +To: fork@example.com +Content-Transfer-Encoding: 7bit +In-Reply-To: +Message-Id: +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 19:03:18 -0700 +X-Spam-Status: No, hits=-3.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +On Monday, September 23, 2002, at 06:51 PM, Tom wrote: + +> Bascialy give china no choise but to shoot its own head off to stop the +> music. + +Or we could have the audacity to tell them to shape up or get cut out +of the global marbles game. Unfortunately that model only seems to +apply to despots with oil and WMDs, rather than despots with WMDs. + +-- whump + + diff --git a/machine-learning-ex6/ex6/easy_ham/0816.b3fb75007d4e83784b06dc8202028bbf b/machine-learning-ex6/ex6/easy_ham/0816.b3fb75007d4e83784b06dc8202028bbf new file mode 100644 index 0000000..9a3e0aa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0816.b3fb75007d4e83784b06dc8202028bbf @@ -0,0 +1,102 @@ +From fork-admin@xent.com Tue Sep 24 10:49:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BFC3F16F03 + for ; Tue, 24 Sep 2002 10:49:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O3I2C18539 for ; + Tue, 24 Sep 2002 04:18:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ABDDA2940E4; Mon, 23 Sep 2002 20:14:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 48A7429409A for ; + Mon, 23 Sep 2002 20:13:37 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17tfF3-0005jq-00; Mon, 23 Sep 2002 22:16:01 -0400 +From: "Geege Schuman" +To: "Bill Humphries" , +Subject: RE: Goodbye Global Warming +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +Importance: Normal +In-Reply-To: <4CD47AE0-CF61-11D6-B8C1-003065F62CD6@whump.com> +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 22:12:56 -0400 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +funny. i read it as green = red, as in accounting, as in fiscally +irresponsible. which do you think is the worse indictment - overregulation +or overspending? there are many (dickheads) who buy into the +neo-conservative media's (fox's) definiton of "liberal" as "one who seeks to +impose both." + +hannity and glove. + +best quote, wish i could remember who said it: "we tend to describe our own +party by its ideals and our opponents' party by its reality." + +geege + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Bill +Humphries +Sent: Monday, September 23, 2002 10:00 PM +To: fork@example.com +Subject: Re: Goodbye Global Warming + + +On Monday, September 23, 2002, at 03:25 PM, R. A. Hettinga wrote: + +> Green = Red. + + Capitalist = Nazi. + + Information content of the above statements === 0. + +Meanwhile, the angels of light (tm) are having a great knock-down +drag-out with the eldrich kings of .NET on XML-DEV. + +-- whump + + +---- +Bill Humphries +http://www.whump.com/moreLikeThis/ + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0817.bcee0d97a59953c5e6086df74d4ed665 b/machine-learning-ex6/ex6/easy_ham/0817.bcee0d97a59953c5e6086df74d4ed665 new file mode 100644 index 0000000..9a2150b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0817.bcee0d97a59953c5e6086df74d4ed665 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Tue Sep 24 10:49:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4363116F03 + for ; Tue, 24 Sep 2002 10:49:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O3s0C19758 for ; + Tue, 24 Sep 2002 04:54:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C6E022940FB; Mon, 23 Sep 2002 20:50:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from granger.mail.mindspring.net (granger.mail.mindspring.net + [207.69.200.148]) by xent.com (Postfix) with ESMTP id 755D829409A for + ; Mon, 23 Sep 2002 20:49:13 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + granger.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tgkl-0002Fb-00; + Mon, 23 Sep 2002 23:52:51 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: <000701c26361$74e027a0$0200a8c0@JMHALL> +References: <000701c26361$74e027a0$0200a8c0@JMHALL> +To: , "FoRK" +From: "R. A. Hettinga" +Subject: Re: Pluck and Luck +Cc: Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 23:34:53 -0400 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 5:29 PM -0700 on 9/23/02, John Hall wrote: + + +> Rawls claims Merit doesn't exist. + +Nozick claims that Rawls doesn't exist. + +God says that Nozick is dead? + +:-). + +Cheers, +RAH +Quine, of course, read the Herald, not the Globe. With him and Nozick went +political "diversity" at Hahvahd... +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0818.c7f83ef6692e7bcec3fc31d04880f51f b/machine-learning-ex6/ex6/easy_ham/0818.c7f83ef6692e7bcec3fc31d04880f51f new file mode 100644 index 0000000..10237f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0818.c7f83ef6692e7bcec3fc31d04880f51f @@ -0,0 +1,74 @@ +From fork-admin@xent.com Tue Sep 24 10:49:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AC5EA16F03 + for ; Tue, 24 Sep 2002 10:49:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O3vIC19867 for ; + Tue, 24 Sep 2002 04:57:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 33257294239; Mon, 23 Sep 2002 20:50:17 -0700 (PDT) +Delivered-To: fork@example.com +Received: from granger.mail.mindspring.net (granger.mail.mindspring.net + [207.69.200.148]) by xent.com (Postfix) with ESMTP id 99BBD29409A for + ; Mon, 23 Sep 2002 20:49:43 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + granger.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tgkb-0002Fb-00; + Mon, 23 Sep 2002 23:52:42 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: "Geege Schuman" , + "Owen Byrne" +From: "R. A. Hettinga" +Subject: RE: Comrade Communism (was Re: Crony Capitalism (was RE: sed + /s/United States/Roman Empire/g)) +Cc: "Gary Lawrence Murphy" , + "Mr. FoRK" , , + "Digital Bearer Settlement List" +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 23:32:14 -0400 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 7:44 PM -0400 on 9/23/02, Geege Schuman wrote: + + +> First, misattribution. + +My apologies. Rave on... + +Cheers, +RAH +"Where all the children are above average..." +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0819.337934ad4a28fb473915e323d3866edc b/machine-learning-ex6/ex6/easy_ham/0819.337934ad4a28fb473915e323d3866edc new file mode 100644 index 0000000..a0a0c64 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0819.337934ad4a28fb473915e323d3866edc @@ -0,0 +1,94 @@ +From fork-admin@xent.com Tue Sep 24 10:49:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 19C8B16F03 + for ; Tue, 24 Sep 2002 10:49:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O41BC20122 for ; + Tue, 24 Sep 2002 05:01:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2A305294248; Mon, 23 Sep 2002 20:53:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id AC7FB294245 for ; Mon, + 23 Sep 2002 20:53:00 -0700 (PDT) +Received: (qmail 4847 invoked from network); 24 Sep 2002 03:56:41 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 24 Sep 2002 03:56:41 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: liberal defnitions +Message-Id: <001b01c2637e$643836f0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 20:56:41 -0700 +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +Depends on how much over spending vs. how much (and what type) over +regulation. + +The biggest problem with over regulation is the costs can be invisible. +It also has the ability to single out particular people, while over +spending spreads the damage more evenly. Rent control would be an +example of a regulation solution that is in general worse than spending +tons of money on public housing. + +As for the definition of a liberal being someone who seeks to impose +both, I find no fault in that definition whatsoever. The opinion that +EITHER we are spending too much OR we have too much regulation is pretty +much anathema to liberal politics. + +Finally, those who argue that there are private replacements for much +government regulation are not saying that a state of nature (no private +replacements, no government regulation) is better than government +regulation itself. + +And in my experience people who label themselves 'Green' (which does not +include everyone who loves trees and thinks smokestacks are ugly) is a +watermelon. + + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> +> funny. i read it as green = red, as in accounting, as in fiscally +> irresponsible. which do you think is the worse indictment - +> overregulation +> or overspending? there are many (dickheads) who buy into the +> neo-conservative media's (fox's) definiton of "liberal" as "one who +seeks +> to +> impose both." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0820.28def4e42460f6194152556fb05f915d b/machine-learning-ex6/ex6/easy_ham/0820.28def4e42460f6194152556fb05f915d new file mode 100644 index 0000000..c62bda0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0820.28def4e42460f6194152556fb05f915d @@ -0,0 +1,61 @@ +From fork-admin@xent.com Tue Sep 24 10:49:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B607E16F03 + for ; Tue, 24 Sep 2002 10:49:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 10:49:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8O4fwC21492 for ; + Tue, 24 Sep 2002 05:41:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E9CED2940FA; Mon, 23 Sep 2002 21:38:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from c007.snv.cp.net (h000.c007.snv.cp.net [209.228.33.228]) by + xent.com (Postfix) with SMTP id 05A0E29409A for ; + Mon, 23 Sep 2002 21:37:34 -0700 (PDT) +Received: (cpmta 3999 invoked from network); 23 Sep 2002 21:41:14 -0700 +Received: from 65.189.7.13 (HELO alumni.rice.edu) by + smtp.directvinternet.com (209.228.33.228) with SMTP; 23 Sep 2002 21:41:14 + -0700 +X-Sent: 24 Sep 2002 04:41:14 GMT +Message-Id: <3D8FEC94.8050207@alumni.rice.edu> +From: Wayne E Baisley +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: flavor cystals +References: <3D8D5C3B.2090202@barrera.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 23:39:48 -0500 +X-Spam-Status: No, hits=-1.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +It's only 64kbps, but http://noise.ktru.org/ can be tasty. Presently +playing Fille Qui Mousse, Collage in Progress, and other happy nibbles. +Sounds a bit like The Avalanches, but that will change soon. + +Cheers, +Wayne + + diff --git a/machine-learning-ex6/ex6/easy_ham/0821.479ffdea3cc5f259f453afe16dd27e4a b/machine-learning-ex6/ex6/easy_ham/0821.479ffdea3cc5f259f453afe16dd27e4a new file mode 100644 index 0000000..1c45980 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0821.479ffdea3cc5f259f453afe16dd27e4a @@ -0,0 +1,71 @@ +From fork-admin@xent.com Tue Sep 24 15:52:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E5F6916F03 + for ; Tue, 24 Sep 2002 15:52:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:19 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OCDxC02791 for ; + Tue, 24 Sep 2002 13:14:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B7AD1294237; Tue, 24 Sep 2002 05:10:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id AA9B229409A for ; + Tue, 24 Sep 2002 05:09:37 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17toaj-0003A5-00; Tue, 24 Sep 2002 08:15:01 -0400 +From: "Geege Schuman" +To: , "FoRK" +Subject: RE: liberal defnitions +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <001b01c2637e$643836f0$0200a8c0@JMHALL> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 08:11:52 -0400 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +per john hall: +"The opinion that EITHER we are spending too much OR we have too much +regulation is pretty +much anathema to liberal politics." + +no it's not. + +geege + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0822.3ebf2e0f82aa0195233b0221d665410d b/machine-learning-ex6/ex6/easy_ham/0822.3ebf2e0f82aa0195233b0221d665410d new file mode 100644 index 0000000..3eef985 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0822.3ebf2e0f82aa0195233b0221d665410d @@ -0,0 +1,122 @@ +From fork-admin@xent.com Tue Sep 24 15:52:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 67B3816F03 + for ; Tue, 24 Sep 2002 15:52:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OCKlC03038 for ; + Tue, 24 Sep 2002 13:20:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 353C8294256; Tue, 24 Sep 2002 05:15:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id E451F29409A for ; + Tue, 24 Sep 2002 05:14:50 -0700 (PDT) +Received: from adsl-157-233-109.jax.bellsouth.net ([66.157.233.109] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17tofv-0003ID-00 for fork@xent.com; Tue, 24 Sep 2002 08:20:23 -0400 +From: "Geege Schuman" +To: "FoRK" +Subject: RE: liberal defnitions +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <001b01c2637e$643836f0$0200a8c0@JMHALL> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 08:17:14 -0400 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +from slate's "today's papers": +The New York Times and Los Angeles Times both lead with word that +a federal judge ruled yesterday that the nation's largest +national gas pipeline company, El Paso, illegally withheld gas +from the market during California's energy squeeze in 2000-01. +The judge concluded that El Paso left 21 percent of its capacity +in the state off-line, thus driving up the price of gas and +helping to induce rolling blackouts. + +and this is the product of overregulation? + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Hall +Sent: Monday, September 23, 2002 11:57 PM +To: FoRK +Subject: liberal defnitions + + +Depends on how much over spending vs. how much (and what type) over +regulation. + +The biggest problem with over regulation is the costs can be invisible. +It also has the ability to single out particular people, while over +spending spreads the damage more evenly. Rent control would be an +example of a regulation solution that is in general worse than spending +tons of money on public housing. + +As for the definition of a liberal being someone who seeks to impose +both, I find no fault in that definition whatsoever. The opinion that +EITHER we are spending too much OR we have too much regulation is pretty +much anathema to liberal politics. + +Finally, those who argue that there are private replacements for much +government regulation are not saying that a state of nature (no private +replacements, no government regulation) is better than government +regulation itself. + +And in my experience people who label themselves 'Green' (which does not +include everyone who loves trees and thinks smokestacks are ugly) is a +watermelon. + + + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> +> funny. i read it as green = red, as in accounting, as in fiscally +> irresponsible. which do you think is the worse indictment - +> overregulation +> or overspending? there are many (dickheads) who buy into the +> neo-conservative media's (fox's) definiton of "liberal" as "one who +seeks +> to +> impose both." + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0823.3df96732430857f696c452a05d7cee94 b/machine-learning-ex6/ex6/easy_ham/0823.3df96732430857f696c452a05d7cee94 new file mode 100644 index 0000000..ccfdf78 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0823.3df96732430857f696c452a05d7cee94 @@ -0,0 +1,58 @@ +From fork-admin@xent.com Tue Sep 24 15:52:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 33CEB16F03 + for ; Tue, 24 Sep 2002 15:52:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OCl1C03831 for ; + Tue, 24 Sep 2002 13:47:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0DC3B29425F; Tue, 24 Sep 2002 05:43:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-m04.mx.aol.com (imo-m04.mx.aol.com [64.12.136.7]) by + xent.com (Postfix) with ESMTP id C818529409A for ; + Tue, 24 Sep 2002 05:42:36 -0700 (PDT) +Received: from ThosStew@aol.com by imo-m04.mx.aol.com (mail_out_v34.10.) + id 1.138.14d4d29a (30960); Tue, 24 Sep 2002 08:46:08 -0400 (EDT) +From: ThosStew@aol.com +Message-Id: <138.14d4d29a.2ac1b890@aol.com> +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +To: khare@alumni.caltech.edu, Fork@xent.com +Cc: arvind@bea.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 08:46:08 EDT +X-Spam-Status: No, hits=-1.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + + +In a message dated 9/23/2002 6:30:31 PM, khare@alumni.caltech.edu writes: + +> why you're writing with a double of scotch :-) + +because, obviously, after the inevitable second double, you won't remember +anything you say unless you write it down :-) + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0824.87d1cb4a849c742b78ef5f51aff82935 b/machine-learning-ex6/ex6/easy_ham/0824.87d1cb4a849c742b78ef5f51aff82935 new file mode 100644 index 0000000..4716b8f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0824.87d1cb4a849c742b78ef5f51aff82935 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Tue Sep 24 15:52:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 691B216F03 + for ; Tue, 24 Sep 2002 15:52:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OE00C06344 for ; + Tue, 24 Sep 2002 15:00:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3F0502940A0; Tue, 24 Sep 2002 06:56:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 441E529409A for ; Tue, + 24 Sep 2002 06:55:40 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 2E1873EC1F; + Tue, 24 Sep 2002 10:04:06 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 2B7B63EBF4 for ; Tue, + 24 Sep 2002 10:04:06 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Re: 2002.06.00.00 +In-Reply-To: <1a9.8ff8ef4.2ac1b88a@aol.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 10:04:06 -0400 (EDT) +X-Spam-Status: No, hits=-3.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Tue, 24 Sep 2002 ThosStew@aol.com wrote: + +--]Klez, most likely. It'll pick up your address and send mail to all your +--]friends, and your strangers, as if coming from you. Nice way to lose friends +--]and meet strangers. Better than typing gibberish (or Hemingway, but I repeat +--]myself) in a bar with a double of scotch. + + +Friends dont let friends use Outlook....even after a douly shot of the +scotch with a chaser. + +All hands on the stinky one. + +-tom(the other tommeat) + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0825.50304b4fb153c18166fd8e9244659167 b/machine-learning-ex6/ex6/easy_ham/0825.50304b4fb153c18166fd8e9244659167 new file mode 100644 index 0000000..610c8c2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0825.50304b4fb153c18166fd8e9244659167 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Tue Sep 24 15:52:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0261F16F03 + for ; Tue, 24 Sep 2002 15:52:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OE5AC06660 for ; + Tue, 24 Sep 2002 15:05:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B537029410A; Tue, 24 Sep 2002 06:59:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 46615294108 for ; + Tue, 24 Sep 2002 06:58:40 -0700 (PDT) +Received: from Golux.Com (dmz-firewall [206.199.198.4]) by + Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id g8OE2NB28712; + Tue, 24 Sep 2002 10:02:23 -0400 +Message-Id: <3D907351.2B191F58@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (WinNT; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Flatware or Road Kill? +Subject: A different sort of Fox News +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 10:14:41 -0400 +X-Spam-Status: No, hits=-4.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_SPARSE, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This was just *too* funny.. rotflma. + +http://www.ozyandmillie.org/comics/om20020924.gif +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0826.082e92a79a15aa7f6dd5b85a40327abd b/machine-learning-ex6/ex6/easy_ham/0826.082e92a79a15aa7f6dd5b85a40327abd new file mode 100644 index 0000000..7df5396 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0826.082e92a79a15aa7f6dd5b85a40327abd @@ -0,0 +1,606 @@ +From fork-admin@xent.com Tue Sep 24 15:52:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B212716F03 + for ; Tue, 24 Sep 2002 15:52:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 15:52:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OEMYC07324 for ; + Tue, 24 Sep 2002 15:22:38 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C5FBB294103; Tue, 24 Sep 2002 07:18:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id EF6CD29409A for + ; Tue, 24 Sep 2002 07:17:45 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17tqYy-0005TE-00; + Tue, 24 Sep 2002 10:21:20 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net (Unverified) +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: The Next World Order +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 09:52:15 -0400 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,DRASTIC_REDUCED,KNOWN_MAILING_LIST, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +http://newyorker.com/fact/content/?020401fa_FACT1 + +The New Yorker + +THE NEXT WORLD ORDER +by NICHOLAS LEMANN +The Bush Administration may have a brand-new doctrine of power. +Issue of 2002-04-01 +Posted 2002-03-25 + +When there is a change of command-and not just in government-the new people +often persuade themselves that the old people were much worse than anyone +suspected. This feeling seems especially intense in the Bush +Administration, perhaps because Bill Clinton has been bracketed by a +father-son team. It's easy for people in the Administration to believe +that, after an unfortunate eight-year interlude, the Bush family has +resumed its governance-and about time, too. + +The Bush Administration's sense that the Clinton years were a waste, or +worse, is strongest in the realms of foreign policy and military affairs. +Republicans tend to regard Democrats as untrustworthy in defense and +foreign policy, anyway, in ways that coincide with what people think of as +Clinton's weak points: an eagerness to please, a lack of discipline. +Condoleezza Rice, Bush's national-security adviser, wrote an article in +Foreign Affairs two years ago in which she contemptuously accused Clinton +of "an extraordinary neglect of the fiduciary responsibilities of the +commander in chief." Most of the top figures in foreign affairs in this +Administration also served under the President's father. They took office +last year, after what they regard as eight years of small-time flyswatting +by Clinton, thinking that they were picking up where they'd left off. + +Not long ago, I had lunch with-sorry!-a senior Administration +foreign-policy official, at a restaurant in Washington called the Oval +Room. Early in the lunch, he handed me a twenty-seven- page report, whose +cover bore the seal of the Department of Defense, an outline map of the +world, and these words: + +Defense Strategy for the 1990s: +The Regional Defense Strategy +Secretary of Defense +Dick Cheney +January 1993 + +One of the difficulties of working at the highest level of government is +communicating its drama. Actors, professional athletes, and even elected +politicians train for years, go through a great winnowing, and then perform +publicly. People who have titles like Deputy Assistant Secretary of Defense +are just as ambitious and competitive, have worked just as long and hard, +and are often playing for even higher stakes-but what they do all day is go +to meetings and write memos and prepare briefings. How, possibly, to +explain that some of the documents, including the report that the senior +official handed me, which was physically indistinguishable from a +high-school term paper, represent the government version of playing +Carnegie Hall? + +After the fall of the Berlin Wall, Dick Cheney, then the Secretary of +Defense, set up a "shop," as they say, to think about American foreign +policy after the Cold War, at the grand strategic level. The project, whose +existence was kept quiet, included people who are now back in the game, at +a higher level: among them, Paul Wolfowitz, the Deputy Secretary of +Defense; Lewis Libby, Cheney's chief of staff; and Eric Edelman, a senior +foreign-policy adviser to Cheney-generally speaking, a cohesive group of +conservatives who regard themselves as bigger-thinking, tougher-minded, and +intellectually bolder than most other people in Washington. (Donald +Rumsfeld, the Secretary of Defense, shares these characteristics, and has +been closely associated with Cheney for more than thirty years.) Colin +Powell, then the chairman of the Joint Chiefs of Staff, mounted a +competing, and presumably more ideologically moderate, effort to reimagine +American foreign policy and defense. A date was set-May 21, 1990-on which +each team would brief Cheney for an hour; Cheney would then brief President +Bush, after which Bush would make a foreign-policy address unveiling the +new grand strategy. + +Everybody worked for months on the "five-twenty-one brief," with a sense +that the shape of the post-Cold War world was at stake. When Wolfowitz and +Powell arrived at Cheney's office on May 21st, Wolfowitz went first, but +his briefing lasted far beyond the allotted hour, and Cheney (a hawk who, +perhaps, liked what he was hearing) did not call time on him. Powell didn't +get to present his alternate version of the future of the United States in +the world until a couple of weeks later. Cheney briefed President Bush, +using material mostly from Wolfowitz, and Bush prepared his major +foreign-policy address. But he delivered it on August 2, 1990, the day that +Iraq invaded Kuwait, so nobody noticed. + +The team kept working. In 1992, the Times got its hands on a version of the +material, and published a front-page story saying that the Pentagon +envisioned a future in which the United States could, and should, prevent +any other nation or alliance from becoming a great power. A few weeks of +controversy ensued about the Bush Administration's hawks being +"unilateral"-controversy that Cheney's people put an end to with denials +and the counter-leak of an edited, softer version of the same material. + +As it became apparent that Bush was going to lose to Clinton, the Cheney +team's efforts took on the quality of a parting shot. The report that the +senior official handed me at lunch had been issued only a few days before +Clinton took office. It is a somewhat bland, opaque document-a "scrubbed," +meaning unclassified, version of something more candid-but it contained the +essential ideas of "shaping," rather than reacting to, the rest of the +world, and of preventing the rise of other superpowers. Its tone is one of +skepticism about diplomatic partnerships. A more forthright version of the +same ideas can be found in a short book titled "From Containment to Global +Leadership?," which Zalmay Khalilzad, who joined Cheney's team in 1991 and +is now special envoy to Afghanistan, published a couple of years into the +Clinton Administration, when he was out of government. It recommends that +the United States "preclude the rise of another global rival for the +indefinite future." Khalilzad writes, "It is a vital U.S. interest to +preclude such a development-i.e., to be willing to use force if necessary +for the purpose." + +When George W. Bush was campaigning for President, he and the people around +him didn't seem to be proposing a great doctrinal shift, along the lines of +the policy of containment of the Soviet Union's sphere of influence which +the United States maintained during the Cold War. In his first major +foreign-policy speech, delivered in November of 1999, Bush declared that "a +President must be a clear-eyed realist," a formulation that seems to +connote an absence of world-remaking ambition. "Realism" is exactly the +foreign-policy doctrine that Cheney's Pentagon team rejected, partly +because it posits the impossibility of any one country's ever dominating +world affairs for any length of time. + +One gets many reminders in Washington these days of how much the terrorist +attacks of September 11th have changed official foreign-policy thinking. +Any chief executive, of either party, would probably have done what Bush +has done so far-made war on the Taliban and Al Qaeda and enhanced domestic +security. It is only now, six months after the attacks, that we are truly +entering the realm of Presidential choice, and all indications are that +Bush is going to use September 11th as the occasion to launch a new, +aggressive American foreign policy that would represent a broad change in +direction rather than a specific war on terrorism. All his rhetoric, +especially in the two addresses he has given to joint sessions of Congress +since September 11th, and all the information about his state of mind which +his aides have leaked, indicate that he sees this as the nation's moment of +destiny-a perception that the people around him seem to be encouraging, +because it enhances Bush's stature and opens the way to more assertive +policymaking. + +Inside government, the reason September 11th appears to have been "a +transformative moment," as the senior official I had lunch with put it, is +not so much that it revealed the existence of a threat of which officials +had previously been unaware as that it drastically reduced the American +public's usual resistance to American military involvement overseas, at +least for a while. The Clinton Administration, beginning with the "Black +Hawk Down" operation in Mogadishu, during its first year, operated on the +conviction that Americans were highly averse to casualties; the all-bombing +Kosovo operation, in Clinton's next-to-last year, was the ideal foreign +military adventure. Now that the United States has been attacked, the +options are much broader. The senior official approvingly mentioned a 1999 +study of casualty aversion by the Triangle Institute for Security Studies, +which argued that the "mass public" is much less casualty-averse than the +military or the civilian élite believes; for example, the study showed that +the public would tolerate thirty thousand deaths in a military operation to +prevent Iraq from acquiring weapons of mass destruction. (The American +death total in the Vietnam War was about fifty-eight thousand.) September +11th presumably reduced casualty aversion even further. + +Recently, I went to the White House to interview Condoleezza Rice. Rice's +Foreign Affairs article from 2000 begins with this declaration: "The United +States has found it exceedingly difficult to define its 'national interest' +in the absence of Soviet power." I asked her whether that is still the +case. "I think the difficulty has passed in defining a role," she said +immediately. "I think September 11th was one of those great earthquakes +that clarify and sharpen. Events are in much sharper relief." Like Bush, +she said that opposing terrorism and preventing the accumulation of weapons +of mass destruction "in the hands of irresponsible states" now define the +national interest. (The latter goal, by the way, is new-in Bush's speech to +Congress on September 20th, America's sole grand purpose was ending +terrorism.) We talked in her West Wing office; its tall windows face the +part of the White House grounds where television reporters do their +standups. In her bearing, Rice seemed less crisply military than she does +in public. She looked a little tired, but she was projecting a kind of +missionary calm, rather than belligerence. + +In the Foreign Affairs article, Rice came across as a classic realist, +putting forth "the notions of power politics, great powers, and power +balances" as the proper central concerns of the United States. Now she +sounded as if she had moved closer to the one-power idea that Cheney's +Pentagon team proposed ten years ago-or, at least, to the idea that the +other great powers are now in harmony with the United States, because of +the terrorist attacks, and can be induced to remain so. "Theoretically, the +realists would predict that when you have a great power like the United +States it would not be long before you had other great powers rising to +challenge it or trying to balance against it," Rice said. "And I think what +you're seeing is that there's at least a predilection this time to move to +productive and coöperative relations with the United States, rather than to +try to balance the United States. I actually think that statecraft matters +in how it all comes out. It's not all foreordained." + +Rice said that she had called together the senior staff people of the +National Security Council and asked them to think seriously about "how do +you capitalize on these opportunities" to fundamentally change American +doctrine, and the shape of the world, in the wake of September 11th. "I +really think this period is analogous to 1945 to 1947," she said-that is, +the period when the containment doctrine took shape-"in that the events so +clearly demonstrated that there is a big global threat, and that it's a big +global threat to a lot of countries that you would not have normally +thought of as being in the coalition. That has started shifting the +tectonic plates in international politics. And it's important to try to +seize on that and position American interests and institutions and all of +that before they harden again." + +The National Security Council is legally required to produce an annual +document called the National Security Strategy, stating the over-all goals +of American policy-another government report whose importance is great but +not obvious. The Bush Administration did not produce one last year, as the +Clinton Administration did not in its first year. Rice said that she is +working on the report now. + +"There are two ways to handle this document," she told me. "One is to do it +in a kind of minimalist way and just get it out. But it's our view that, +since this is going to be the first one for the Bush Administration, it's +important. An awful lot has happened since we started this process, prior +to 9/11. I can't give you a certain date when it's going to be out, but I +would think sometime this spring. And it's important that it be a real +statement of what the Bush Administration sees as the strategic direction +that it's going." + +It seems clear already that Rice will set forth the hope of a more dominant +American role in the world than she might have a couple of years ago. Some +questions that don't appear to be settled yet, but are obviously being +asked, are how much the United States is willing to operate alone in +foreign affairs, and how much change it is willing to try to engender +inside other countries-and to what end, and with what means. The leak a +couple of weeks ago of a new American nuclear posture, adding offensive +capability against "rogue states," departed from decades of official +adherence to a purely defensive position, and was just one indication of +the scope of the reconsideration that is going on. Is the United States now +in a position to be redrawing regional maps, especially in the Middle East, +and replacing governments by force? Nobody thought that the Bush +Administration would be thinking in such ambitious terms, but plainly it +is, and with the internal debate to the right of where it was only a few +months ago. + +Just before the 2000 election, a Republican foreign-policy figure suggested +to me that a good indication of a Bush Administration's direction in +foreign affairs would be who got a higher-ranking job, Paul Wolfowitz or +Richard Haass. Haass is another veteran of the first Bush Administration, +and an intellectual like Wolfowitz, but much more moderate. In 1997, he +published a book titled "The Reluctant Sheriff," in which he poked a little +fun at Wolfowitz's famous strategy briefing of the early nineties (he +called it the "Pentagon Paper") and disagreed with its idea that the United +States should try to be the world's only great power over the long term. +"For better or worse, such a goal is beyond our reach," Haass wrote. "It +simply is not doable." Elsewhere in the book, he disagreed with another of +the Wolfowitz team's main ideas, that of the United States expanding the +"democratic zone of peace": "Primacy is not to be confused with hegemony. +The United States cannot compel others to become more democratic." Haass +argued that the United States is becoming less dominant in the world, not +more, and suggested "a revival of what might be called traditional +great-power politics." + +Wolfowitz got a higher-ranking job than Haass: he is Deputy Secretary of +Defense, and Haass is Director of Policy Planning for the State Department- +in effect, Colin Powell's big-think guy. Recently, I went to see him in his +office at the State Department. On the wall of his waiting room was an +array of photographs of every past director of the policy-planning staff, +beginning with George Kennan, the father of the containment doctrine and +the first holder of the office that Haass now occupies. + +It's another indication of the way things are moving in Washington that +Haass seems to have become more hawkish. I mentioned the title of his book. +"Using the word 'reluctant' was itself reflective of a period when foreign +policy seemed secondary, and sacrificing for foreign policy was a hard case +to make," he said. "It was written when Bill Clinton was saying, 'It's the +economy, stupid'-not 'It's the world, stupid.' Two things are very +different now. One, the President has a much easier time making the case +that foreign policy matters. Second, at the top of the national-security +charts is this notion of weapons of mass destruction and terrorism." + +I asked Haass whether there is a doctrine emerging that is as broad as +Kennan's containment. "I think there is," he said. "What you're seeing from +this Administration is the emergence of a new principle or body of +ideas-I'm not sure it constitutes a doctrine-about what you might call the +limits of sovereignty. Sovereignty entails obligations. One is not to +massacre your own people. Another is not to support terrorism in any way. +If a government fails to meet these obligations, then it forfeits some of +the normal advantages of sovereignty, including the right to be left alone +inside your own territory. Other governments, including the United States, +gain the right to intervene. In the case of terrorism, this can even lead +to a right of preventive, or peremptory, self-defense. You essentially can +act in anticipation if you have grounds to think it's a question of when, +and not if, you're going to be attacked." + +Clearly, Haass was thinking of Iraq. "I don't think the American public +needs a lot of persuading about the evil that is Saddam Hussein," he said. +"Also, I'd fully expect the President and his chief lieutenants to make the +case. Public opinion can be changed. We'd be able to make the case that +this isn't a discretionary action but one done in self-defense." + +On the larger issue of the American role in the world, Haass was still +maintaining some distance from the hawks. He had made a speech not long +before called "Imperial America," but he told me that there is a big +difference between imperial and imperialist. "I just think that we have to +be a little bit careful," he said. "Great as our advantages are, there are +still limits. We have to have allies. We can't impose our ideas on +everyone. We don't want to be fighting wars alone, so we need others to +join us. American leadership, yes; but not American unilateralism. It has +to be multilateral. We can't win the war against terror alone. We can't +send forces everywhere. It really does have to be a collaborative endeavor." + +He stopped for a moment. "Is there a successor idea to containment? I think +there is," he said. "It is the idea of integration. The goal of U.S. +foreign policy should be to persuade the other major powers to sign on to +certain key ideas as to how the world should operate: opposition to +terrorism and weapons of mass destruction, support for free trade, +democracy, markets. Integration is about locking them into these policies +and then building institutions that lock them in even more." + +The first, but by no means the last, obvious manifestation of a new +American foreign policy will be the effort to remove Saddam Hussein. What +the United States does in an Iraq operation will very likely dwarf what's +been done so far in Afghanistan, both in terms of the scale of the +operation itself and in terms of its aftermath. + +Several weeks ago, Ahmad Chalabi, the head of the Iraqi National Congress, +the Iraqi opposition party, came through Washington with an entourage of +his aides. Chalabi went to the State Department and the White House to ask, +evidently successfully, for more American funding. His main public event +was a panel discussion at the American Enterprise Institute. Chalabi's +leading supporter in town, Richard Perle, the prominent hawk and former +Defense Department official, acted as moderator. Smiling and supremely +confident, Perle opened the discussion by saying, "Evidence is mounting +that the Administration is looking very carefully at strategies for dealing +with Saddam Hussein." The war on terrorism, he said, will not be complete +"until Saddam is successfully dealt with. And that means replacing his +regime. . . . That action will be taken, I have no doubt." + +Chalabi, who lives in London, is a charming, suave middle-aged man with a +twinkle in his eye. He was dressed in a double-breasted pin-striped suit +and a striped shirt with a white spread collar. Although he and his +supporters argue that the Iraqi National Congress, with sufficient American +support, can defeat Saddam just as the Northern Alliance defeated the +Taliban in Afghanistan, this view hasn't won over most people in +Washington. It isn't just that Chalabi doesn't look the part of a rebel +military leader ("He could fight you for the last petit four on the tray +over tea at the Savoy, but that's about it," one skeptical former Pentagon +official told me), or that he isn't in Iraq. It's also that Saddam's +military is perhaps ten times the size that the Taliban's was, and has been +quite successful at putting down revolts over the last decade. The United +States left Iraq in 1991 believing that Saddam might soon fall to an +internal rebellion; Chalabi's supporters believe that Saddam is much weaker +now, and that even signs that a serious operation was in the offing could +finish him off. But non-true believers seem to be coming around to the idea +that a military operation against Saddam would mean the deployment of +anywhere from a hundred thousand to three hundred thousand American ground +troops. + +Kenneth Pollack, a former C.I.A. analyst who was the National Security +Council's staff expert on Iraq during the last years of the Clinton +Administration, recently caused a stir in the foreign-policy world by +publishing an article in Foreign Affairs calling for war against Saddam. +This was noteworthy because three years ago Pollack and two co-authors +published an article, also in Foreign Affairs, arguing that the Iraqi +National Congress was incapable of defeating Saddam. Pollack still doesn't +think Chalabi can do the job. He believes that it would require a +substantial American ground, air, and sea force, closer in size to the one +we used in Kuwait in 1990-91 than to the one we are using now in +Afghanistan. + +Pollack, who is trim, quick, and crisp, is obviously a man who has given a +briefing or two in his day. When I went to see him at his office in +Washington, with a little encouragement he got out from behind his desk and +walked over to his office wall, where three maps of the Middle East were +hanging. "The only way to do it is a full-scale invasion," he said, using a +pen as a pointer. "We're talking about two grand corps, two to three +hundred thousand people altogether. The population is here, in the +Tigris-Euphrates valley." He pointed to the area between Baghdad and Basra. +"Ideally, you'd have the Saudis on board." He pointed to the Prince Sultan +airbase, near Riyadh. "You could make Kuwait the base, but it's much easier +in Saudi. You need to take western Iraq and southern Iraq"-pointing +again-"because otherwise they'll fire Scuds at Israel and at the Saudi oil +fields. You probably want to prevent Iraq from blowing up its own oil +fields, so troops have to occupy them. And you need troops to defend the +Kurds in northern Iraq." Point, point. "You go in as hard as you can, as +fast as you can." He slapped his hand on the top of his desk. "You get the +enemy to divide his forces, by threatening him in two places at once." His +hand hit the desk again, hard. "Then you crush him." Smack. + +That would be a reverberating blow. The United States has already removed +the government of one country, Afghanistan, the new government is obviously +shaky, and American military operations there are not completed. Pakistan, +which before September 11th clearly met the new test of national +unacceptability (it both harbors terrorists and has weapons of mass +destruction), will also require long-term attention, since the country is +not wholly under the control of the government, as the murder of Daniel +Pearl demonstrated, and even parts of the government, like the intelligence +service, may not be entirely under the control of the President. In Iraq, +if America invades and brings down Saddam, a new government must be +established-an enormous long-term task in a country where there is no +obvious, plausible new leader. The prospective Iraq operation has drawn +strong objections from the neighboring nations, one of which, Russia, is a +nuclear superpower. An invasion would have a huge effect on the internal +affairs of all the biggest Middle Eastern nations: Iran, Turkey, Saudi +Arabia, and even Egypt. Events have forced the Administration to become +directly involved in the Israeli-Palestinian conflict, as it hadn't wanted +to do. So it's really the entire region that is in play, in much the way +that Europe was immediately after the Second World War. + +In September, Bush rejected Paul Wolfowitz's recommendation of immediate +moves against Iraq. That the President seems to have changed his mind is an +indication, in part, of the bureaucratic skill of the Administration's +conservatives. "These guys are relentless," one former official, who is +close to the high command at the State Department, told me. "Resistance is +futile." The conservatives' other weapon, besides relentlessness, is +intellectualism. Colin Powell tends to think case by case, and since +September 11th the conservatives have outflanked him by producing at least +the beginning of a coherent, hawkish world view whose acceptance +practically requires invading Iraq. If the United States applies the +doctrines of Cheney's old Pentagon team, "shaping" and expanding "the zone +of democracy," the implications would extend far beyond that one operation. + +The outside experts on the Middle East who have the most credibility with +the Administration seem to be Bernard Lewis, of Princeton, and Fouad Ajami, +of the Johns Hopkins School of Advanced International Studies, both of whom +see the Arab Middle East as a region in need of radical remediation. Lewis +was invited to the White House in December to brief the senior +foreign-policy staff. "One point he made is, Look, in that part of the +world, nothing matters more than resolute will and force," the senior +official I had lunch with told me-in other words, the United States needn't +proceed gingerly for fear of inflaming the "Arab street," as long as it is +prepared to be strong. The senior official also recommended as interesting +thinkers on the Middle East Charles Hill, of Yale, who in a recent essay +declared, "Every regime of the Arab-Islamic world has proved a failure," +and Reuel Marc Gerecht, of the American Enterprise Institute, who published +an article in The Weekly Standard about the need for a change of regime in +Iran and Syria. (Those goals, Gerecht told me when we spoke, could be +accomplished through pressure short of an invasion.) + +Several people I spoke with predicted that most, or even all, of the +nations that loudly oppose an invasion of Iraq would privately cheer it on, +if they felt certain that this time the Americans were really going to +finish the job. One purpose of Vice-President Cheney's recent diplomatic +tour of the region was to offer assurances on that matter, while gamely +absorbing all the public criticism of an Iraq operation. In any event, the +Administration appears to be committed to acting forcefully in advance of +the world's approval. When I spoke to Condoleezza Rice, she said that the +United States should assemble "coalitions of the willing" to support its +actions, rather than feel it has to work within the existing infrastructure +of international treaties and organizations. An invasion of Iraq would test +that policy in more ways than one: the Administration would be betting that +it can continue to eliminate Al Qaeda cells in countries that publicly +opposed the Iraq operation. + +When the Administration submitted its budget earlier this year, it asked +for a forty-eight-billion-dollar increase in defense spending for fiscal +2003, which begins in October, 2002. Much of that sum would go to improve +military pay and benefits, but ten billion dollars of it is designated as +an unspecified contingency fund for further operations in the war on +terrorism. That's probably at least the initial funding for an invasion of +Iraq. + +This spring, the Administration will be talking to other countries about +the invasion, trying to secure basing and overflight privileges, while Bush +builds up a rhetorical case for it by giving speeches about the +unacceptability of developing weapons of mass destruction. A drama +involving weapons inspections in Iraq will play itself out over the spring +and summer, and will end with the United States declaring that the terms +that Saddam offers for the inspections, involving delays and restrictions, +are unacceptable. Then, probably in the late summer or early fall, the +enormous troop positioning, which will take months, will begin. The +Administration obviously feels confident that the United States can +effectively parry whatever aggressive actions Saddam takes during the troop +buildup, and hopes that its moves will destabilize Iraq enough to cause the +Republican Guard, the military key to the country, to turn against Saddam +and topple him on its own. But the chain of events leading inexorably to a +full-scale American invasion, if it hasn't already begun, evidently will +begin soon. + +Lewis (Scooter) Libby, who was the principal drafter of Cheney's +future-of-the-world documents during the first Bush Administration, now +works in an office in the Old Executive Office Building, overlooking the +West Wing, where he has a second, smaller office. A packet of +public-relations material prompted by the recent paperback publication of +his 1996 novel, "The Apprentice," quotes the Times' calling him "Dick +Cheney's Dick Cheney," which seems like an apt description: he appears +absolutely sure of himself, and, whether by coincidence or as a result of +the influence of his boss, speaks in a tough, confidential, gravelly +rumble. Like Condoleezza Rice and Bush himself, he gives the impression of +having calmly accepted the idea that the project of war and reconstruction +which the Administration has now taken on may be a little exhausting for +those charged with carrying it out but is unquestionably right, the only +truly prudent course. + +When I went to see Libby, not long ago, I asked him whether, before +September 11th, American policy toward terrorism should have been +different. He went to his desk and got out a large black loose-leaf binder, +filled with typewritten sheets interspersed with foldout maps of the Middle +East. He looked through it for a long minute, formulating his answer. + +"Let us stack it up," he said at last. "Somalia, 1993; 1994, the discovery +of the Al Qaeda-related plot in the Philippines; 1993, the World Trade +Center, first bombing; 1993, the attempt to assassinate President Bush, +former President Bush, and the lack of response to that, the lack of a +serious response to that; 1995, the Riyadh bombing; 1996, the Khobar +bombing; 1998, the Kenyan embassy bombing and the Tanzanian embassy +bombing; 1999, the plot to launch millennium attacks; 2000, the bombing of +the Cole. Throughout this period, infractions on inspections by the Iraqis, +and eventually the withdrawal of the entire inspection regime; and the +failure to respond significantly to Iraqi incursions in the Kurdish areas. +No one would say these challenges posed easy problems, but if you take that +long list and you ask, 'Did we respond in a way which discouraged people +from supporting terrorist activities, or activities clearly against our +interests? Did we help to shape the environment in a way which discouraged +further aggressions against U.S. interests?,' many observers conclude no, +and ask whether it was then easier for someone like Osama bin Laden to rise +up and say credibly, 'The Americans don't have the stomach to defend +themselves. They won't take casualties to defend their interests. They are +morally weak.' " + +Libby insisted that the American response to September 11th has not been +standard or foreordained. "Look at what the President has done in +Afghanistan," he said, "and look at his speech to the joint session of +Congress"-meaning the State of the Union Message, in January. "He made it +clear that it's an important area. He made it clear that we believe in +expanding the zone of democracy even in this difficult part of the world. +He made it clear that we stand by our friends and defend our interests. And +he had the courage to identify those states which present a problem, and to +begin to build consensus for action that would need to be taken if there is +not a change of behavior on their part. Take the Afghan case, for example. +There are many other courses that the President could have taken. He could +have waited for juridical proof before we responded. He could have engaged +in long negotiations with the Taliban. He could have failed to seek a new +relationship with Pakistan, based on its past nuclear tests, or been so +afraid of weakening Pakistan that we didn't seek its help. This list could +go on to twice or three times the length I've mentioned so far. But, +instead, the President saw an opportunity to refashion relations while +standing up for our interests. The problem is complex, and we don't know +yet how it will end, but we have opened new prospects for relations not +only with Afghanistan, as important as it was as a threat, but with the +states of Central Asia, Pakistan, Russia, and, as it may develop, with the +states of Southwest Asia more generally." + +We moved on to Iraq, and the question of what makes Saddam Hussein +unacceptable, in the Administration's eyes. "The issue is not inspections," +Libby said. "The issue is the Iraqis' promise not to have weapons of mass +destruction, their promise to recognize the boundaries of Kuwait, their +promise not to threaten other countries, and other promises that they made +in '91, and a number of U.N. resolutions, including all the other problems +I listed. Whether it was wise or not-and that is the subject of debate-Iraq +was given a second chance to abide by international norms. It failed to +take that chance then, and annually for the next ten years." + +"What's your level of confidence," I asked him, "that the current regime +will, in fact, change its behavior in a way that you will be satisfied by?" + +He ran his hand over his face and then gave me a direct gaze and spoke +slowly and deliberately. "There is no basis in Iraq's past behavior to have +confidence in good-faith efforts on their part to change their behavior." + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0827.33652ea92e79ab2149c188646b4ae0d4 b/machine-learning-ex6/ex6/easy_ham/0827.33652ea92e79ab2149c188646b4ae0d4 new file mode 100644 index 0000000..f048e1d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0827.33652ea92e79ab2149c188646b4ae0d4 @@ -0,0 +1,77 @@ +From fork-admin@xent.com Tue Sep 24 17:55:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6380A16F03 + for ; Tue, 24 Sep 2002 17:55:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 17:55:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OFN0C09794 for ; + Tue, 24 Sep 2002 16:23:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C3B8B2940B5; Tue, 24 Sep 2002 08:19:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 6D2D629409A for ; + Tue, 24 Sep 2002 08:18:46 -0700 (PDT) +Received: (qmail 14882 invoked by uid 19621); 24 Sep 2002 15:20:37 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 24 Sep 2002 15:20:37 -0000 +Subject: RE: liberal defnitions +From: James Rogers +To: fork@example.com +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +Message-Id: <1032881662.24435.8.camel@avalon> +MIME-Version: 1.0 +X-Mailer: Evolution/1.0.2-5mdk +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 24 Sep 2002 08:40:17 -0700 +X-Spam-Status: No, hits=-5.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +This situation wouldn't have happened in the first place if California +didn't have economically insane regulations. They created a regulatory +climate that facilitated this. So yes, it is the product of +over-regulation. + + +-James Rogers + jamesr@best.com + + +On Tue, 2002-09-24 at 05:17, Geege Schuman wrote: +> from slate's "today's papers": +> The New York Times and Los Angeles Times both lead with word that +> a federal judge ruled yesterday that the nation's largest +> national gas pipeline company, El Paso, illegally withheld gas +> from the market during California's energy squeeze in 2000-01. +> The judge concluded that El Paso left 21 percent of its capacity +> in the state off-line, thus driving up the price of gas and +> helping to induce rolling blackouts. +> +> and this is the product of overregulation? + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0828.244d3a6c6cef70fc0025906b05b069ac b/machine-learning-ex6/ex6/easy_ham/0828.244d3a6c6cef70fc0025906b05b069ac new file mode 100644 index 0000000..10f624f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0828.244d3a6c6cef70fc0025906b05b069ac @@ -0,0 +1,107 @@ +From fork-admin@xent.com Tue Sep 24 17:55:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EA6B116F03 + for ; Tue, 24 Sep 2002 17:55:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 17:55:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OG31C11128 for ; + Tue, 24 Sep 2002 17:03:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DFDD42940C2; Tue, 24 Sep 2002 08:59:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 19DB129409A for + ; Tue, 24 Sep 2002 08:58:09 -0700 (PDT) +Received: (qmail 13492 invoked by uid 508); 24 Sep 2002 15:59:41 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.2) by + venus.phpwebhosting.com with SMTP; 24 Sep 2002 15:59:41 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8OG1iA18403; Tue, 24 Sep 2002 18:01:45 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: forkit! +Cc: grisvalpen +Subject: Re: [s-t] Scoot boss's wife orders hit. +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 18:01:44 +0200 (CEST) +X-Spam-Status: No, hits=-6.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +---------- Forwarded message ---------- +Date: Mon, 23 Sep 2002 09:52:44 -0700 +From: mis@seiden.com +Subject: Re: [s-t] Scoot boss's wife orders hit. + + +the "independent", a shopper's newspaper in the sf bay area, (the +operational definition of that media category is "no matter how hard +you try you can't get them to stop delivering it") had this story on +aug 24, 2002: + +"Dot-com downturn linked to domestic violence" + +Domestic-violence worker Kathy Black remembers watching the Nasdaq +take a nastydive on MSNBC, in March 2000. + +"I knew then that we would have a lot of work on our hands," Black said, +referring to the caseload at La Casa de las Madres, the city's largest +organization serving women and children affected by domestic violence. + +She was right. + +Calls to La Casa's crisis line increased by 33% in the last financial +year, and the service saw a 10 percent increase in the demand for +beds, with 232 women and 215 children utilizing the shelter service. +... + +Black said the dot-com collapse and a growing awareness of La Casa's +services were the two main reasons for the increase in calls. + +She said many of her clients had partners who were employed in +service-industry jobs utilized by dot-com workers +... + + + +On Mon, Sep 23, 2002 at 04:23:17PM +0100, Gordon Joly wrote: +> +> +> +> http://news.bbc.co.uk/1/low/england/2276467.stm +> +> +> Woman admits trying to hire hitman +> +> The former wife of an internet tycoon has admitted trying to hire a +> hitman to kill him after the breakdown of their 21-year marriage. +> +> +> -- +> Linux User No. 256022/// +> http://pobox.com/~gordo/ +> gordon.joly@pobox.com/// + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0829.8d4c26619530e36bfb855f5afb08876c b/machine-learning-ex6/ex6/easy_ham/0829.8d4c26619530e36bfb855f5afb08876c new file mode 100644 index 0000000..5e3aa2f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0829.8d4c26619530e36bfb855f5afb08876c @@ -0,0 +1,76 @@ +From fork-admin@xent.com Tue Sep 24 17:55:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9E96A16F16 + for ; Tue, 24 Sep 2002 17:55:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 17:55:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OG7iC11326 for ; + Tue, 24 Sep 2002 17:07:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3C7DB2940D4; Tue, 24 Sep 2002 09:00:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 1FA202940D3 for ; Tue, + 24 Sep 2002 08:59:24 -0700 (PDT) +Received: (qmail 14157 invoked from network); 24 Sep 2002 16:03:05 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 24 Sep 2002 16:03:05 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: liberal defnitions +Message-Id: <004301c263e3$df487930$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 09:03:00 -0700 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Yes, it is. You just want to be called a liberal when you really +aren't. + +> -----Original Message----- +> From: Geege Schuman [mailto:geege@barrera.org] +> Sent: Tuesday, September 24, 2002 5:12 AM +> To: johnhall@evergo.net; FoRK +> Subject: RE: liberal defnitions +> +> per john hall: +> "The opinion that EITHER we are spending too much OR we have too much +> regulation is pretty +> much anathema to liberal politics." +> +> no it's not. +> +> geege +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0830.36efbaa51125bf5c1697fd795b3a26a2 b/machine-learning-ex6/ex6/easy_ham/0830.36efbaa51125bf5c1697fd795b3a26a2 new file mode 100644 index 0000000..2a9af1c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0830.36efbaa51125bf5c1697fd795b3a26a2 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Tue Sep 24 17:55:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 070DF16F03 + for ; Tue, 24 Sep 2002 17:55:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 17:55:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OGAEC11404 for ; + Tue, 24 Sep 2002 17:10:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ACE072940DA; Tue, 24 Sep 2002 09:06:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from imo-r09.mx.aol.com (imo-r09.mx.aol.com [152.163.225.105]) + by xent.com (Postfix) with ESMTP id 522F329409A for ; + Tue, 24 Sep 2002 09:05:51 -0700 (PDT) +Received: from ThosStew@aol.com by imo-r09.mx.aol.com (mail_out_v34.10.) + id 2.1a3.92f0d57 (4418) for ; Tue, 24 Sep 2002 12:09:26 + -0400 (EDT) +From: ThosStew@aol.com +Message-Id: <1a3.92f0d57.2ac1e836@aol.com> +Subject: Re: liberal defnitions +To: fork@example.com +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailer: AOL 5.0 for Mac sub 45 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 12:09:26 EDT +X-Spam-Status: No, hits=0.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + + +In a message dated 9/24/2002 11:24:58 AM, jamesr@best.com writes: + +>This situation wouldn't have happened in the first place if California +>didn't have economically insane regulations. They created a regulatory +>climate that facilitated this. So yes, it is the product of +>over-regulation. +> + +Which is to say, if you reduce the argument to absurdity, that law causes +crime. + +(Yes, I agree that badly written law can make life so frustrating that people +have little choice but to subvery it if they want to get anything done. This +is also true of corporate policies, and all other attempts to regulate +conduct by rules. Rules just don't work well when situations are fluid or +ambiguous. But I don't think that the misbehavior of energy companies in +California can properly be called well-intentioned lawbreaking by parties who +were trying to do the right thing but could do so only by falling afoul of +some technicality.) + +If you want to get to root causes, we should probably go to the slaying of +Abel by Cain. Perhaps we can figure out what went wrong then, and roll our +learning forward through history and create a FoRKtopia. + +Nonpartisanly, which is to say casting stones on all houses, whether +bicameral or unicameral, built on sand or on rock, to the left of them or to +the right of them, of glass or brick or twig or straw, + +Tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0831.0162ac7b4cc1c62fb35803bc4e8db70d b/machine-learning-ex6/ex6/easy_ham/0831.0162ac7b4cc1c62fb35803bc4e8db70d new file mode 100644 index 0000000..7ae7d14 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0831.0162ac7b4cc1c62fb35803bc4e8db70d @@ -0,0 +1,114 @@ +From fork-admin@xent.com Tue Sep 24 17:55:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8E58B16F03 + for ; Tue, 24 Sep 2002 17:55:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 17:55:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OGQ7C11927 for ; + Tue, 24 Sep 2002 17:26:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E44E62940C6; Tue, 24 Sep 2002 09:22:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id B035829409A for ; + Tue, 24 Sep 2002 09:21:10 -0700 (PDT) +Received: (qmail 17772 invoked by uid 19621); 24 Sep 2002 16:23:01 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 24 Sep 2002 16:23:01 -0000 +Subject: CO2 and climate (was RE: Goodbye Global Warming) +From: James Rogers +To: fork@example.com +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032885762.24435.78.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 24 Sep 2002 09:42:42 -0700 +X-Spam-Status: No, hits=-5.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-09-23 at 13:53, Jim Whitehead wrote: +> +> You have not explained why the increase in CO2 concentrations is not +> contributing to increasing global temperature. + + +There are a number of reasons to think that CO2 is not important to +controlling global temperature and that much of the CO2 increase may not +be anthropogenic. Some recent research points worth mentioning: + +Recent high-resolution studies of historical CO2 concentrations and +temperatures over hundreds of thousands of years have shown a modest +correlation between the two. In a number of cases, CO2 level increases +are not in phase with temperature increases and actually trail the +increase in temperature by a short time i.e. increases in temperature +preceded increases in CO2 concentrations. The more studies that are done +of the geological record, the more it seems that CO2 concentrations are +correlated with temperature increases, but are not significantly +causative. There is a lot of evidence that CO2 levels are regulated in a +fairly stable fashion. I don't believe anyone really has an +authoritative answer as to exactly how this works yet. + +With respect to absolute CO2 concentrations, it is also important to +point out that our best data to date suggests that they follow a fairly +regular cycle with a period of about 100,000 years. At previous cycle +peaks, the concentrations were similar to what they are now. If this +cycle has any validity (and we only have good data for 4-5 complete +cyclical periods, but which look surprisingly regular in shape and +time), then we should be almost exactly at a peak right now. As it +happens, current CO2 concentrations are within 10% of other previous +cyclical concentration peaks for which we have good data. In other +words, we may be adding to the CO2 levels, but it looks a lot like we +would be building a molehill on top of a mountain in the historical +record. At the very least, there is nothing anomalous about current CO2 +concentrations. + +Also, CO2 levels interact with the biosphere in a manner that ultimately +affects temperature. Again, the interaction is not entirely +predictable, but this is believed to be one of the regulating negative +feedback systems mentioned above. + +Last, as greenhouse gases go, CO2 isn't particularly potent, although it +makes up for it in volume in some cases. Gases such as water and +methane have a far greater impact as greenhouse gases on a per molecule +basis. Water vapor may actually be the key greenhouse gas, something +that CO2 only indirectly effects through its interaction with the +biosphere. + +CO2 was an easy mark for early environmentalism, but all the recent +studies and data I've seen gives me the impression that it is largely a +passenger on the climate ride rather than the driver. I certainly don't +think it is a healthy fixation if we're actually interested in +understanding warming trends. + +Cheers, + +-James Rogers + jamesr@best.com + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0832.e4325e0432c958e4cf5a36fef3bf8573 b/machine-learning-ex6/ex6/easy_ham/0832.e4325e0432c958e4cf5a36fef3bf8573 new file mode 100644 index 0000000..8f4625b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0832.e4325e0432c958e4cf5a36fef3bf8573 @@ -0,0 +1,141 @@ +From fork-admin@xent.com Tue Sep 24 23:31:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A36DC16F03 + for ; Tue, 24 Sep 2002 23:31:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 23:31:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OJD0C18266 for ; + Tue, 24 Sep 2002 20:13:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 19D072940D3; Tue, 24 Sep 2002 12:09:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id CB2E42940C8 for ; Tue, + 24 Sep 2002 12:08:09 -0700 (PDT) +Received: (qmail 30166 invoked from network); 24 Sep 2002 19:11:52 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 24 Sep 2002 19:11:52 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: liberal defnitions +Message-Id: <000d01c263fe$3df8be30$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 12:11:52 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Read the article. I'm afraid I don't understand how the transmission +prices could have hit $50/tcf. + +But I'm also really leery of telling a pipeline company they have to run +a pipeline at a higher pressure and that they should forego maintenance. +We had a big pipeline explosion up here awhile ago. + +So maybe the judge has a point. We'll see as the appeals work its way +out. + +> -----Original Message----- +> From: Geege Schuman [mailto:geege@barrera.org] +> Sent: Tuesday, September 24, 2002 5:16 AM +> To: johnhall@evergo.net +> Subject: RE: liberal defnitions +> +> from slate's "today's papers": The New York Times and Los Angeles +Times +> both lead with word that +> a federal judge ruled yesterday that the nation's largest +> national gas pipeline company, El Paso, illegally withheld gas +> from the market during California's energy squeeze in 2000-01. +> The judge concluded that El Paso left 21 percent of its capacity +> in the state off-line, thus driving up the price of gas and +> helping to induce rolling blackouts. +> +> and this is the product of overregulation? +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +John +> Hall +> Sent: Monday, September 23, 2002 11:57 PM +> To: FoRK +> Subject: liberal defnitions +> +> +> Depends on how much over spending vs. how much (and what type) over +> regulation. +> +> The biggest problem with over regulation is the costs can be +invisible. +> It also has the ability to single out particular people, while over +> spending spreads the damage more evenly. Rent control would be an +> example of a regulation solution that is in general worse than +spending +> tons of money on public housing. +> +> As for the definition of a liberal being someone who seeks to impose +> both, I find no fault in that definition whatsoever. The opinion that +> EITHER we are spending too much OR we have too much regulation is +pretty +> much anathema to liberal politics. +> +> Finally, those who argue that there are private replacements for much +> government regulation are not saying that a state of nature (no +private +> replacements, no government regulation) is better than government +> regulation itself. +> +> And in my experience people who label themselves 'Green' (which does +not +> include everyone who loves trees and thinks smokestacks are ugly) is a +> watermelon. +> +> +> +> +> > -----Original Message----- +> > From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> Geege +> > Schuman +> > +> > funny. i read it as green = red, as in accounting, as in fiscally +> > irresponsible. which do you think is the worse indictment - +> > overregulation +> > or overspending? there are many (dickheads) who buy into the +> > neo-conservative media's (fox's) definiton of "liberal" as "one who +> seeks +> > to +> > impose both." +> +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0833.8b8a773585ed6039efda26f9923a2913 b/machine-learning-ex6/ex6/easy_ham/0833.8b8a773585ed6039efda26f9923a2913 new file mode 100644 index 0000000..6709720 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0833.8b8a773585ed6039efda26f9923a2913 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Tue Sep 24 23:31:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6232A16F03 + for ; Tue, 24 Sep 2002 23:31:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 23:31:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OKN0C20652 for ; + Tue, 24 Sep 2002 21:23:01 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 42D262940C7; Tue, 24 Sep 2002 13:19:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm2-36.sba1.netlojix.net + [207.71.218.132]) by xent.com (Postfix) with ESMTP id 68C3029409A for + ; Tue, 24 Sep 2002 13:18:18 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id NAA07757; + Tue, 24 Sep 2002 13:28:04 -0700 +Message-Id: <200209242028.NAA07757@maltesecat> +To: fork@example.com +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +In-Reply-To: Message from fork-request@xent.com of + "Tue, 24 Sep 2002 10:15:01 PDT." + <20020924171501.13381.94248.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 13:28:04 -0700 +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + + + +> Proving, once again, that aviators get all the chicks... + +Just as long as they have the wherewithal +for avgas, anyway. + +I think Turpin once calculated that one +could do a decent amount of messing about +for about $30K of boat and $12K/year in +living expenses. + +What are the equivalent figures for live +aboard aircraft? + +-Dave + +(How difficult would it be to find the +harbormaster, after mooring to the top +of the Empire State Building?) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0834.36dab5acc512c15f3d6840b44e958b2a b/machine-learning-ex6/ex6/easy_ham/0834.36dab5acc512c15f3d6840b44e958b2a new file mode 100644 index 0000000..6d1faba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0834.36dab5acc512c15f3d6840b44e958b2a @@ -0,0 +1,61 @@ +From fork-admin@xent.com Tue Sep 24 23:55:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B383416F03 + for ; Tue, 24 Sep 2002 23:55:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 23:55:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8OMnNC25822 for ; + Tue, 24 Sep 2002 23:49:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F2D4F2940D5; Tue, 24 Sep 2002 15:45:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id DAAED29409A for ; + Tue, 24 Sep 2002 15:43:50 -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g8OMlSSV016389 for ; + Tue, 24 Sep 2002 15:47:29 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Random hack Q: drawing on CDs with lasers? +From: Rohit Khare +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: <977639A4-D00F-11D6-8F1E-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 15:47:23 -0700 +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +O utensils of the world -- + +I wonder if it is possible to reverse-engineer the Reed-Solomon +error-correcting codes to create a bytestream such that, when burned +onto a CD, you can make out a picture in the diffraction pattern? + +I suppose this is a modern equivalent to line-printer artwork; I was +imagining using a CD-RW drive to use the outer track, say, to spell out +the disc title, creation time, etc. It would sure beat feeding CDs +through a laser printer :-) + +Rohit + + diff --git a/machine-learning-ex6/ex6/easy_ham/0835.21423890177aefe5eae8d27d8f18735d b/machine-learning-ex6/ex6/easy_ham/0835.21423890177aefe5eae8d27d8f18735d new file mode 100644 index 0000000..8aee7ab --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0835.21423890177aefe5eae8d27d8f18735d @@ -0,0 +1,64 @@ +From fork-admin@xent.com Wed Sep 25 10:24:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1019C16F03 + for ; Wed, 25 Sep 2002 10:24:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 10:24:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8P1A8C02395 for ; + Wed, 25 Sep 2002 02:10:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6F4DC2940D6; Tue, 24 Sep 2002 18:06:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 6FB8E29409A for + ; Tue, 24 Sep 2002 18:05:29 -0700 (PDT) +Received: (qmail 29904 invoked by uid 508); 25 Sep 2002 01:05:57 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.7) by + venus.phpwebhosting.com with SMTP; 25 Sep 2002 01:05:57 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8P195v31691; Wed, 25 Sep 2002 03:09:05 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Rohit Khare +Cc: +Subject: Re: Random hack Q: drawing on CDs with lasers? +In-Reply-To: <977639A4-D00F-11D6-8F1E-000393A46DEA@alumni.caltech.edu> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 03:09:05 +0200 (CEST) +X-Spam-Status: No, hits=-7.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Tue, 24 Sep 2002, Rohit Khare wrote: + +> I suppose this is a modern equivalent to line-printer artwork; I was +> imagining using a CD-RW drive to use the outer track, say, to spell out +> the disc title, creation time, etc. It would sure beat feeding CDs +> through a laser printer :-) + +There are commercial burners which can be labeled that way. Patterns in +the unburnt section. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0836.249730de164ba4999f1ab6ec2d3cb2d1 b/machine-learning-ex6/ex6/easy_ham/0836.249730de164ba4999f1ab6ec2d3cb2d1 new file mode 100644 index 0000000..6df170b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0836.249730de164ba4999f1ab6ec2d3cb2d1 @@ -0,0 +1,102 @@ +From fork-admin@xent.com Wed Sep 25 10:24:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B222216F03 + for ; Wed, 25 Sep 2002 10:24:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 10:24:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8P1d1C03520 for ; + Wed, 25 Sep 2002 02:39:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 102A32940C8; Tue, 24 Sep 2002 18:35:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 3DEC729409A for ; + Tue, 24 Sep 2002 18:34:07 -0700 (PDT) +Received: from adsl-17-246-231.jax.bellsouth.net ([68.17.246.231] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17u19W-0007AG-00 for fork@xent.com; Tue, 24 Sep 2002 21:39:46 -0400 +From: "Geege Schuman" +To: +Subject: Liberalism in America +Message-Id: +MIME-Version: 1.0 +Content-Type: multipart/mixed; + boundary="----=_NextPart_000_0005_01C26412.7545C1D0" +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 21:36:35 -0400 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. + +------=_NextPart_000_0005_01C26412.7545C1D0 +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: 7bit + +liberalism +propagandized as meddling +in truth, the middle + +"American liberalism believes that in this respect it has made a major +contribution to the grand strategy of freedom. Where both capitalists and +socialists in the 1930's were trying to narrow the choice to either/or -- +either laissez-faire capitalism or bureaucratic socialism -- the New Deal +persisted in its vigorous faith that human intelligence and social +experiment could work out a stable foundation for freedom in a context of +security and for security in a context of freedom. That faith remains the +best hope of free society today." + +fluid yet crunchy, +gg + + + + + http://www.english.upenn.edu/~afilreis/50s/schleslib.html + +------=_NextPart_000_0005_01C26412.7545C1D0 +Content-Type: application/octet-stream; + name="Liberalism in America.url" +Content-Transfer-Encoding: 7bit +Content-Disposition: attachment; + filename="Liberalism in America.url" + +[DEFAULT] +BASEURL=http://www.english.upenn.edu/~afilreis/50s/schleslib.html +[InternetShortcut] +URL=http://www.english.upenn.edu/~afilreis/50s/schleslib.html +Modified=E0824ED43364C201DE + +------=_NextPart_000_0005_01C26412.7545C1D0-- + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0837.23be7a8b5000203fd4e9fba1574d9fa3 b/machine-learning-ex6/ex6/easy_ham/0837.23be7a8b5000203fd4e9fba1574d9fa3 new file mode 100644 index 0000000..8b8456f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0837.23be7a8b5000203fd4e9fba1574d9fa3 @@ -0,0 +1,144 @@ +From fork-admin@xent.com Wed Sep 25 10:24:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8B23816F03 + for ; Wed, 25 Sep 2002 10:24:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 10:24:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8P1i3C03770 for ; + Wed, 25 Sep 2002 02:44:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EFBC62940F4; Tue, 24 Sep 2002 18:38:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id 40A022940F3 for + ; Tue, 24 Sep 2002 18:37:43 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17u1B3-0000AQ-00; + Tue, 24 Sep 2002 21:41:22 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 21:34:55 -0400 +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +Righ, somebody. Reminds me of the old Divorced Man's exposition of what +happened to him. + +"First, you get a ring. Then you give it away. Then, you get a house. And +you give *that* away...." + +Just kidding, Darling... + +;-). + +Cheers, +RAH +Who, um, doesn't own a house... + + +--- begin forwarded text + + +Status: RO +Date: Tue, 24 Sep 2002 20:12:12 -0400 +From: Somebody +To: "R. A. Hettinga" +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) + +Bob, + + Living aboard a Cessna 172 would be challenging, but I did meet a +couple at an airshow in Point Mugu in 1995 or so that had converted an +old seaplane (it was a bit larger than a PBY, I think) to something of a +floating, flying RV. They visited a lot of airshows and covered a lot of +miles. I'm sure maintenance (on a 50+ year old airframe), fuel (for two +large radial engines) insurance and other costs were out of my price +range, but what a hoot! + + On a more realistic note, the flight to Half Moon bay was probably 2 +hours of flight time at about $75/hour in the Cessna. Not exactly a +cheap date, but that's nothing compared to the money I've spent on her +since. (And loved every minute of it, Darling!!) + + + + +"R. A. Hettinga" wrote: + +> --- begin forwarded text +> +> Status: RO +> Delivered-To: fork@example.com +> To: fork@example.com +> Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +> From: Dave Long +> Sender: fork-admin@xent.com +> Date: Tue, 24 Sep 2002 13:28:04 -0700 +> +> > Proving, once again, that aviators get all the chicks... +> +> Just as long as they have the wherewithal +> for avgas, anyway. +> +> I think Turpin once calculated that one +> could do a decent amount of messing about +> for about $30K of boat and $12K/year in +> living expenses. +> +> What are the equivalent figures for live +> aboard aircraft? +> +> -Dave +> +> (How difficult would it be to find the +> harbormaster, after mooring to the top +> of the Empire State Building?) +> +> --- end forwarded text +> +> -- +> ----------------- +> R. A. Hettinga +> The Internet Bearer Underwriting Corporation +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0838.4f78deeabc13a2826a0d6c9c86236f48 b/machine-learning-ex6/ex6/easy_ham/0838.4f78deeabc13a2826a0d6c9c86236f48 new file mode 100644 index 0000000..a11b8a2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0838.4f78deeabc13a2826a0d6c9c86236f48 @@ -0,0 +1,79 @@ +From fork-admin@xent.com Wed Sep 25 10:24:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0C25616F03 + for ; Wed, 25 Sep 2002 10:24:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 10:24:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8P8L3C18779 for ; + Wed, 25 Sep 2002 09:21:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5B3A22940E5; Wed, 25 Sep 2002 01:17:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id B170529409A for ; + Wed, 25 Sep 2002 01:16:18 -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g8P8K2SV027166 for ; + Wed, 25 Sep 2002 01:20:03 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v482) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Digital radio playlists are prohibited?! +From: Rohit Khare +To: Fork@xent.com +Content-Transfer-Encoding: 7bit +Message-Id: <95745878-D05F-11D6-8F1E-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 01:19:59 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PLING_QUERY,QUOTED_EMAIL_TEXT, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +Anyone heard of this law before? + +> Q. Can I get a playlist? +> A. We are unable to offer a playlist. The Digital Performance Right in +> Sound Recordings Act of 1995 passed by Congress prevents us from +> disclosing such information. The Digital Law states that if one is +> transmitting a digital signal, song information cannot be +> pre-announced. It is a Music Choice policy not to release a playlist of +> upcoming or previously played songs. + +Recently, MusicChoice upgraded their website with a very important +service, as far as I'm concerned: real-time song info from their +website. My DirecTV receiver is up on a shelf (and its display scrolls +intermittently); and I'm surely not going to fire up my projector while +listening to the "radio", so I'm quite happy that I can retrieve r/t +song info with URLs like: + +http://backstage.musicchoice.com/songid/channels/soundsoftheseasons.asp +http://backstage.musicchoice.com/songid/channels/rap.asp +http://backstage.musicchoice.com/songid/channels/opera.asp +etc... + +Now, if I were a more eager hacker, I'd write up little WSDL stubs for +these event streams (they're clearly not worried about load, since their +own web pages specify 15 sec meta-refresh) and then feed 'em through a +content router to alert me to cool songs. Heck, cross-reference the +service to CDDB and... :-) + +RK + + diff --git a/machine-learning-ex6/ex6/easy_ham/0839.12075b1a4eb499ff6a0d7fd0e9d776db b/machine-learning-ex6/ex6/easy_ham/0839.12075b1a4eb499ff6a0d7fd0e9d776db new file mode 100644 index 0000000..6e70f91 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0839.12075b1a4eb499ff6a0d7fd0e9d776db @@ -0,0 +1,70 @@ +From fork-admin@xent.com Wed Sep 25 10:24:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7ED4016F03 + for ; Wed, 25 Sep 2002 10:24:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 10:24:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8P8b2C19248 for ; + Wed, 25 Sep 2002 09:37:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6CF4D2940EB; Wed, 25 Sep 2002 01:33:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 858F029409A for ; Wed, 25 Sep 2002 01:32:34 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id EC486C44D; + Wed, 25 Sep 2002 10:35:59 +0200 (CEST) +To: fork@example.com +Subject: Re: SF Weekly's Ultimate SF Date lineup :-) +Message-Id: <20020925083559.EC486C44D@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 10:35:59 +0200 (CEST) +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Russell Turpin wrote: +>Invite her for an afternoon cruise under the Golden Gate bridge in +>your Stonehorse day sailor. + +Sounds good. + + +>Under way, ask her if she'd like to take the stick. + +Whoah! That's a rather direct approach! + + +R. A. Hettinga quoted: +>From: Somebody +>[...] what I did in 1983 was to rent a plane from the Moffett Field +>flying club and take her on an aerial tour + +Sounds great. + + +>I can't recall whether or not I gave her any stick time. + +Can't remember if he's in the mile-high club? Even worse!!! + + +R + + diff --git a/machine-learning-ex6/ex6/easy_ham/0840.fa01ffae1e9fef46ad0044b265fc6667 b/machine-learning-ex6/ex6/easy_ham/0840.fa01ffae1e9fef46ad0044b265fc6667 new file mode 100644 index 0000000..568f908 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0840.fa01ffae1e9fef46ad0044b265fc6667 @@ -0,0 +1,86 @@ +From fork-admin@xent.com Wed Sep 25 21:33:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CE0C416F03 + for ; Wed, 25 Sep 2002 21:33:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 21:33:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PIM9C08544 for ; + Wed, 25 Sep 2002 19:22:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4263029409F; Wed, 25 Sep 2002 11:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-148-146.ny5030.east.verizon.net [162.83.148.146]) by xent.com + (Postfix) with ESMTP id 2507429409A for ; Wed, + 25 Sep 2002 11:17:46 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g8PIKQg00488 for ; + Wed, 25 Sep 2002 14:20:30 -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: FoRK +Subject: Re: The Great Power-Shortage Myth +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 14:20:26 -0400 (EDT) +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + QUOTED_EMAIL_TEXT,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +> The only circumstances in which a business will not be ready--indeed, +> eager--to do an additional volume of business is if it is physically unable +> to do so because it lacks the necessary physical means of doing so, or +> because the costs it incurs in doing so exceed the additional sales revenue +> it will receive. + +That is a fully retarded view of economics, and pretty much the same kind +of clueless oversimplication that led to the blackouts. There are a +bazillion factors that affect game strategies, which is what the state of +California messed up and the energy producers exploited. + +I'm not convinced that the only way to prevent future energy debacles like +the blackouts is to reregulate. Ultimately we have to blame the people +who crafted the game rules in a way that invited blackouts and +exploitation. Given that the particular set of rules crafted by the state +of California sucked, does there exist a set of rules that doesn't suck? +If there does exist a better set of rules, then reregulation isn't +necessarily the answer. + +You can't blame businesses for being profit maximizers. Yes, the people +involved were heartless and corrupt. But mainly they just did their +jobs. + +The guilty parties are either the mathematicians and economists who wrote +the rules or, if the mathematicians and economists said there were no good +rules, pro-deregulation politicians who went ahead anyway. + +- Lucas + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0841.c178b14279ed5f5f9e5be2abac186b3c b/machine-learning-ex6/ex6/easy_ham/0841.c178b14279ed5f5f9e5be2abac186b3c new file mode 100644 index 0000000..6137704 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0841.c178b14279ed5f5f9e5be2abac186b3c @@ -0,0 +1,182 @@ +From fork-admin@xent.com Thu Sep 26 11:04:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DB70116F03 + for ; Thu, 26 Sep 2002 11:04:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PL1BC13774 for ; + Wed, 25 Sep 2002 22:01:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CD62F2940A5; Wed, 25 Sep 2002 13:57:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 8C11429409A for + ; Wed, 25 Sep 2002 13:54:33 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17uI1g-00011d-00 + for fork@xent.com; Wed, 25 Sep 2002 15:40:48 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: fork@example.com +From: "R. A. Hettinga" +Subject: California needs intelligent energy deregulation +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 15:39:40 -0400 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=AWL,HOME_EMPLOYMENT,KNOWN_MAILING_LIST, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Date: Wed, 25 Sep 2002 13:57:15 -0400 +To: Digital Bearer Settlement List +From: "R. A. Hettinga" +Subject: California needs intelligent energy deregulation +Sender: + +http://www.siliconvalley.com/mld/siliconvalley/4144696.htm?template=contentModules/printstory.jsp + +Posted on Tue, Sep. 24, 2002 + + +Dan Gillmor: State needs intelligent energy deregulation + +By Dan Gillmor +Mercury News Technology Columnist + +The facts were trade and government secrets at the time. But the energy +industry failed the smell test in 2000 and 2001 as it tried to justify +soaring wholesale electricity and natural-gas prices in California. + +Now, as investigators and regulators unravel the reasons for a financial +and fiscal mess we'll be cleaning up for decades, we're learning what +everyone suspected. Market games helped engineer the price spikes. + +The latest manipulation was highlighted in Monday's finding by a federal +administrative law judge, who said a dominant natural-gas company squeezed +supplies in order to squeeze customers. His ruling came a few days after +California's Public Utilities Commission reported that electricity +generators mysteriously failed to use available capacity during the crunch, +also driving up prices. + +And don't forget the sleazy games by energy traders who gleefully worked +the system, in schemes best summed up by an Enron insider's boast in a +memorandum made public in May, that ``Enron gets paid for moving energy to +relieve congestion without actually moving any energy or relieving any +congestion.'' + +How much of this was illegal, as opposed to simply amoral, remains to be +seen. Unfortunately, California's response -- confusion, lawsuits and +policy tweaks -- hasn't been sufficient. + +More unfortunately, even if the state suddenly did all the right things -- +including a hard-nosed program designed to free ourselves from the gougers' +grips -- we would need a willing federal partner. But it's foolish to think +that the Bush administration would do much to help one of its least +favorite states, or do anything that conflicts with its love of +traditional, non-renewable energy sources. + +If the lawsuits against various energy companies and traders bear any +fruit, the best we can expect is to pay off some of the massive debts the +state amassed to prevent a total collapse in early 2001. That's a +reasonable approach, but don't expect miracles. + +State policies are moving the wrong way on utility regulation, meanwhile. +Instead of relentlessly pursuing smart deregulation -- still a good idea if +it gives customers genuine choices -- state laws and regulations ``put the +utilities back in the business of buying energy for captive customers,'' +notes V. John White, executive director of the Sacramento-based Center for +Energy Efficiency and Renewable Technologies (www.ceert.org). + +It's tempting to call for an outright state takeover of the utilities -- +tempting but a bad idea. When there's genuine competition, as we could +achieve in electricity generation, the private sector tends to do a better +job. Instead of abandoning deregulation, California should find a way to +inject real competition into the market. + +We do need to recognize that the current system of delivering electricity +defies privatization, at least under current conditions. Smart regulation +is essential. + +But the best response to gouging is to use less of what the gougers +control. There are two ways: conservation and replacement. We need more of +both. + +The best recent step is a new state law that slowly but surely ratchets up +the use of electricity from renewables. By 2017, California's utilities +will have to get 20 percent of their power from solar and other renewable +sources. Several power companies are expected to do this even sooner. + +But this law has an element of old-line thinking, the captive-customer +model we need to be getting away from, not sustaining. Lip service to newer +ideas isn't enough. + +The state should be removing barriers to micro-generation systems, small +generators that can run on a variety of fuels and provide decentralized, +harder-to-disrupt electricity to homes and businesses. This technology is +coming along fast. State policies are not keeping pace. + +Investing to save energy is increasingly the smartest move of all. +California should be doing more to encourage this, whether through tax +incentives or outright grants in low-income households. California hasn't +done badly on conservation in a general sense, and energy customers did +react to last year's soaring rates and blackouts by cutting back, but it's +lunacy to wait for the next crisis when we can do something to avoid it +altogether. + +Maybe this is all pointless. The Bush administration's energy policies, so +grossly tilted toward the unholy trinity of oil, coal and nuclear, are +making us all more vulnerable. Never mind what might happen if the coming +war in Iraq goes badly. + +It's pointless to hope for a sane federal policy -- a crash program to +drastically speed the inevitable transition to a hydrogen-based energy +system. But the largest state, one of the world's major economies in its +own right, does have some clout. We can hit the rip-off artists where it +hurts, and protect ourselves from even more serious disruptions. Maybe next +year. + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0842.5d790576a819e435b41abe9c0af61ec5 b/machine-learning-ex6/ex6/easy_ham/0842.5d790576a819e435b41abe9c0af61ec5 new file mode 100644 index 0000000..6a307bd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0842.5d790576a819e435b41abe9c0af61ec5 @@ -0,0 +1,164 @@ +From fork-admin@xent.com Thu Sep 26 11:04:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 90BF116F03 + for ; Thu, 26 Sep 2002 11:04:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PLFFC14432 for ; + Wed, 25 Sep 2002 22:15:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CB1062940E9; Wed, 25 Sep 2002 14:11:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id BD72429409A for ; + Wed, 25 Sep 2002 14:10:49 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8PHxFT27510 for + ; Wed, 25 Sep 2002 10:59:15 -0700 (PDT) +From: "Jim Whitehead" +To: +Subject: RE: CO2 and climate (was RE: Goodbye Global Warming) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <1032885762.24435.78.camel@avalon> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 10:56:41 -0700 +X-Spam-Status: No, hits=-2.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +OK, let's bring some data into the discussion: +http://www.grida.no/climate/vital/02.htm +(A graph, derived from Vostok ice core samples, of CO2 and temperature +fluctuations over the past 400k years). + +> Recent high-resolution studies of historical CO2 concentrations and +> temperatures over hundreds of thousands of years have shown a modest +> correlation between the two. In a number of cases, CO2 level increases +> are not in phase with temperature increases and actually trail the +> increase in temperature by a short time i.e. increases in temperature +> preceded increases in CO2 concentrations. The more studies that are done +> of the geological record, the more it seems that CO2 concentrations are +> correlated with temperature increases, but are not significantly +> causative. + +Based on the Vostok data, you are right, there is a very strong correlation +between temperature and CO2 concentrations, but it doesn't always appear to +be causal. + +> With respect to absolute CO2 concentrations, it is also important to +> point out that our best data to date suggests that they follow a fairly +> regular cycle with a period of about 100,000 years. + +Also correct -- the peak of each cycle is at about 290-300 ppm CO2. + +> As it +> happens, current CO2 concentrations are within 10% of other previous +> cyclical concentration peaks for which we have good data. + +Not correct. Mauna Loa data and + show that the current CO2 +concentrations are at 370ppm, 18% *greater* than the *highest* recorded +value from the past 400k years. Furthermore, CO2 concentrations are growing +at 15ppm every 10 years, much faster than any recorded increase in the +Vostok data (though perhaps the Vostok data isn't capable of such fine +resolution). + +> In other words, we may be adding to the CO2 levels, + +No, we are *definitely* adding to CO2 levels. Look at the following chart: +http://www.grida.no/climate/vital/07.htm +(Shows CO2 concentrations since 1870, the "historical record"). + +Not only is the CO2 increase over 130 years unprecedented in the Vostok +record, it is clear that the rate of change is *increasing*, not decreasing. +There is no other compelling explanation for this increase, except for +anthropogenic input. You're really out on the fringe if you're debating +this -- even global warming skeptics generally concede this point. + +> but it looks a lot like we +> would be building a molehill on top of a mountain in the historical +> record. At the very least, there is nothing anomalous about current CO2 +> concentrations. + +Wrong again. Current CO2 levels are currently unprecedented over the past +400k years, unless there is some mechanism that allows CO2 levels to quickly +spike, and then return back to "normal" background levels (and hence the +spike might not show up in the ice cores). + +Still, by around 2075-2100 we will have reached 500 ppm CO2, a level that +even you would have a hard time arguing away. + +> Also, CO2 levels interact with the biosphere in a manner that ultimately +> affects temperature. Again, the interaction is not entirely +> predictable, but this is believed to be one of the regulating negative +> feedback systems mentioned above. + +Yes, clouds and oceans are a big unknown. Still, we know ocean water has a +finite capacity to store CO2, and if the world temperature doesn't increase, +but we all have Seattle-like weather all the time, the effects would be +enormous. + +> Last, as greenhouse gases go, CO2 isn't particularly potent, although it +> makes up for it in volume in some cases. Gases such as water and +> methane have a far greater impact as greenhouse gases on a per molecule +> basis. Water vapor may actually be the key greenhouse gas, something +> that CO2 only indirectly effects through its interaction with the +> biosphere. + +Correct. + +Data on relative contributions of greenhouse gasses: +http://www.grida.no/climate/vital/05.htm + +Note that methane concentrations now are *much* higher than pre-industrial +levels (many cows farting, and rice paddies outgassing), and methane is also +a contributor in the formation of atmospheric water vapor. Another clearly +anthropogenic increase in a greenhouse gas. I'm in favor of reductions in +methane levels as well. + +Data on water vapor here: +http://www.agu.org/sci_soc/mockler.html + +> CO2 was an easy mark for early environmentalism, but all the recent +> studies and data I've seen gives me the impression that it is largely a +> passenger on the climate ride rather than the driver. + +I tend to think that holistic, and techical approaches would work best in +reducing global warming. I favor an energy policy that has a mix of solar, +wind and nuclear, with all carbon-based combustion using renewable sources +of C-H bonds. Aggressive pursuit of carbon sink strategies also makes sense +(burying trees deep underground, for example). Approaches that involve +reductions in lifestyle to a "sustainable" level are unrealistic -- +Americans just won't do it (you'd be surprised at the number of climate +change researchers driving SUVs). But, as California showed during last +year's energy crisis, shifts in patterns of consumption are possible, and +improved efficiency is an easy sell. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0843.6e5323ee268f72a690f5e5af60643e73 b/machine-learning-ex6/ex6/easy_ham/0843.6e5323ee268f72a690f5e5af60643e73 new file mode 100644 index 0000000..66e74af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0843.6e5323ee268f72a690f5e5af60643e73 @@ -0,0 +1,120 @@ +From fork-admin@xent.com Thu Sep 26 11:04:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6C03016F03 + for ; Thu, 26 Sep 2002 11:04:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PMZ8C16870 for ; + Wed, 25 Sep 2002 23:35:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BC05E29410C; Wed, 25 Sep 2002 15:31:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm3-11.sba1.netlojix.net + [207.71.218.155]) by xent.com (Postfix) with ESMTP id D9DAC294108 for + ; Wed, 25 Sep 2002 15:30:20 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id PAA24122; + Wed, 25 Sep 2002 15:40:12 -0700 +Message-Id: <200209252240.PAA24122@maltesecat> +To: fork@example.com +Subject: Kissinger +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 15:40:12 -0700 +X-Spam-Status: No, hits=-2.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +[can't think of how I'd be running +afoul of the spam filters with this +post, so here's the second try...] + +Kissinger's book _Does America Need +a Foreign Policy?_ provides a few +handy abstractions: + +> The ultimate dilemma of the statesman is to strike a balance between +> values ["idealism"] and interests ["realism"] and, occasionally, +> between peace and justice. + +Also, he views historical American +approaches to foreign policy as a +bundle of three fibers: + +Hamiltonian - We should only get + involved in foreign adventures + to preserve balances of power. + +Wilsonian - We should only get + involved in foreign adventures + to further democracy, etc. + +Jacksonian - We should never get + involved in foreign adventures. + Unless we're attacked. Then we + go Rambo. + +He has tactfully left out the hard +realists*; as for the rest I gather +wilsonians play the idealists, and +hamiltonians act where values and +interests intersect, and jacksonians +act only when values and interests +overlap. + +Kissinger himself seems to be a +Hamiltonian; much of the book is +about how he thinks we ought to +be shaping the balance of power +in various foreign regions. + +Maybe I've been too affected by +Kant, but I can't see that such +a strategy works unless one can +count on a Bismarck runnning it: +how lopsided does the US look if +everyone tries to run a balance +of power politics? + +- -Dave + +* +> The road to empire leads to domestic decay because, in time, the claims +> of omnipotence erode domestic restraints. No empire has avoided the +> road to Caesarism unless, like the British Empire, it devolved its +> power before this process could develop. In long-lasting empires, +> every problem turns into a domestic issue [which should be handled +> very differently from international ones] because the outside world +> no longer provides a counterweight. And as challenges grow more +> diffuse and increasingly remote from the historic domestic base, +> internal struggles become ever more bitter and in time violent. +> A deliberate quest for hegemony is the surest way to destroy the +> values that made the United States great. + +Kings and tyrants generically have +followed the same power politics: +garner popular support by keeping +potential oligarchs down. In other +traditions, a king is a legitimate +tyrant, and a tyrant an illegitimate +king. In the US, I'd hope that we, +like Samuel, wouldn't naturally make +such fine distinctions. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0844.6aab9e4919f6524f88591d6ef1e3f445 b/machine-learning-ex6/ex6/easy_ham/0844.6aab9e4919f6524f88591d6ef1e3f445 new file mode 100644 index 0000000..d1c85dd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0844.6aab9e4919f6524f88591d6ef1e3f445 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Thu Sep 26 11:04:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 428D116F03 + for ; Thu, 26 Sep 2002 11:04:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PMfPC17153 for ; + Wed, 25 Sep 2002 23:41:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BE1B9294101; Wed, 25 Sep 2002 15:37:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 47C0229409A for ; Wed, + 25 Sep 2002 15:36:57 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 8FF933EDD7; + Wed, 25 Sep 2002 18:45:29 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8BFAD3EDD6 for ; Wed, + 25 Sep 2002 18:45:29 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Re: Digital radio playlists are prohibited?! +In-Reply-To: <132203498905.20020925163453@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 18:45:29 -0400 (EDT) +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PLING_QUERY, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +--] +--] Anyone heard of this law before? + +Back when I was running the WSMF shoutcast server these restrictions were +just being placed on netcasters. Most folks laughed it off. Now with the +license fees its not laughable anymore. If you pay the fee you are bound +to the restrictions, if you dont your running the criminal line. + +I still run a stream up on live365. Its been playing the same 10 hour +block of Jean Shepard shows for the last year. I really should change them +up. + +If I were going to do the old WSMF shoutcast now adays I would either +spend lots of time going over regulations to see what I can or cannot do +or I would just chuck the regs out and do what I want. Or I might write +some apps to stay in regs ..I dont know..one thing is for sure it +defiently takes the spontaneous edge off things:)- + +F Murray Abraham +F Scott Fitzgerald +F Hillary Rossen + +-tom + + diff --git a/machine-learning-ex6/ex6/easy_ham/0845.eb2eb66b172d250b0b35f971bab702c4 b/machine-learning-ex6/ex6/easy_ham/0845.eb2eb66b172d250b0b35f971bab702c4 new file mode 100644 index 0000000..d63e916 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0845.eb2eb66b172d250b0b35f971bab702c4 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Thu Sep 26 11:04:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 53A1F16F03 + for ; Thu, 26 Sep 2002 11:04:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PMuSC17641 for ; + Wed, 25 Sep 2002 23:56:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BCCE0294167; Wed, 25 Sep 2002 15:50:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (pool-162-83-148-146.ny5030.east.verizon.net [162.83.148.146]) by xent.com + (Postfix) with ESMTP id 71207294164 for ; Wed, + 25 Sep 2002 15:49:29 -0700 (PDT) +Received: from localhost (lgonze@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g8PMqAZ01264; Wed, 25 Sep 2002 18:52:10 + -0400 +X-Authentication-Warning: localhost.localdomain: lgonze owned process + doing -bs +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +To: Gordon Mohr +Cc: FoRK +Subject: Re: The Great Power-Shortage Myth +In-Reply-To: <053b01c264db$456e57f0$640a000a@golden> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 18:52:09 -0400 (EDT) +X-Spam-Status: No, hits=-6.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Wed, 25 Sep 2002, Gordon Mohr wrote: +> In contrast, take a look at this article by Simon J. Wilkie of +> Caltech: + +Wow, that Wilkie article is the single best explanation I've seen. + +The open question is whether any analysis before the fact warned the +politicians, or whether the politicians were forewarned and went ahead. +What did they know and when did they know it? + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0846.c64497babd4cafa18571fd484fd44e9d b/machine-learning-ex6/ex6/easy_ham/0846.c64497babd4cafa18571fd484fd44e9d new file mode 100644 index 0000000..153a1f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0846.c64497babd4cafa18571fd484fd44e9d @@ -0,0 +1,85 @@ +From fork-admin@xent.com Thu Sep 26 11:04:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9A72816F03 + for ; Thu, 26 Sep 2002 11:04:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PMxPC17679 for ; + Wed, 25 Sep 2002 23:59:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7AB48294164; Wed, 25 Sep 2002 15:55:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id AB87D29409A for ; + Wed, 25 Sep 2002 15:54:07 -0700 (PDT) +Received: (qmail 7297 invoked by uid 19621); 25 Sep 2002 22:55:59 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 25 Sep 2002 22:55:59 -0000 +Subject: Re: Digital radio playlists are prohibited?! +From: James Rogers +To: fork@example.com +In-Reply-To: <132203498905.20020925163453@magnesium.net> +References: <95745878-D05F-11D6-8F1E-000393A46DEA@alumni.caltech.edu> + <132203498905.20020925163453@magnesium.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032995753.27386.88.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 25 Sep 2002 16:15:52 -0700 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PLING_QUERY,QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +On Wed, 2002-09-25 at 13:34, bitbitch@magnesium.net wrote: +> +> This, kiddies was apparently the legislative beginnings of the whole +> streaming audio-gets-spanked-by-fees ruling that came down in the +> earlier parts of this year. This first act applied to non-exempt, +> non-subscription transmission services. When Congress got around in +> 1998 and realized that webcasting services -might- be different +> (though I honestly can't see how) they wrote in the provision through +> the DMCA to include such transmissions. + + +The restrictive law regarding audio is actually the accumulated cruft of +30 years of various legislative acts. The totality of what we have now +come from various parts of all the following re: sound recordings: + +1998 - DMCA +1995 - Digital Performance Right in Sound Recordings Act +1992 - Audio Home Recording Act +1976 - Copyright Act amendment +1972 - Copyright Act amendment + +It is worth noting that many people have forgotten about the 1976 +Copyright Act Amendment which created the foundational law stating that +the copyright owners have the right to limit personal use of audio +recordings after First Sale even if you are not "making copies" in any +commercial sense. Sound recordings, for many intents and purposes, are +explicitly excluded from Fair Use by the 1976 amendment. + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0847.00a64e95e9b26dd792571a8213a90c78 b/machine-learning-ex6/ex6/easy_ham/0847.00a64e95e9b26dd792571a8213a90c78 new file mode 100644 index 0000000..62f3fc1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0847.00a64e95e9b26dd792571a8213a90c78 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Thu Sep 26 11:04:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5885516F03 + for ; Thu, 26 Sep 2002 11:04:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PN5VC18316 for ; + Thu, 26 Sep 2002 00:05:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BBD29294160; Wed, 25 Sep 2002 16:01:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (kana-130.kana.com [207.5.62.130]) by xent.com + (Postfix) with ESMTP id EEFBA294160 for ; Wed, + 25 Sep 2002 16:00:18 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Wed, 25 Sep 2002 23:01:20 -08:00 +Message-Id: <3D924040.1080303@barrera.org> +From: "Joseph S. Barrera III" +Organization: NERV +User-Agent: KayPro Perfect Writer 1.31S +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: FoRK +Subject: dumb question: X client behind a firewall? +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 16:01:20 -0700 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_DENSE, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Let's say you're behind a firewall and have a NAT address. +Is there any way to telnet to a linux box out there in the world +and set your DISPLAY in some way that you can create +xterms on your own screen? + +- Joe + +-- +That girl became the spring wind +She flew somewhere, far away +Undoing her hair, lying down, in her sleep +She becomes the wind. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0848.ef1b9b43e194c1650d7722ffcc7b20ad b/machine-learning-ex6/ex6/easy_ham/0848.ef1b9b43e194c1650d7722ffcc7b20ad new file mode 100644 index 0000000..7e810a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0848.ef1b9b43e194c1650d7722ffcc7b20ad @@ -0,0 +1,68 @@ +From fork-admin@xent.com Thu Sep 26 11:04:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B54CE16F03 + for ; Thu, 26 Sep 2002 11:04:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PNN4C18770 for ; + Thu, 26 Sep 2002 00:23:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AE5D1294162; Wed, 25 Sep 2002 16:19:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out1.apple.com (mail-out1.apple.com [17.254.0.52]) by + xent.com (Postfix) with ESMTP id 7ACC829409A for ; + Wed, 25 Sep 2002 16:18:24 -0700 (PDT) +Received: from mailgate2.apple.com (A17-129-100-225.apple.com + [17.129.100.225]) by mail-out1.apple.com (8.11.3/8.11.3) with ESMTP id + g8PNMBh10541 for ; Wed, 25 Sep 2002 16:22:12 -0700 (PDT) +Received: from scv2.apple.com (scv2.apple.com) by mailgate2.apple.com + (Content Technologies SMTPRS 4.2.1) with ESMTP id + for ; + Wed, 25 Sep 2002 16:22:11 -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv2.apple.com (8.11.3/8.11.3) with ESMTP id g8PNMBV29055 for + ; Wed, 25 Sep 2002 16:22:11 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v546) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: "Free" Elvis Costello CD a trojan horse for DRM malware +From: Bill Humphries +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 16:22:40 -0700 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +A friend in Dublin is mailing me the CD which was in the UK Sunday +Times. I've just been advised that running it in a Win32 machine is +dangerous as all get out. + +http://www.theregister.co.uk/content/4/27232.html + +-- whump + + +---- +Bill Humphries +http://www.whump.com/moreLikeThis/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0849.84e6b16e331d3e5bcd798ca0f5374624 b/machine-learning-ex6/ex6/easy_ham/0849.84e6b16e331d3e5bcd798ca0f5374624 new file mode 100644 index 0000000..9ac2875 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0849.84e6b16e331d3e5bcd798ca0f5374624 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Thu Sep 26 11:04:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1913E16F03 + for ; Thu, 26 Sep 2002 11:04:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8PNk4C19765 for ; + Thu, 26 Sep 2002 00:46:04 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9C676294172; Wed, 25 Sep 2002 16:42:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out1.apple.com (mail-out1.apple.com [17.254.0.52]) by + xent.com (Postfix) with ESMTP id 4508629409A for ; + Wed, 25 Sep 2002 16:41:50 -0700 (PDT) +Received: from mailgate1.apple.com (A17-128-100-225.apple.com + [17.128.100.225]) by mail-out1.apple.com (8.11.3/8.11.3) with ESMTP id + g8PNjbh14937 for ; Wed, 25 Sep 2002 16:45:37 -0700 (PDT) +Received: from scv3.apple.com (scv3.apple.com) by mailgate1.apple.com + (Content Technologies SMTPRS 4.2.5) with ESMTP id + for ; + Wed, 25 Sep 2002 16:45:31 -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv3.apple.com (8.11.3/8.11.3) with ESMTP id g8PNjb302858 for + ; Wed, 25 Sep 2002 16:45:37 -0700 (PDT) +MIME-Version: 1.0 (Apple Message framework v546) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: "Free" Elvis Costello CD a trojan horse for DRM malware +From: Bill Humphries +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 16:46:06 -0700 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +A friend in Dublin is mailing me the CD which was in the UK Sunday +Times. I've just been advised that running it in a Win32 machine is +dangerous as all get out. + +http://www.theregister.co.uk/content/4/27232.html + +-- whump + + +---- +Bill Humphries +http://www.whump.com/moreLikeThis/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0850.37218bc58cdc1cf2502010a098c77965 b/machine-learning-ex6/ex6/easy_ham/0850.37218bc58cdc1cf2502010a098c77965 new file mode 100644 index 0000000..e165a9e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0850.37218bc58cdc1cf2502010a098c77965 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Sep 26 11:04:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6E82016F03 + for ; Thu, 26 Sep 2002 11:04:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8Q0A9C22567 for ; + Thu, 26 Sep 2002 01:10:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DDB752940AD; Wed, 25 Sep 2002 17:06:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain + (dsl-208-151-246-47.dsl.easystreet.com [208.151.246.47]) by xent.com + (Postfix) with ESMTP id 9272029409A for ; Wed, + 25 Sep 2002 17:05:15 -0700 (PDT) +Received: (from karl@localhost) by localhost.localdomain (8.11.6/8.11.6) + id g8Q0HKL03367; Wed, 25 Sep 2002 17:17:20 -0700 +X-Authentication-Warning: localhost.localdomain: karl set sender to + kra@monkey.org using -f +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: dumb question: X client behind a firewall? +References: <3D924040.1080303@barrera.org> +From: Karl Anderson +Organization: Ape Mgt. +In-Reply-To: "Joseph S. Barrera III"'s + message of + "Wed, 25 Sep 2002 16:01:20 -0700" +Message-Id: +Lines: 11 +User-Agent: Gnus/5.0802 (Gnus v5.8.2) Emacs/20.7 +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 25 Sep 2002 17:17:19 -0700 +X-Spam-Status: No, hits=-12.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,USER_AGENT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +"Joseph S. Barrera III" writes: + +> Let's say you're behind a firewall and have a NAT address. +> Is there any way to telnet to a linux box out there in the world +> and set your DISPLAY in some way that you can create +> xterms on your own screen? + +Assuming your local display is X, SSH. + +-- +Karl Anderson kra@monkey.org http://www.monkey.org/~kra/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0851.b7c6fc9da1800afe4eed1a0807dbdccc b/machine-learning-ex6/ex6/easy_ham/0851.b7c6fc9da1800afe4eed1a0807dbdccc new file mode 100644 index 0000000..fd1f41e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0851.b7c6fc9da1800afe4eed1a0807dbdccc @@ -0,0 +1,61 @@ +From fork-admin@xent.com Thu Sep 26 11:04:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BA2D416F03 + for ; Thu, 26 Sep 2002 11:04:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:04:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8Q0i6C24938 for ; + Thu, 26 Sep 2002 01:44:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 66880294171; Wed, 25 Sep 2002 17:40:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 99F4229409A for + ; Wed, 25 Sep 2002 17:39:25 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Thu, 26 Sep 2002 00:40:54 -08:00 +Message-Id: <3D925796.6070305@barrera.org> +From: "Joseph S. Barrera III" +Organization: NERV +User-Agent: KayPro Perfect Writer 1.31S +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: FoRK +Subject: Re: dumb question: X client behind a firewall? +References: <3D924040.1080303@barrera.org> + +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 17:40:54 -0700 +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Wow, three replies already, all recommending ssh. Thanks! + +- Joe + +Back in my day, they didn't have ssh. Then again, back in my day, +they didn't have firewalls. And I still miss X10's active icons. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0852.cab2623799815a32681d15c6c82a41c5 b/machine-learning-ex6/ex6/easy_ham/0852.cab2623799815a32681d15c6c82a41c5 new file mode 100644 index 0000000..e6d1ae0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0852.cab2623799815a32681d15c6c82a41c5 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Thu Sep 26 16:35:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BD5A516F20 + for ; Thu, 26 Sep 2002 16:34:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 16:34:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8QCWCg18115 for ; + Thu, 26 Sep 2002 13:32:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9B6E82940AA; Thu, 26 Sep 2002 05:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp001.nwlink.com (smtp001.nwlink.com [209.20.130.75]) by + xent.com (Postfix) with ESMTP id 5166E29409A for ; + Thu, 26 Sep 2002 05:28:00 -0700 (PDT) +Received: from monster (kola.vertexdev.com [209.20.218.149] (may be + forged)) by smtp001.nwlink.com (8.12.2/8.12.2) with SMTP id g8QCVn22018247 + for ; Thu, 26 Sep 2002 05:31:49 -0700 +Message-Id: <04da01c26558$d9bf8550$070d0dc0@monster> +From: "Jeff Barr" +To: +References: <20020925215801.23505.49195.Mailman@lair.xent.com> +Subject: Re: Digital radio playlists are prohibited?! +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4807.1700 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 26 Sep 2002 05:32:01 -0700 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=KNOWN_MAILING_LIST,PLING_QUERY,QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + +> Subject: Re: Digital radio playlists are prohibited?! +> From: James Rogers +> To: fork@example.com +> Date: 25 Sep 2002 12:52:15 -0700 +> +> On Wed, 2002-09-25 at 01:19, Rohit Khare wrote: +> > Anyone heard of this law before? +> +> +> Absolutely. More accurately, it is part of the RIAAs "regulation" for +> broadcasting music under their auspices. This is actually part of the +> default statutory license the RIAA is compelled to issue. You can try +> and establish your own contract with each of the individual publishers +> in addition to the writers, but that is a Herculean undertaking in its +> own right. The details are really gross and complicated. + +Perhaps the stations cannot publish digital playlists, but you can get +them from www.starcd.com anyway. They use some sort of +listening and recognition technology to identify the music played +on over 1000 US radio stations. + +Jeff; + + diff --git a/machine-learning-ex6/ex6/easy_ham/0853.79c912aba9155510575bfec3b8123f8e b/machine-learning-ex6/ex6/easy_ham/0853.79c912aba9155510575bfec3b8123f8e new file mode 100644 index 0000000..a3e132f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0853.79c912aba9155510575bfec3b8123f8e @@ -0,0 +1,69 @@ +From fork-admin@xent.com Thu Sep 26 16:35:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9785016F22 + for ; Thu, 26 Sep 2002 16:34:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 16:34:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8QE97g21435 for ; + Thu, 26 Sep 2002 15:09:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AEE82294176; Thu, 26 Sep 2002 07:05:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 14EC829409A for + ; Thu, 26 Sep 2002 07:04:32 -0700 (PDT) +Received: (qmail 12305 invoked by uid 508); 26 Sep 2002 14:03:31 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.4) by + venus.phpwebhosting.com with SMTP; 26 Sep 2002 14:03:31 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8QE8ES16438; Thu, 26 Sep 2002 16:08:16 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: "Joseph S. Barrera III" +Cc: FoRK +Subject: Re: dumb question: X client behind a firewall? +In-Reply-To: <3D924040.1080303@barrera.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 26 Sep 2002 16:08:14 +0200 (CEST) +X-Spam-Status: No, hits=-7.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Wed, 25 Sep 2002, Joseph S. Barrera III wrote: + +> Let's say you're behind a firewall and have a NAT address. +> Is there any way to telnet to a linux box out there in the world +> and set your DISPLAY in some way that you can create +> xterms on your own screen? + +As other people suggested: SSH. PuTTY + + http://www.chiark.greenend.org.uk/~sgtatham/putty/download.html + +can do it. Can run, say xclock (I'm running an X server under W32 at work, +tunneling through a NAT box), but from Linux, not from Solaris. Probably +OpenSSH misconfigurat5ion. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0854.6fc80acdb73b0ab60c3f316f646c0546 b/machine-learning-ex6/ex6/easy_ham/0854.6fc80acdb73b0ab60c3f316f646c0546 new file mode 100644 index 0000000..d1e9ab8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0854.6fc80acdb73b0ab60c3f316f646c0546 @@ -0,0 +1,202 @@ +From fork-admin@xent.com Fri Sep 27 10:43:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6B87616F18 + for ; Fri, 27 Sep 2002 10:42:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 27 Sep 2002 10:42:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8R7O9g32127 for ; + Fri, 27 Sep 2002 08:24:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2B16C2940B7; Fri, 27 Sep 2002 00:20:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id 6B1E229409A for ; + Fri, 27 Sep 2002 00:19:51 -0700 (PDT) +Received: from [192.168.123.100] ([64.171.2.19]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H33001IM5VJWJ@mta6.snfc21.pbi.net> for fork@xent.com; Fri, + 27 Sep 2002 00:23:43 -0700 (PDT) +From: James Rogers +Subject: Native American economics (was Re: sed /s/United States/Roman + Empire/g) +In-Reply-To: <000f01c2628a$e71a61f0$0200a8c0@JMHALL> +To: fork@example.com +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +User-Agent: Microsoft-Entourage/9.0.1.3108 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 00:23:39 -0700 +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_URI_COUNT_1_2, + USER_AGENT,USER_AGENT_ENTOURAGE,US_DOLLARS_2 + version=2.50-cvs +X-Spam-Level: + + +I wanted to get back to this but didn't have the time. I actually lived on +a couple different Indian reservations growing up in the Pacific Northwest +and also spent a fair amount time in Lakota/Sioux country as well. And my +parents have lived on an even more diverse range of Indian reservations than +I have (my experience being a direct result of living with my parents). I +do get a lot of my information first-hand, or in some cases, second-hand +from my father. + +The income figures for the Indians are somewhat misleading, mostly because +it is really hard to do proper accounting of the effective income. While it +is true that some Indians live in genuine poverty, it is typically as a +consequence of previous poor decisions that were made by the tribe, not +something that was impressed upon them. + +The primary problem with the accounting is that there is a tribal entity +that exists separately from the individuals, typically an "Indian +Corporation" of one type or another where each member of the tribe owns a +single share (the details of when and how a share becomes active varies from +tribe to tribe). In most tribes, a dividend is paid out to each of the +tribal members from the corporation, usually to the tune of $10-30k per +person, depending on the tribe. The dividend money comes from a number of +places, with the primary sources being the Federal Gov't and various +businesses/assets owned by the Indian corporation. + +You have to understand a couple things: First, a great many Indian tribes +are run as purely communist enterprises. Everyone gets a check for their +share no matter what. One of the biggest problems this has caused is very +high unemployment (often 70-90%) for tribal members, who are more than happy +take their dividend and not work. The dividend they receive from the +corporation often constitutes their sole "income" for government accounting +purposes. Unfortunately, to support this type of economics when no one +works, they've had to sell off most of their useful assets to maintain those +dividends. Many of the tribes genuinely living in poverty do so because +they have run out of things to sell yet nobody works. One of the ironies is +that on many of the reservations where the tribes still have assets to burn, +many of the people working in the stores and such are actually poor white +folk, not Indians. + +Second, even though the tribe members each get a cash dividend, they also +receive an enormous range of benefits and perks from the Indian corporation +to the tune of tens of thousands of dollars per person annually. By +benefits and perks, we are talking about the kinds of things no other +ordinary American receives from either their employer or the government. + +It should be pointed out that while many of these Indian corporations are +ineptly run, and mostly provide sinecures for other Indians, a minority are +very smartly managed and a few hire non-Indian business executives with good +credentials to run their business divisions. An example of this is the +Haida Corporation, which while having less 1,000 tribal shareholders, has +billions of dollars in assets and the various corporations they own have +gross revenues in the $200-300 million range (and growing). Yet the +dividend paid out is strictly controlled, about $20k in this particular +case, and they engaged in a practice of waiting a couple decades before +drawing money from any of the assets they were granted which has led to +intelligent investment and use. They don't eat their seed corn, and have +actually managed to grow their stash. In contrast, a couple islands over, +there is another tribe of ~2,000 people that has a net loss of about $50 +million annually IIRC while being regularly endowed by the Federal +government with several billions of dollars in valuable assets. This +particular tribe has a modest income in theory, but the actual expenditures +per person annually is in the hundreds of thousands of dollars, and many +borrow money against future income. Incidentally, in this particular case, +the people that ARE working frequently pull in a few hundred thousand +dollars a year, much of which goes back to the tribal corporation rather +than their own pockets. + +Somewhat annoying, the Federal government semi-regularly grants valuable +assets to these tribes when they've burned through the ones previously given +where feasible, typically selling the assets to American or foreign +companies. And the cycle continues. + +So what is the primary problem for the tribes that have problems? In a +nutshell, a thoroughly pathological culture and society. + +Few women reach the age of 16 without getting pregnant. Incest, rape, and +gross promiscuity is rampant. Inbreeding, heavy drug abuse during +pregnancy, and other environmental factors have created tribes where a very +substantial fraction of the tribe is literally mentally retarded. Many of +the thoughtful and intelligent tribe members leave the reservation at the +earliest opportunity, mostly to avoid the problems mentioned above. On one +reservation my parents lived, the HIV infection rate was >70%. Many of +these societies are thoroughly corrupt, and the administration of the law is +arbitrary and capricious (they do have their own judges, courts, police +etc). + +In short, many of these tribes that are still hanging together are in a +shambles because they have become THE most pathological societies that I +have ever seen anywhere. Because of their legal status, there really aren't +that many consequences for their behavior. There are many things that I +could tell you that I've seen that you probably would not believe unless +you'd seen it yourself. There are always good people in these tribes, but +it has gotten to the point where the losers and idiots outnumber the good +guys by a fair margin many times, and this IS a mobocracy typically. (BTW, +if any of you white folk wants to experience overt and aggressive racism as +a minority in a place where the rule of law is fiction and the police are +openly thugs, try living on one of these messed up Indian reservations. It +will give you an interesting perspective on things.) + +There are only two real situations where you find reasonably prosperous +Indians. The first is in the rare case of tribes run by disciplined and +intelligent people that have managed their assets wisely. The second is +where the tribe has dispersed and assimilated for the most part, even if +they maintain their tribal identity. In both of these cases, the tribal +leaders reject the insular behavior that tends to lead to the pathological +cases mentioned above. + +The Indians are often quite wealthy technically, and a lot of money is spent +by the tribe per capita. And the actual reportable income is quite high +when you consider how many are living entirely off the tribal dole. It is +just that their peculiar economic structure does not lend itself well to +ordinary economic analysis by merely looking at their nominal income. The +poverty is social and cultural in nature, not economic. This was my +original point. + + +On a tangent: + +One thing that has always interested me is the concept of quasi-tribal +corporate socialism. Many Indian tribes implement a type of corporate +socialism that is mind-bogglingly bad in execution. That they use this +structure at all is an accident of history more than anything. But what has +interested me is that the very smartly managed ones do surprisingly well +over the long run. It is like a Family Corporation writ large. + +It seems that in a future where "familial" ties will be increasingly +voluntary, the general concept may have some merit in general Western +society, serving to create a facsimile of a biological extended family with +the included dynamics, but with an arbitrary set of self-selecting +individuals. + +Damn that was long (and its late), and it could have been a lot longer. + +-James Rogers + jamesr@best.com + + + +On 9/22/02 3:53 PM, "John Hall" wrote: +> +> As I understand it, there is a huge difference between native Americans +> who speak english at home and those who do not. I don't have figures +> that separate those at hand, though. +> +> 1989 American Indians (US Pop as a whole) -- Families below poverty +> 27.2% (10%), Persons below poverty 31.2 (13.1), Speak a language other +> than English 23 (13.8) Married couple families 65.8 (79.5) Median family +> income $21,619 ($35,225) Per Capita $8,284 ($14,420). + + diff --git a/machine-learning-ex6/ex6/easy_ham/0855.5b51f55bb80a0889f3d7071b99f8cdef b/machine-learning-ex6/ex6/easy_ham/0855.5b51f55bb80a0889f3d7071b99f8cdef new file mode 100644 index 0000000..60965bf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0855.5b51f55bb80a0889f3d7071b99f8cdef @@ -0,0 +1,99 @@ +From fork-admin@xent.com Fri Sep 27 10:43:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CC4A616F03 + for ; Fri, 27 Sep 2002 10:42:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 27 Sep 2002 10:42:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8QNc9g14610 for ; + Fri, 27 Sep 2002 00:38:10 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id F011A2940CF; Thu, 26 Sep 2002 16:34:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 5A5AE29409A for ; Thu, + 26 Sep 2002 16:33:42 -0700 (PDT) +Received: (qmail 26554 invoked from network); 26 Sep 2002 23:37:32 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 26 Sep 2002 23:37:32 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: RE: Liberalism in America +Message-Id: <003b01c265b5$af603900$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 26 Sep 2002 16:37:27 -0700 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_OUTLOOK_REPLY,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + + +In essence, hindsight justification. The progressives weren't in the +middle, they were in a society at one end and they wanted a society at +the other end. The middle is more or less where they got stopped. + +As to an intervention that worked, I actually have some nice things to +say about the SEC, at least in theory. I have a few nasty things to say +as well, but on the whole it has been a very good thing. + + +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Geege +> Schuman +> Sent: Tuesday, September 24, 2002 6:37 PM +> To: fork@example.com +> Subject: Liberalism in America +> +> liberalism +> propagandized as meddling +> in truth, the middle +> +> "American liberalism believes that in this respect it has made a major +> contribution to the grand strategy of freedom. Where both capitalists +and +> socialists in the 1930's were trying to narrow the choice to either/or +-- +> either laissez-faire capitalism or bureaucratic socialism -- the New +Deal +> persisted in its vigorous faith that human intelligence and social +> experiment could work out a stable foundation for freedom in a context +of +> security and for security in a context of freedom. That faith remains +the +> best hope of free society today." +> +> fluid yet crunchy, +> gg +> +> +> +> +> http://www.english.upenn.edu/~afilreis/50s/schleslib.html + + diff --git a/machine-learning-ex6/ex6/easy_ham/0856.53c342f04272fa2b9c1f63829301e96b b/machine-learning-ex6/ex6/easy_ham/0856.53c342f04272fa2b9c1f63829301e96b new file mode 100644 index 0000000..8322ad9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0856.53c342f04272fa2b9c1f63829301e96b @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 30 13:52:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B856F16F7C + for ; Mon, 30 Sep 2002 13:48:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8RJJFg24695 for ; + Fri, 27 Sep 2002 20:19:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BEE662940AE; Fri, 27 Sep 2002 12:15:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out2.apple.com (mail-out2.apple.com [17.254.0.51]) by + xent.com (Postfix) with ESMTP id C6F452940A2 for ; + Fri, 27 Sep 2002 12:14:28 -0700 (PDT) +Received: from mailgate2.apple.com (A17-129-100-225.apple.com + [17.129.100.225]) by mail-out2.apple.com (8.11.3/8.11.3) with ESMTP id + g8RJIM914010 for ; Fri, 27 Sep 2002 12:18:22 -0700 (PDT) +Received: from scv2.apple.com (scv2.apple.com) by mailgate2.apple.com + (Content Technologies SMTPRS 4.2.1) with ESMTP id + ; Fri, 27 Sep 2002 12:18:22 + -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv2.apple.com (8.11.3/8.11.3) with ESMTP id g8RJILV27632; Fri, + 27 Sep 2002 12:18:21 -0700 (PDT) +Subject: Re: OSCOM Berkeley report: Xopus, Bitflux, Plone, Xoops +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +Cc: "FoRK" +To: "Jim Whitehead" +From: Bill Humphries +In-Reply-To: +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 12:18:52 -0700 +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_URI_COUNT_0_1, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +On Friday, September 27, 2002, at 11:17 AM, Jim Whitehead wrote: + +> I attended the OSCOM Open Source Content Management workshop at +> Berkeley +> yesterday. + +I really wanted to go to this, especially to look at XOPUS. +Unfortunately, we're launching a new intranet at work next week and I +couldn't get away. XOPUS + an XML native DB such as Xindice looks like +something that could hit a home run. + +-- whump +"I have a theory, it could be bunnies." + + diff --git a/machine-learning-ex6/ex6/easy_ham/0857.c5290c6dee60d45314e519678e96735c b/machine-learning-ex6/ex6/easy_ham/0857.c5290c6dee60d45314e519678e96735c new file mode 100644 index 0000000..92cbdb1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0857.c5290c6dee60d45314e519678e96735c @@ -0,0 +1,85 @@ +From fork-admin@xent.com Mon Sep 30 13:52:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BD6E16F7D + for ; Mon, 30 Sep 2002 13:48:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8RJbDg25388 for ; + Fri, 27 Sep 2002 20:37:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 83B8D2940CE; Fri, 27 Sep 2002 12:33:12 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 2479C2940C9 for ; + Fri, 27 Sep 2002 12:32:26 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8RJZwT25586; Fri, + 27 Sep 2002 12:35:59 -0700 (PDT) +From: "Jim Whitehead" +To: "Robert Harley" , +Subject: RE: The Big Jump +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +In-Reply-To: <20020908150126.44010C44D@argote.ch> +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 12:33:23 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_MSGID_GOOD_EXCHANGE,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + +Adjournment of Michel Fournier's big Jump in May, 2003. + +Two attempts of launch failed : the first because of the wind which got up +prematurely and the second due to a technical hitch during the inflating of +the envelope. +The team of the Big Jump, folds luggage, having waited up to the end for an +opportunity for the launch of the balloon stratosphérique allowing to raise +the + +capsule pressurized by Michel Fournier at more than 40 000 metres in height. +As expected, in the date of September 20, the jets stream strengthened in +300 kph announcing the imminent arrival of the winter and closing until next +May the meteorological window favorable to a human raid in the stratosphere. +On the plains of Saskatchewan, the first snows are waited in the days which +come.Meeting in all in May, 2003. + +> Today a French officer called Michel Fournier is supposed to get in a +> 350-metre tall helium balloon, ride it up to the edge of space (40 km +> altitude) and jump out. His fall should last 6.5 minutes and reach +> speeds of Mach 1.5. He hopes to open his parachute manually at the +> end, although with an automatic backup if he is 7 seconds from the +> ground and still hasn't opened it. +> +> R +> +> ObQuote: +> "Vederò, si averò si grossi li coglioni, come ha il re di Franza." +> ("Let's see if I've got as much balls as the King of France!") +> - Pope Julius II, 2 January 1511 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0858.23f1e5976dae32b0061a6e206aa73241 b/machine-learning-ex6/ex6/easy_ham/0858.23f1e5976dae32b0061a6e206aa73241 new file mode 100644 index 0000000..394dbd2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0858.23f1e5976dae32b0061a6e206aa73241 @@ -0,0 +1,107 @@ +From fork-admin@xent.com Mon Sep 30 13:52:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D83C616F7E + for ; Mon, 30 Sep 2002 13:48:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8S6XBg17611 for ; + Sat, 28 Sep 2002 07:33:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B35872940A2; Fri, 27 Sep 2002 23:29:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from pimout2-ext.prodigy.net (pimout2-ext.prodigy.net + [207.115.63.101]) by xent.com (Postfix) with ESMTP id 31DA329409A for + ; Fri, 27 Sep 2002 23:20:01 -0700 (PDT) +Received: from MAX (adsl-64-171-27-180.dsl.sntc01.pacbell.net + [64.171.27.180]) by pimout2-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) + with ESMTP id g8S4FoI7444696 for ; Sat, 28 Sep 2002 + 00:15:59 -0400 +From: "Max Dunn" +To: "'FoRK'" +Subject: RE: OSCOM Berkeley report: Xopus, Bitflux, Plone, Xoops +Message-Id: <000001c266a5$b5ba5600$6401a8c0@MAX> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +Importance: Normal +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 21:15:36 -0700 +X-Spam-Status: No, hits=1.6 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: * + +I attended the same conference, and was impressed by a few systems that +Jim didn't mention. In terms of CMS, the following all had apparently +been used in some fairly large implementations and looked like some +pretty strong competition to commercial systems: +- Midgard, http://www.midgard-project.org/ , a PHP-based content +management framework that with other programs combines to be a full CMS +- Redhat CCM CMS, Java-based: http://www.example.com/software/ccm/cms/ +- OpenCMS, Java-based: http://www.opencms.org + +There was agreement that usability has not generally been an open source +strength, but both Plone and Xopus represented some real movement +towards improving that situation. + +I was impressed by the spectrum of perspectives on XML. Some took for +granted that XSLT was relevant to content management, others took it +just as for granted that XSLT was irrelevant and seemed happy to ignore +XML almost completely. + +I attended realizing that "content management" is generally used to +apply to *Web* content management, but I was still a bit shocked how +completely out of scope document management was (almost no consideration +of the potential print/PDF dimension to content other than the +occasional "...and you can use FOP to make PDF" as if that was +functional): this seems more the case in open source content management +than in commercial content management, and probably makes XML easier to +ignore (if HTML is the be-all and end-all of the output...). + +The honesty was refreshing, Phil Suh complained about the state of +current tools (both open source and commercial), and I wish I'd written +down what he said, something like "it sucks so extremely, it sucks so +widely, and it is so generally sucking, that it seems sometimes there is +no hope." For a moment there was contemplation that perhaps commercial +systems scaled so well that the commercial "big boys" were really much +more functional than open source, until someone pointed out, "OK, take +some average blog software, spend $500,000 on the rollout... it'll scale +pretty well." Another quote (citing Brendan Quinn): "content management +problems are either trivial or impossible." + +Mac OS X is getting popular, of the laptops there it was an even 1/3 +each of Mac, Linux, Windows. + +I am sure it wasn't news to Jim, but I can't wait to try Subversion, a +CVS replacement that supports some of the newer features of WebDAV: +http://subversion.tigris.org/ + +I'm also eager to try Xopus, I hope the developers make it back home +safely, they said they'd only been in America four days but were already +homeless... + +Max + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0859.c5de7d55c638b365941e5077d598ff6a b/machine-learning-ex6/ex6/easy_ham/0859.c5de7d55c638b365941e5077d598ff6a new file mode 100644 index 0000000..ae22519 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0859.c5de7d55c638b365941e5077d598ff6a @@ -0,0 +1,107 @@ +From fork-admin@xent.com Mon Sep 30 13:52:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DA7FD16F7F + for ; Mon, 30 Sep 2002 13:48:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8SFTFg31942 for ; + Sat, 28 Sep 2002 16:29:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 55A982940A8; Sat, 28 Sep 2002 08:25:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id 387922940A6 for ; + Sat, 28 Sep 2002 08:24:12 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H35003JGMYX9G@mta7.pltn13.pbi.net> for fork@xent.com; Sat, + 28 Sep 2002 08:28:09 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: EBusiness Webforms: cluetrain has left the station +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D95C839.8E8701FD@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 28 Sep 2002 08:18:17 -0700 +X-Spam-Status: No, hits=-0.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_08_13,T_URI_COUNT_0_1, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +What's wrong with doing business over the Web? Web forms. There's +promising replacements forms, but this is the current state of the +industry: + + o You find something that you want to fill out. It's a partnership form, + a signup for a Web seminar, a request for more information, anything. + o You start wasting time typing in all those stupid fields and spend + about 10 minutes going through all their stupid qualification hoops + just to get a small piece of information , whitepaper, or a callback + when halfway through, you start to wonder if it's really worth your + time to forever be stuck on their stupid prospect list. + o Pull down tags are never put in order of use instead of alphabetized. + I was on a site just now that had every single country in the world + listed; the selection of your country was absolutely critical for you + to hit submit, but due to the layout, the "more>" tag on the second + row was offscreen so it was impossible to select any country except + about two dozen third world countries. + o Even worse, ever time you hit submit, all forms based things complain + about using the universal country phone number format and will cause + you to re-enter dashes instead of dots. + o When you get something that's not entered right, you will go back and + enter it right, but then some other field or most likely pulldown will + automatically get reset to the default value so that you will have to + go back and resent that freaking thing too. Finally after all combinations + of all pulldowns, you may get a successful submit. + o You wait freaking forever just to get a confirmation. + o Sometimes, like today, you won't be able to ever submit anything due + to it being impossible to ever submit a valid set of information that + is internally non-conflicting according to whatever fhead wrote their + forms submission. + +What's wrong with this picture? The company is screwing you by wasting +your time enforcing their data collection standards on you. I'm sure there's +someone in that company that would be willing to accept "US", "U.S", "USA" +"United States", "U of A", "America", etc. and would know exactly which +freaking country the interested party was from instead of forcing them +to waste even more time playing Web form geography. + +I'm starting to see the light of Passport. You want more information? Hit +this passport button. Voila. IE6 and Netscape 6,7 have pre-forms sutff, +but I always turn it off because you never know when there's that one field +that you don't want to submit to the person you are submitting to that +automatically gets sent, i.e. the privacy stuff is well beyond the +average user who will get screwed on privacy stuff. + +So, if crappy forms-based submission is the state of practice for +business enablement on the Web, I can't see this whole data submission +and hurry up and wait for us to get back to you business process as +working all that well. + + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0860.891fbb986b6531d3390a1e9035d571e1 b/machine-learning-ex6/ex6/easy_ham/0860.891fbb986b6531d3390a1e9035d571e1 new file mode 100644 index 0000000..c9119a9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0860.891fbb986b6531d3390a1e9035d571e1 @@ -0,0 +1,121 @@ +From fork-admin@xent.com Mon Sep 30 13:52:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4CE6816F1B + for ; Mon, 30 Sep 2002 13:48:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8SGMDg00851 for ; + Sat, 28 Sep 2002 17:22:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 67ED02940BB; Sat, 28 Sep 2002 09:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 34E0F2940B0 for + ; Sat, 28 Sep 2002 09:17:30 -0700 (PDT) +Received: (qmail 18301 invoked by uid 500); 28 Sep 2002 16:21:17 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 28 Sep 2002 16:21:17 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: Gregory Alan Bolcer +Cc: FoRK +Subject: Re: EBusiness Webforms: cluetrain has left the station +In-Reply-To: <3D95C839.8E8701FD@endeavors.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 28 Sep 2002 12:21:17 -0400 (EDT) +X-Spam-Status: No, hits=-5.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_URI_COUNT_0_1, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +I'll agree that webforms are a pain in the ass, however it would seem to +me that the problem with passport is the same one you noted with the +autoform function, providing more info than you want to. That and some +entity would be holding the passport info, thus have all that data in the +first place. +Personally i'd never trust them not to at least use it internally to +market to me, if not sell/rent out. Just think of the ability +they'd have to build a profile for you since everything you went to was +tracked to you. And thats just the marketing side of it. + +Chris + + + +On Sat, 28 Sep 2002, Gregory Alan Bolcer wrote: + +> What's wrong with doing business over the Web? Web forms. There's +> promising replacements forms, but this is the current state of the +> industry: +> +> o You find something that you want to fill out. It's a partnership form, +> a signup for a Web seminar, a request for more information, anything. +> o You start wasting time typing in all those stupid fields and spend +> about 10 minutes going through all their stupid qualification hoops +> just to get a small piece of information , whitepaper, or a callback +> when halfway through, you start to wonder if it's really worth your +> time to forever be stuck on their stupid prospect list. +> o Pull down tags are never put in order of use instead of alphabetized. +> I was on a site just now that had every single country in the world +> listed; the selection of your country was absolutely critical for you +> to hit submit, but due to the layout, the "more>" tag on the second +> row was offscreen so it was impossible to select any country except +> about two dozen third world countries. +> o Even worse, ever time you hit submit, all forms based things complain +> about using the universal country phone number format and will cause +> you to re-enter dashes instead of dots. +> o When you get something that's not entered right, you will go back and +> enter it right, but then some other field or most likely pulldown will +> automatically get reset to the default value so that you will have to +> go back and resent that freaking thing too. Finally after all combinations +> of all pulldowns, you may get a successful submit. +> o You wait freaking forever just to get a confirmation. +> o Sometimes, like today, you won't be able to ever submit anything due +> to it being impossible to ever submit a valid set of information that +> is internally non-conflicting according to whatever fhead wrote their +> forms submission. +> +> What's wrong with this picture? The company is screwing you by wasting +> your time enforcing their data collection standards on you. I'm sure there's +> someone in that company that would be willing to accept "US", "U.S", "USA" +> "United States", "U of A", "America", etc. and would know exactly which +> freaking country the interested party was from instead of forcing them +> to waste even more time playing Web form geography. +> +> I'm starting to see the light of Passport. You want more information? Hit +> this passport button. Voila. IE6 and Netscape 6,7 have pre-forms sutff, +> but I always turn it off because you never know when there's that one field +> that you don't want to submit to the person you are submitting to that +> automatically gets sent, i.e. the privacy stuff is well beyond the +> average user who will get screwed on privacy stuff. +> +> So, if crappy forms-based submission is the state of practice for +> business enablement on the Web, I can't see this whole data submission +> and hurry up and wait for us to get back to you business process as +> working all that well. +> +> +> Greg +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0861.6d286bd240426caa250c29aae36f9eab b/machine-learning-ex6/ex6/easy_ham/0861.6d286bd240426caa250c29aae36f9eab new file mode 100644 index 0000000..730d41f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0861.6d286bd240426caa250c29aae36f9eab @@ -0,0 +1,103 @@ +From fork-admin@xent.com Mon Sep 30 13:52:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5499516F80 + for ; Mon, 30 Sep 2002 13:48:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8SJtIg06463 for ; + Sat, 28 Sep 2002 20:55:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DB38D2940BF; Sat, 28 Sep 2002 12:51:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 6C9FE2940A9 for ; + Sat, 28 Sep 2002 12:50:46 -0700 (PDT) +Received: (qmail 18407 invoked from network); 28 Sep 2002 19:54:45 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 28 Sep 2002 19:54:45 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 3158A1B62B; + Sat, 28 Sep 2002 15:54:42 -0400 (EDT) +To: gbolcer@endeavors.com +Cc: FoRK +Subject: Re: EBusiness Webforms: cluetrain has left the station +References: <3D95C839.8E8701FD@endeavors.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Sep 2002 15:54:42 -0400 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_QUOTE_TWICE_2,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +>>>>> "G" == Gregory Alan Bolcer writes: + + G> So, if crappy forms-based submission is the state of practice + G> for business enablement on the Web, I can't see this whole data + G> submission and hurry up and wait for us to get back to you + G> business process as working all that well. + +I love this business. If a bridge falls over, the architect or the +engineer is in court the next day, but when a /software/ bridge falls +over, we blame the air beneath it, or the phase of the moon, or +(more often) the people walking on it. + + "What idiots! Don't they know you're supposed to walk on the + /balls/ of your feet, not lead with your heels? Didn't they read + the blueprints? They were posted in the town hall. Any idiot + would know the 0.75Hz heel cadence would pop rivets on the + structural supports! Geez. Pedestrians are /so/ stupid." + +Ours is the /only/ industry that can hold itself 100% un-responsible +for any and all sloth-inflicted doom, and the only industry which can +/also/ get away with feeding this myth of infallibility unquestioned +to the media, to investors, to students and to each other. + + "God I hate telephones. Telephones are stupid. I used a telephone + to, like, call my broker yesterday, and y'know, just /after/ I'd + ordered those 2000 shares of Nortel ..." + +You just gotta love a mass-delusion like that. + +Although it's like a total shock to 99.999% (5nines) of all the +employed website designers out there, the truth is webforms /can/ +accept "U.S. of A" as a country. Incredible, but true. Web forms can +also accept /multiple/ or even /free-form/ telephone numbers and can +even be partitioned into manageable steps. All this can also be done +without selling exclusive rights to your wallet to the World's +Second-Richest Corporation (assuming Cisco is still #1) and vendor +locking your business into their "small transaction fee" tithe. + +Of course, try and tell one of those 5-niners that and they'll get all +defensive, black list you as a sh*t disturber and undermine your +reputation with the boss... not that I'm speaking first-hand or +anything ;) + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0862.91f1d92f60d5789a201c14f2034bbdaa b/machine-learning-ex6/ex6/easy_ham/0862.91f1d92f60d5789a201c14f2034bbdaa new file mode 100644 index 0000000..32a5fec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0862.91f1d92f60d5789a201c14f2034bbdaa @@ -0,0 +1,99 @@ +From fork-admin@xent.com Mon Sep 30 13:52:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C34E016F81 + for ; Mon, 30 Sep 2002 13:48:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:48:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8SLeEg10229 for ; + Sat, 28 Sep 2002 22:40:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3B50A2940B3; Sat, 28 Sep 2002 14:36:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail-out2.apple.com (mail-out2.apple.com [17.254.0.51]) by + xent.com (Postfix) with ESMTP id 6AB3C2940AC for ; + Sat, 28 Sep 2002 14:32:50 -0700 (PDT) +Received: from mailgate2.apple.com (A17-129-100-225.apple.com + [17.129.100.225]) by mail-out2.apple.com (8.11.3/8.11.3) with ESMTP id + g8SLam921564 for ; Sat, 28 Sep 2002 14:36:48 -0700 (PDT) +Received: from scv3.apple.com (scv3.apple.com) by mailgate2.apple.com + (Content Technologies SMTPRS 4.2.1) with ESMTP id + ; Sat, 28 Sep 2002 14:36:48 + -0700 +Received: from whump.com (to0202a-dhcp24.apple.com [17.212.22.152]) by + scv3.apple.com (8.11.3/8.11.3) with ESMTP id g8SLal312161; Sat, + 28 Sep 2002 14:36:47 -0700 (PDT) +Subject: Re: EBusiness Webforms: cluetrain has left the station +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +Cc: gbolcer@endeavors.com, FoRK +To: Gary Lawrence Murphy +From: Bill Humphries +In-Reply-To: +Message-Id: <774F0112-D32A-11D6-8BB1-003065F62CD6@whump.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 28 Sep 2002 14:37:19 -0700 +X-Spam-Status: No, hits=-5.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_URI_COUNT_1_2, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +On Saturday, September 28, 2002, at 12:54 PM, Gary Lawrence Murphy +wrote: + +> Although it's like a total shock to 99.999% (5nines) of all the +> employed website designers out there, the truth is webforms /can/ +> accept "U.S. of A" as a country. Incredible, but true. Web forms can +> also accept /multiple/ or even /free-form/ telephone numbers and can +> even be partitioned into manageable steps. All this can also be done +> without selling exclusive rights to your wallet to the World's +> Second-Richest Corporation (assuming Cisco is still #1) and vendor +> locking your business into their "small transaction fee" tithe. + +Yes, but this is what normally happened: + +Engineer: we can put an input validator/parser on the backend to do +that. + +Designer: there's a JavaScript library that can do some of the +pre-validation. + +Creative Director: I want it in blue, with a zooming logo. + +Engineer: can we get to that later, we need to meet functional specs. + +Creative Director: You *don't* understand. *I* want it in blue. + +Creative Director: Oh, and the site launches this Friday because I sent +out a press release about our new strategic partnership with HypeCorp. + +Designer: fine, we'll just put a list of countries in a drop down. + +Engineer: and we can validate against that list. + +Creative Director: I don't give a shit. As long as it's in blue. And +has a link to my press release. + +---- +Bill Humphries +http://www.whump.com/moreLikeThis/ + + diff --git a/machine-learning-ex6/ex6/easy_ham/0863.3de076f8a3b5f011d630dbefbd371694 b/machine-learning-ex6/ex6/easy_ham/0863.3de076f8a3b5f011d630dbefbd371694 new file mode 100644 index 0000000..fd3f540 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0863.3de076f8a3b5f011d630dbefbd371694 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Mon Sep 30 13:53:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E1DD616F83 + for ; Mon, 30 Sep 2002 13:49:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8T4NHg29392 for ; + Sun, 29 Sep 2002 05:23:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9ADB32940D0; Sat, 28 Sep 2002 21:23:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from frodo.hserus.net (202-77-223-48.outblaze.com + [202.77.223.48]) by xent.com (Postfix) with ESMTP id F33592940B8 for + ; Sat, 28 Sep 2002 21:22:15 -0700 (PDT) +Received: from ppp-200-1-93.bng.vsnl.net.in ([203.200.1.93] + helo=rincewind.pobox.com) by frodo.hserus.net with asmtp (Exim 4.10) id + 17vUls-000BqI-00; Sun, 29 Sep 2002 11:29:32 +0800 +X-PGP-Dsskey: 0x55FAB8D3 +X-PGP-Rsakey: 0xCAA67415 +Message-Id: <5.1.0.14.2.20020928232350.02c2f030@frodo.hserus.net> +X-Nil: +To: gbolcer@endeavors.com, FoRK +From: Udhay Shankar N +Subject: Re: EBusiness Webforms: cluetrain has left the station +In-Reply-To: <3D95C839.8E8701FD@endeavors.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 28 Sep 2002 23:25:21 +0530 +X-Spam-Status: No, hits=0.7 required=5.0 + tests=DATE_IN_PAST_06_12,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL, + IN_REP_TO,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + T_URI_COUNT_2_3 + version=2.50-cvs +X-Spam-Level: + +At 08:18 AM 9/28/02 -0700, Gregory Alan Bolcer wrote: + +>IE6 and Netscape 6,7 have pre-forms sutff, +>but I always turn it off because you never know when there's that one field +>that you don't want to submit to the person you are submitting to that +>automatically gets sent, i.e. the privacy stuff is well beyond the +>average user who will get screwed on privacy stuff. + +Opera 6 has an interesting way around this. You just right-click on each +field and bring up a choice of prefilled local information that you can +then choose to enter into the form. + +Now if they can just fix the $@!$@$# irritating memory problems that Opera6 +has....Hakon, you listening? + +Udhay + +-- +((Udhay Shankar N)) ((udhay @ pobox.com)) ((www.digeratus.com)) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0864.5814f29d8b4689b925cc4179392bd341 b/machine-learning-ex6/ex6/easy_ham/0864.5814f29d8b4689b925cc4179392bd341 new file mode 100644 index 0000000..079058a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0864.5814f29d8b4689b925cc4179392bd341 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Mon Sep 30 13:52:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0138E16F82 + for ; Mon, 30 Sep 2002 13:49:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8SNcOg14512 for ; + Sun, 29 Sep 2002 00:38:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2EBD02940C9; Sat, 28 Sep 2002 16:34:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 4AA672940C1 for ; + Sat, 28 Sep 2002 16:33:47 -0700 (PDT) +Received: (qmail 486 invoked from network); 28 Sep 2002 23:37:47 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 28 Sep 2002 23:37:47 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id E8CB21B62C; + Sat, 28 Sep 2002 19:37:42 -0400 (EDT) +To: Bill Humphries +Cc: gbolcer@endeavors.com, FoRK +Subject: Re: EBusiness Webforms: cluetrain has left the station +References: <774F0112-D32A-11D6-8BB1-003065F62CD6@whump.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 28 Sep 2002 19:37:42 -0400 +X-Spam-Status: No, hits=-6.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_QUOTE_TWICE_2,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +>>>>> "B" == Bill Humphries writes: + + B> Yes, but this is what normally happened: + + B> Engineer: we can put ... + B> Designer: there's a ... + B> Creative Director: I want it in blue ... + + +Yup, seen it happen oodles of times, only all three of those folks +are one and the same person. The fourth is the business manager +who says "whatever, so long as you do it on your own time" + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0865.4b2110ced3bc59bb5684c5ecfa980dd1 b/machine-learning-ex6/ex6/easy_ham/0865.4b2110ced3bc59bb5684c5ecfa980dd1 new file mode 100644 index 0000000..1e9adc3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0865.4b2110ced3bc59bb5684c5ecfa980dd1 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 30 13:53:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 978C016F1E + for ; Mon, 30 Sep 2002 13:49:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:18 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8TGCPg18864 for ; + Sun, 29 Sep 2002 17:12:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B73752940B8; Sun, 29 Sep 2002 09:12:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id E98312940A0 for ; + Sun, 29 Sep 2002 09:11:04 -0700 (PDT) +Received: from cse.ucsc.edu ([63.194.88.161]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3700IVFJMHS3@mta7.pltn13.pbi.net> for fork@xent.com; Sun, + 29 Sep 2002 09:11:06 -0700 (PDT) +From: Elias +Subject: Content management for MP3s +To: fork@example.com +Message-Id: <3D972433.40804@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en,pdf +User-Agent: Mozilla/5.0 (Windows; U; WinNT4.0; en-US; rv:0.9.2) + Gecko/20010726 Netscape6/6.1 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 29 Sep 2002 09:02:59 -0700 +X-Spam-Status: No, hits=1.7 required=5.0 + tests=KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,T_URI_COUNT_0_1,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: * + +Dear flatware, + +I'm about to undertake a massive project to index/catalog well over one +thousand CDs that have been ripped to MP3 and set up a server to stream +them to different rooms in the house. (Yes, I own them all, no I'm not +broadcasting them to the 'net.) Can anyone give me some recommendations +as to what (free? opensource?) software is best suited for this task? I +know there are a few FoRKs out there who have tackled this problem before... + +I'd like to be able to dynamically generate play lists from queries like +"Jazz released between 1950 and 1960" or "Artist such and such between +these dates" or "Just these artists" or "Just this genre" - you get the +idea. In addition to having multiple streams that I can tune in to (a la +DMX), I'd like to be able to browse the database through a web interface +from other computers in the house and pull specific music down to +wherever I am. + + +Thanks, +Elias + + diff --git a/machine-learning-ex6/ex6/easy_ham/0866.e437291998aab90004d6cde6eb85ea18 b/machine-learning-ex6/ex6/easy_ham/0866.e437291998aab90004d6cde6eb85ea18 new file mode 100644 index 0000000..7ee0d33 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0866.e437291998aab90004d6cde6eb85ea18 @@ -0,0 +1,106 @@ +From fork-admin@xent.com Mon Sep 30 13:53:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A4CBF16F19 + for ; Mon, 30 Sep 2002 13:49:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8TErFg15436 for ; + Sun, 29 Sep 2002 15:53:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4C3772940A9; Sun, 29 Sep 2002 07:53:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta5.snfc21.pbi.net (mta5.snfc21.pbi.net [206.13.28.241]) + by xent.com (Postfix) with ESMTP id B97682940A0 for ; + Sun, 29 Sep 2002 07:52:35 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta5.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3700J8CFZOE4@mta5.snfc21.pbi.net> for fork@xent.com; Sun, + 29 Sep 2002 07:52:36 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: EBusiness Webforms: cluetrain has left the station +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D971165.1CA9D617@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: <3D95C839.8E8701FD@endeavors.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 29 Sep 2002 07:42:45 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + T_URI_COUNT_0_1,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy wrote: +> +> Although it's like a total shock to 99.999% (5nines) of all the +> employed website designers out there, the truth is webforms /can/ +> accept "U.S. of A" as a country. Incredible, but true. Web forms can +> also accept /multiple/ or even /free-form/ telephone numbers and can +> even be partitioned into manageable steps. All this can also be done +> without selling exclusive rights to your wallet to the World's +> Second-Richest Corporation (assuming Cisco is still #1) and vendor +> locking your business into their "small transaction fee" tithe. + + +Ah, but you've just gotten to the crux of the +situation. There's good design and bad design. +There's good testing and bad testing. The problem +is, anyone can design a good Web form, but nobody +does. I think "best practices" hasn't caught up +on main street Web enablement yet. There's some +really great packages on how to do this stuff and +in fact the usability people knew that Web forms needed +to be fixed 5 years ago, so that's why we got XForms +and XHTML. You can shoot yourself in the foot and +people usually do. What the problem is, they don't +even recognize that they're gimpy--ever. They just +keeping trundling along making a mess of everything +assured in their job security that they can build +Web forms without even caring if they can be +used or not beyond their test machine. + +If you had a piece of software and a security warning +came out 5 years ago on it, would you run that software? +Wouldn't you have patched or upgraded something so fundamentally +broken 4 years and 11 months ago? What I want to know +is why would someone use Web forms best practices from +5 years ago? I mean you can get a college degree in that +time. Imagine if the next version of Microsoft Windows +or Red Hat Linux forced you to use a tiled window +manager? Sure, tiled windows were the best we had for +a brief period of time, but they are completely useless +except for some terminal based replacement applications. + +The bottom line is, if you can't get across the +bridge, then it's broken regardless of whose fault +it really is, and it's the business that +needs to take responsibility as they are the ones that +wanted to put the bridge there in the first place. + + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0867.bd08bc5bff86a732422082ed7861416b b/machine-learning-ex6/ex6/easy_ham/0867.bd08bc5bff86a732422082ed7861416b new file mode 100644 index 0000000..858f03c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0867.bd08bc5bff86a732422082ed7861416b @@ -0,0 +1,67 @@ +From fork-admin@xent.com Mon Sep 30 13:53:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F2EB116F6D + for ; Mon, 30 Sep 2002 13:49:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:21 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8THHFg20794 for ; + Sun, 29 Sep 2002 18:17:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 92CD02940B5; Sun, 29 Sep 2002 10:17:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from texas.pobox.com (texas.pobox.com [64.49.223.111]) by + xent.com (Postfix) with ESMTP id 2B56E2940A0 for ; + Sun, 29 Sep 2002 10:16:21 -0700 (PDT) +Received: from rincewind.pobox.com (unknown [202.56.248.7]) by + texas.pobox.com (Postfix) with ESMTP id 6B81A4535D; Sun, 29 Sep 2002 + 13:15:31 -0400 (EDT) +X-PGP-Dsskey: 0x55FAB8D3 +X-PGP-Rsakey: 0xCAA67415 +Message-Id: <5.1.0.14.2.20020929224244.02d33c50@frodo.hserus.net> +X-Nil: +To: Elias , fork@example.com +From: Udhay Shankar N +Subject: Re: Content management for MP3s +In-Reply-To: <3D972433.40804@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 29 Sep 2002 22:43:04 +0530 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SIGNATURE_SHORT_DENSE,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +At 09:02 AM 9/29/02 -0700, Elias wrote: + +>I'm about to undertake a massive project to index/catalog well over one +>thousand CDs that have been ripped to MP3 and set up a server to stream +>them to different rooms in the house. (Yes, I own them all, no I'm not +>broadcasting them to the 'net.) Can anyone give me some recommendations as +>to what (free? opensource?) software is best suited for this task? I know +>there are a few FoRKs out there who have tackled this problem before... + +See if http://www.jwz.org/gronk/ meets your needs. + +Udhay + +-- +((Udhay Shankar N)) ((udhay @ pobox.com)) ((www.digeratus.com)) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0868.a7f0eab61f87e815b082348fe914b86f b/machine-learning-ex6/ex6/easy_ham/0868.a7f0eab61f87e815b082348fe914b86f new file mode 100644 index 0000000..9dbc65d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0868.a7f0eab61f87e815b082348fe914b86f @@ -0,0 +1,53 @@ +From fork-admin@xent.com Mon Sep 30 13:53:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 718B016F6E + for ; Mon, 30 Sep 2002 13:49:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8TIiOg23608 for ; + Sun, 29 Sep 2002 19:44:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id CD8742940A0; Sun, 29 Sep 2002 11:44:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mlug.missouri.edu (mlug.missouri.edu [128.206.61.230]) by + xent.com (Postfix) with ESMTP id BE05C29409E for ; + Sun, 29 Sep 2002 11:43:52 -0700 (PDT) +Received: from mlug.missouri.edu (mogmios@localhost [127.0.0.1]) by + mlug.missouri.edu (8.12.3/8.12.3/Debian -4) with ESMTP id g8TIhhKL005444 + (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=FAIL); + Sun, 29 Sep 2002 13:43:43 -0500 +Received: from localhost (mogmios@localhost) by mlug.missouri.edu + (8.12.3/8.12.3/Debian -4) with ESMTP id g8TIhZoc005436; Sun, + 29 Sep 2002 13:43:35 -0500 +From: Michael +To: discussion@mlug.missouri.edu, , +Subject: A moment of silence for the First Amendment (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 29 Sep 2002 13:43:35 -0500 (CDT) +X-Spam-Status: No, hits=0.1 required=5.0 + tests=KNOWN_MAILING_LIST,T_URI_COUNT_0_1,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +http://www.post-gazette.com/columnists/20020905brian5.asp + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0869.3974462c46476759fb788a0b354a0f3a b/machine-learning-ex6/ex6/easy_ham/0869.3974462c46476759fb788a0b354a0f3a new file mode 100644 index 0000000..e59d397 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0869.3974462c46476759fb788a0b354a0f3a @@ -0,0 +1,303 @@ +From fork-admin@xent.com Mon Sep 30 13:54:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A736116F70 + for ; Mon, 30 Sep 2002 13:49:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:49:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UCTOg30449 for ; + Mon, 30 Sep 2002 13:29:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B5F7C2940A6; Mon, 30 Sep 2002 05:29:11 -0700 (PDT) +Delivered-To: fork@example.com +Received: from ms4.lga2.nytimes.com (ms4.lga2.nytimes.com [64.15.247.148]) + by xent.com (Postfix) with ESMTP id 4D42029409E for ; + Mon, 30 Sep 2002 05:28:13 -0700 (PDT) +Received: from email5.lga2.nytimes.com (email5 [10.0.0.170]) by + ms4.lga2.nytimes.com (Postfix) with SMTP id A2E285A5BD for ; + Mon, 30 Sep 2002 08:32:25 -0400 (EDT) +Received: by email5.lga2.nytimes.com (Postfix, from userid 202) id + A653E58A4D; Mon, 30 Sep 2002 08:24:23 -0400 (EDT) +Reply-To: khare@alumni.caltech.edu +From: khare@alumni.caltech.edu +To: fork@example.com +Subject: NYTimes.com Article: Vast Detail on Towers' Collapse May Be Sealed +Message-Id: <20020930122423.A653E58A4D@email5.lga2.nytimes.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 08:24:23 -0400 (EDT) +X-Spam-Status: No, hits=0.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,T_URI_COUNT_5_8 + version=2.50-cvs +X-Spam-Level: + +This article from NYTimes.com +has been sent to you by khare@alumni.caltech.edu. + + +Another reminder that the moral writ of intellectual property is -- and ought to --be more limited than real property. Private money paid for these bits, but expropriation may be fairer for IP than real-P. + +Rohit + +khare@alumni.caltech.edu + + +Vast Detail on Towers' Collapse May Be Sealed + +September 30, 2002 +By JAMES GLANZ and ERIC LIPTON + + + + + + +What is almost certainly the most sophisticated and +complete understanding of exactly how and why the twin +towers of the World Trade Center fell has been compiled as +part of a largely secret proceeding in federal court in +Lower Manhattan. + +Amassed during the initial stages of a complicated +insurance lawsuit involving the trade center, the +confidential material contains data and expert analysis +developed by some of the nation's most respected +engineering minds. It includes computer calculations that +have produced a series of three-dimensional images of the +crumpled insides of the towers after the planes hit, +helping to identify the sequence of failures that led to +the collapses. + +An immense body of documentary evidence, like maps of the +debris piles, rare photos and videos, has also been +accumulated in a collection that far outstrips what +government analysts have been able to put together as they +struggle to answer the scientifically complex and +emotionally charged questions surrounding the deadly +failures of the buildings. + +But everyone from structural engineers to relatives of +victims fear that the closely held information, which +includes the analysis and the possible answers that +families and engineers around the world have craved, may +remain buried in sealed files, or even destroyed. + +Bound by confidentiality agreements with their clients, the +experts cannot disclose their findings publicly as they +wait for the case to play out. Such restrictions are +typical during the discovery phase of litigation. And as it +now stands, the judge in the case - who has agreed that +certain material can remain secret for the time being - has +approved standard legal arrangements that, should the +lawsuit be settled before trial, could cause crucial +material generated by the competing sides to be withheld. + +"We're obviously in favor of releasing the information, but +we can't until we're told what to do," said Matthys Levy, +an engineer and founding partner at Weidlinger Associates, +who is a consultant in the case and the author of "Why +Buildings Fall Down: How Structures Fail" (Norton, 2nd +edition, 2002). + +"Let's just say we understand the mechanics of the whole +process" of the collapse, Mr. Levy said. + +Monica Gabrielle, who lost her husband, Richard, when the +south tower fell and who is a member of the Skyscraper +Safety Campaign, said the information should be disclosed. +"If they have answers and are not going to share them, I +would be devastated," Mrs. Gabrielle said. "They have a +moral obligation." + +The lawsuit that has generated the information involves +Larry A. Silverstein, whose companies own a lease on the +trade center property, and a consortium of insurance +companies. Mr. Silverstein maintains that each jetliner +that hit the towers constituted a separate terrorist +attack, entitling him to some $7 billion, rather than half +that amount, as the insurance companies say. + +As both sides have prepared their arguments, they have +spent hundreds of thousands of dollars acquiring expert +opinion about exactly what happened to the towers. + +Dean Davison, a spokesman for Industrial Risk Insurers of +Hartford, one of the insurance companies in the suit, said +of the findings, "There are some confidentiality agreements +that are keeping those out of the public domain today." He +conceded that differing opinions among the more than 20 +insurers on his side of the case could complicate any +release of the material. + +As for his own company, whose consultants alone have +produced more than 1,700 pages of analysis and thousands of +diagrams and photographs, Mr. Davison said every attempt +would be made to give the material eventually to "public +authorities and investigative teams." + +Still, some of that analysis relies on information like +blueprints and building records from other sources, like +the Port Authority of New York and New Jersey, which built +and owned the trade center and supports Mr. Silverstein in +the suit. Mr. Davison said he was uncertain how the +differing origins of the material would influence his +company's ability to release information. + +In a statement, the Port Authority said access to documents +would be "decided on a case-by-case basis consistent with +applicable law and policy," adding that it would cooperate +with "federal investigations." + +The fate of the research is particularly critical to +resolve unanswered questions about why the towers fell, +given the dissatisfaction with the first major inquiry into +the buildings' collapse. That investigation, led by the +Federal Emergency Management Agency, was plagued by few +resources, a lack of access to crucial information like +building plans, and infighting among experts and officials. +A new federal investigation intended to remedy those +failings has just begun at the National Institute of +Standards and Technology, or NIST, an agency that has +studied many building disasters. + +Officials with NIST have said it could take years to make +final determinations and recommendations for other +buildings, a process they now acknowledge might be speeded +up with access to the analysis done by the consultants on +the lawsuit. + +Gerald McKelvey, a spokesman for Mr. Silverstein, said of +the real estate executive's own heavily financed +investigative work, "We decline to comment other than to +say that Silverstein is cooperating fully with the NIST +investigation." A spokesman for the agency confirmed it was +in discussions with Mr. Silverstein on the material, but +said no transfer had taken place. + +With no shortage of money or expertise, investigations by +both sides in the legal case have produced a startling body +of science and theory, some of it relevant not only to the +trade center disaster but to other skyscrapers as well. + +"The work should be available to other investigators," said +Ramon Gilsanz, a structural engineer and managing partner +at Gilsanz Murray Steficek, who was a member of the earlier +inquiry. "It could be used to build better buildings in the +future." + +Legal experts say confidentiality arrangements like the one +governing the material can lead to a variety of outcomes, +from full or partial disclosure to destruction of such +information. In some cases, litigants who paid for the +reports may make them public themselves. Or they may ask to +have them sealed forever. +"It is not unusual for one party or another to try to keep +some of those documents secret for one reason or another, +some legitimate, some not," said Lee Levine, a First +Amendment lawyer at Levine Sullivan & Koch in Washington. + +Mr. Levine said that because of the presumed value of the +information, the court might look favorably on requests to +make it public. But the uncertainty over the fate of the +material is unnerving to many people, especially experts +who believe that only a complete review of the evidence - +not piecemeal disclosures by litigants eager to protect +their own interests - could lead to an advance in the +federal investigation of the trade center. + +"It's important for this to get presented and published and +subjected to some scrutiny," said Dr. John Osteraas, +director of civil engineering practice at Exponent Failure +Analysis in Menlo Park, Calif., and a consultant on the +case, "because then the general engineering community can +sort it out." + +The scope of the investigation behind the scenes is vast by +any measure. Mr. Levy and his colleagues at Weidlinger +Associates, hired by Silverstein Properties, have called +upon powerful computer programs, originally developed with +the Pentagon for classified research, to create a model of +the Sept. 11 attack from beginning to end. + +The result is a compilation of three-dimensional images of +the severed exterior columns, smashed floor and damaged +core of the towers, beginning with the impacts and +proceeding up to the moments of collapse. Those images - +which Mr. Levy is not allowed to release - have helped +pinpoint the structural failures. + +The FEMA investigators did not have access to such computer +modeling. Nor did the FEMA team have unfettered access to +the trade center site, with all its evidence, in the weeks +immediately after the attacks. But no such constraints +hampered engineers at LZA/Thornton-Tomasetti, brought to +the site for emergency work beginning on the afternoon of +Sept. 11. Daniel A. Cuoco, the company president and a +consultant to Silverstein Properties on the case, said he +had assembled detailed maps of the blazing debris at ground +zero in models that perhaps contain further clues about how +the towers fell. + +Though the FEMA team could not determine "where things +actually fell," Mr. Cuoco said, "we've indicated the +specific locations." + +Mr. Cuoco said he could not reveal any additional details +of the findings. Nor would Mr. Osteraas discuss the details +of computer calculations his company has done on the spread +of fires in large buildings like the twin towers. Mr. +Osteraas has also compiled an extensive archive of +photographs and videos of the towers that day, some of +which he believes have not been available to other +investigators. + +And the investigation has not limited itself to computers +and documentary evidence. For months, experiments in wind +tunnels in the United States and Canada have been examining +the aerodynamics that fed the flames that day and stressed +the weakening structures. + +Jack Cermak, president of Cermak Peterka Peterson in Fort +Collins, Colo., was retained by the insurance companies but +had previously performed wind-tunnel studies for the +original design of the twin towers nearly 40 years ago. For +the legal case, Dr. Cermak said, "we've done probably more +detailed measurements than in the original design." + +"The data that have been acquired are very valuable in +themselves for understanding how wind and buildings +interact," Dr. Cermak said. "Some of the information may be +valuable for the litigation," he said, adding, "I think +I've told you all I can." + +http://www.nytimes.com/2002/09/30/nyregion/30TOWE.html?ex=1034388663&ei=1&en=0d3143a997e5e2e1 + + + +HOW TO ADVERTISE +--------------------------------- +For information on advertising in e-mail newsletters +or other creative advertising opportunities with The +New York Times on the Web, please contact +onlinesales@nytimes.com or visit our online media +kit at http://www.nytimes.com/adinfo + +For general information about NYTimes.com, write to +help@nytimes.com. + +Copyright 2002 The New York Times Company + + diff --git a/machine-learning-ex6/ex6/easy_ham/0870.e7254d91187938f2f0b2fa1ff117f822 b/machine-learning-ex6/ex6/easy_ham/0870.e7254d91187938f2f0b2fa1ff117f822 new file mode 100644 index 0000000..40068aa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0870.e7254d91187938f2f0b2fa1ff117f822 @@ -0,0 +1,103 @@ +From fork-admin@xent.com Mon Sep 30 17:56:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 966B716F1E + for ; Mon, 30 Sep 2002 17:53:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:53:59 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UEYCK02639 for + ; Mon, 30 Sep 2002 15:34:12 +0100 +Received: from xent.com ([64.161.22.236]) by webnote.net (8.9.3/8.9.3) + with ESMTP id PAA20708 for ; Mon, 30 Sep 2002 15:14:55 + +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A6AE52940BD; Mon, 30 Sep 2002 07:14:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta5.snfc21.pbi.net (mta5.snfc21.pbi.net [206.13.28.241]) + by xent.com (Postfix) with ESMTP id 4516C29409E for ; + Mon, 30 Sep 2002 07:13:26 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta5.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3900H7P8UF84@mta5.snfc21.pbi.net> for Fork@xent.com; Mon, + 30 Sep 2002 07:13:27 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: A moment of silence for the First Amendment (fwd) +To: Fork@xent.com +Reply-To: gbolcer@endeavors.com +Message-Id: <3D9859B9.3A7F80C2@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 07:03:37 -0700 +X-Spam-Status: No, hits=-5.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + T_URI_COUNT_0_1,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Michael wrote: +> +> http://www.post-gazette.com/columnists/20020905brian5.asp + + +I thought this nekkid URL was going to be about the +infringement of 1st amendment rights for broadcasters +and proposed campaign finanice restrictions preventing them +from making money on advertisements that are deemed +thinly veiled campaign contributions by some arbitrary +government board. As it was posted to "discussion" I +thought there'd be some. + +Instead it's a Post-Gazette column by Brian O'Neill +lamenting the fact that some people know how to +fill out a permit so that they can take advantage +of their right to peaceable assembly. Obviously +he's poking fun at the idea that specific groups +get specific "zones" and that it's not up to the +police to decide what messages and signs get put into +what zones to most expediently keep order. + +The problem is that politics have gotten so muddied +nowadays, that shouting down and unpeaceably disrupting +political rallies that you don't agree with has become +common practice. The courts have constantly ruled +that there are some restrictions on the first amendment. +They teach you that your very first year of law school. + +I think that given the information as laid out by the story, +Mr. O'Neill has confused free speech with action. Free +speech or even protected speech as practiced by almost +every American seems to involve the ability to communicate +an idea to an unknown audience. Action involves directing +a specific comment to a specific well-defined individual or audience +that has immediate, harmful, and sometimes physical +effects that is easily forseeable by any reasonable person. + +I think Bill Neel of Butler needs to go back to school +as obviously he must have been sleeping in his civics +class or else they didn't teach civics in mini-guantanamo, OH +65 years ago. + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0871.79be1926ade2b8fc591f9f51abf66224 b/machine-learning-ex6/ex6/easy_ham/0871.79be1926ade2b8fc591f9f51abf66224 new file mode 100644 index 0000000..ba8a876 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0871.79be1926ade2b8fc591f9f51abf66224 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Mon Sep 30 17:56:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5BD1516F1F + for ; Mon, 30 Sep 2002 17:54:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UErJK03292 for ; + Mon, 30 Sep 2002 15:53:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6CDF32940C8; Mon, 30 Sep 2002 07:53:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + xent.com (Postfix) with ESMTP id 73C6529409E for ; + Mon, 30 Sep 2002 07:52:30 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3900BC9ANJDV@mta7.pltn13.pbi.net> for Fork@xent.com; Mon, + 30 Sep 2002 07:52:31 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: A moment of silence for the First Amendment (fwd) +To: Fork@xent.com +Message-Id: <3D9862DE.1AE7525D@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: + <3D9859B9.3A7F80C2@endeavors.com> <3D986033.2060903@permafrost.net> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 07:42:38 -0700 +X-Spam-Status: No, hits=-7.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + T_URI_COUNT_0_1,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Owen Byrne wrote: + +> What a load of crap. Politics are somehow more muddy now? I'd say that +> its considerably +> clearer - the vast majority of people feel disenfranchised, and the +> common practice of +> putting protestors in boxes is done usually to hide them from TV +> cameras, visiting dignitaries, +> etc, further exacerbating those feelings. +> "Unpeaceably disrupting political rallies" is now usually done by police +> with riot gear and pepper spray. +> +> We had a good one here a month or so ago - a few people peaceably +> strayed from the permit area, +> which was nearly a mile from the site of the meeting of finance +> ministers held here (the motorcade drove +> by it for about 10 seconds), and were immediately gassed, beaten and +> arrested. Not very muddied at all. + + +What does that exactly have to do with the statement that +distruption of peacable political assembly has become +a common practice disruption tool? It's an observation +not a judgement, comment, approval. You've focused on the +word "muddy" to use it in a different context than the one +I posted. + +Maybe the distinction I was trying to make was too subtle and +I was trying to be too clever with my writing this morning. +Let me summarize the important parts of my post for you: I +have a premise that there is a difference between free and protected +speech and action. I think O'Neill on his soapbox doesn't +understand the distinction. + +All better? + +Greg + + diff --git a/machine-learning-ex6/ex6/easy_ham/0872.b39e14fc64a28f30b5c413d51ed9dea1 b/machine-learning-ex6/ex6/easy_ham/0872.b39e14fc64a28f30b5c413d51ed9dea1 new file mode 100644 index 0000000..de3aee0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0872.b39e14fc64a28f30b5c413d51ed9dea1 @@ -0,0 +1,152 @@ +From fork-admin@xent.com Mon Sep 30 17:56:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 98D9216F20 + for ; Mon, 30 Sep 2002 17:54:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UF9NK03893 for ; + Mon, 30 Sep 2002 16:09:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1E2792940D1; Mon, 30 Sep 2002 08:09:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc02.attbi.com (sccrmhc02.attbi.com [204.127.202.62]) + by xent.com (Postfix) with ESMTP id C5B4429409E for ; + Mon, 30 Sep 2002 08:08:21 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc02.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020930150823.BGMT27763.sccrmhc02.attbi.com@[24.61.113.164]>; + Mon, 30 Sep 2002 15:08:23 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <10654501659.20020930110821@magnesium.net> +To: Gregory Alan Bolcer +Cc: Fork@xent.com +Subject: Re[2]: A moment of silence for the First Amendment (fwd) +In-Reply-To: <3D9859B9.3A7F80C2@endeavors.com> +References: + <3D9859B9.3A7F80C2@endeavors.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:08:21 -0400 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,REFERENCES, + SIGNATURE_SHORT_DENSE,T_QUOTE_TWICE_2,T_URI_COUNT_2_3 + version=2.50-cvs +X-Spam-Level: + +>> +>> http://www.post-gazette.com/columnists/20020905brian5.asp + + +GAB> I thought this nekkid URL was going to be about the +GAB> infringement of 1st amendment rights for broadcasters +GAB> and proposed campaign finanice restrictions preventing them +GAB> from making money on advertisements that are deemed +GAB> thinly veiled campaign contributions by some arbitrary +GAB> government board. As it was posted to "discussion" I +GAB> thought there'd be some. + +GAB> Instead it's a Post-Gazette column by Brian O'Neill +GAB> lamenting the fact that some people know how to +GAB> fill out a permit so that they can take advantage +GAB> of their right to peaceable assembly. Obviously +GAB> he's poking fun at the idea that specific groups +GAB> get specific "zones" and that it's not up to the +GAB> police to decide what messages and signs get put into +GAB> what zones to most expediently keep order. + +Oh thats right Greg. Because was explicitly clear that the pro-Bush +folks went out and did the permit dance. So where in the article is +this again? + +Lets get something straight here. This -is- a First Amendment issue. +Public streets, provided one isn't blocking traffic, generally tend to +be sorta ok, at least from my last interpretation of Con Law a few +years ago (I'll feign ignorance wrt the fact that laws may have +changed, and the specific facts in this case are weak). IF this guy +_was_ merely holding a sign (which it seems was the case for all the +pro-bush folks) he did nothing wrong. He certainly didn't do enough +of a wrong to warrant a disorderly conduct charge. + +I'll play with your perspective though. Lets assume a few things. +If I walk into the city office and tell them I want to peacably +assemble against Bush, do you think they'll give me a permit? +Probably not. So I lie. Then the cop does what happened in this +scenario. HE walks up, checks my permit and finds out that I +falsified my statement to get this said document. He arrests me. +End of story. + +GAB> The problem is that politics have gotten so muddied +GAB> nowadays, that shouting down and unpeaceably disrupting +GAB> political rallies that you don't agree with has become +GAB> common practice. The courts have constantly ruled +GAB> that there are some restrictions on the first amendment. +GAB> They teach you that your very first year of law school. + +I'll agree with Owen on this one. Muddied my ass. How hard is it to +chose between a Republocrat or a Demipublican? Not very. Shouting +down has grown to become the answer because the government, over a +span of years, and with the help of the Courts -has- limited the +rights we have as citizens under the First Amendment. If you +question the policy about terrorism, or drugs, or Iraq, or Bush in +general, you're aiding terrorism. If you challenge the beliefs of +the folks attending the various shadowy G8 conferences, you're an +anarchist, and you're herded off to a 'designated protest spot' miles +away from anything. Part of the point of speech is to be -heard-. +I can scream on my soapbox in the forest somewhere, and while thats +speech, its not effective speech. People are screaming and shouting +over the political figures because they cannot be heard in any other +way. + + + + +GAB> I think that given the information as laid out by the story, +GAB> Mr. O'Neill has confused free speech with action. Free +GAB> speech or even protected speech as practiced by almost +GAB> every American seems to involve the ability to communicate +GAB> an idea to an unknown audience. Action involves directing +GAB> a specific comment to a specific well-defined individual or audience +GAB> that has immediate, harmful, and sometimes physical +GAB> effects that is easily forseeable by any reasonable person. + +Getting back to my original point. How do you communicate an idea to +an unknown audience, if you're miles from where the audience is? How +do you bypass the rules for being -miles- away from the audience +without violating the rules of the regime? I don't think Mr. Nell was +throwing pies at Bush. A sign, the last time I checked, didn't cause +physical injury, or even emotional harm. If I remember Cohen v. +California, 403 U.S. 15 (1971), its not the individual speaking that +has the requirement to desist, but the individual listening who has +the option to leave. + + +Just my .02, while its still considered legal. + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0873.bd6a6b2911a0dedccee495aaf0fb248d b/machine-learning-ex6/ex6/easy_ham/0873.bd6a6b2911a0dedccee495aaf0fb248d new file mode 100644 index 0000000..53d22da --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0873.bd6a6b2911a0dedccee495aaf0fb248d @@ -0,0 +1,67 @@ +From fork-admin@xent.com Mon Sep 30 17:56:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 60B0E16F21 + for ; Mon, 30 Sep 2002 17:54:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:06 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UFXEK04693 for ; + Mon, 30 Sep 2002 16:33:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id A45ED2940D3; Mon, 30 Sep 2002 08:33:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id B4F1329409E for ; + Mon, 30 Sep 2002 08:32:53 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8UFWu222753 for ; + Mon, 30 Sep 2002 11:32:56 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: RE: A moment of silence for the First Amendment (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <3D9859B9.3A7F80C2@endeavors.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:33:47 -0400 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,TO_ADDRESS_EQ_REAL, + T_MSGID_GOOD_EXCHANGE,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + +> The problem is that politics have gotten so muddied +> nowadays, that shouting down and unpeaceably disrupting +> political rallies that you don't agree with has become +> common practice. The courts have constantly ruled +> that there are some restrictions on the first amendment. +> They teach you that your very first year of law school. +> + +I don't think politics is any muddier. People are becoming increasingly +unethical. It's a breakdown in home training. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0874.f17f5355a2abf8cb83fb09069c9460bc b/machine-learning-ex6/ex6/easy_ham/0874.f17f5355a2abf8cb83fb09069c9460bc new file mode 100644 index 0000000..e9c7dc7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0874.f17f5355a2abf8cb83fb09069c9460bc @@ -0,0 +1,93 @@ +From fork-admin@xent.com Mon Sep 30 17:56:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D272116F16 + for ; Mon, 30 Sep 2002 17:53:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:53:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UESFK02460 for ; + Mon, 30 Sep 2002 15:28:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E268B2940C6; Mon, 30 Sep 2002 07:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id BA87429409E for + ; Mon, 30 Sep 2002 07:27:20 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17w1Nl-0007yE-00; Mon, 30 Sep 2002 11:18:45 -0300 +Message-Id: <3D986033.2060903@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: gbolcer@endeavors.com +Cc: Fork@xent.com +Subject: Re: A moment of silence for the First Amendment (fwd) +References: + <3D9859B9.3A7F80C2@endeavors.com> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:31:15 -0300 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_URI_COUNT_0_1,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Gregory Alan Bolcer wrote: + +>at zones to most expediently keep order. +> +>The problem is that politics have gotten so muddied +>nowadays, that shouting down and unpeaceably disrupting +>political rallies that you don't agree with has become +>common practice. The courts have constantly ruled +>that there are some restrictions on the first amendment. +>They teach you that your very first year of law school. +> +> +What a load of crap. Politics are somehow more muddy now? I'd say that +its considerably +clearer - the vast majority of people feel disenfranchised, and the +common practice of +putting protestors in boxes is done usually to hide them from TV +cameras, visiting dignitaries, +etc, further exacerbating those feelings. +"Unpeaceably disrupting political rallies" is now usually done by police +with riot gear and pepper spray. + +We had a good one here a month or so ago - a few people peaceably +strayed from the permit area, +which was nearly a mile from the site of the meeting of finance +ministers held here (the motorcade drove +by it for about 10 seconds), and were immediately gassed, beaten and +arrested. Not very muddied at all. + +Owen + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0875.990a5210c2586a027e13b10bf9d3e4ae b/machine-learning-ex6/ex6/easy_ham/0875.990a5210c2586a027e13b10bf9d3e4ae new file mode 100644 index 0000000..e52d570 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0875.990a5210c2586a027e13b10bf9d3e4ae @@ -0,0 +1,58 @@ +From fork-admin@xent.com Mon Sep 30 17:56:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E714116F22 + for ; Mon, 30 Sep 2002 17:54:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UFdOK05074 for ; + Mon, 30 Sep 2002 16:39:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 11F4E2940D5; Mon, 30 Sep 2002 08:39:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id 02EB029409E for + ; Mon, 30 Sep 2002 08:38:27 -0700 (PDT) +Received: (qmail 6705 invoked by uid 508); 30 Sep 2002 15:37:49 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.106) by + venus.phpwebhosting.com with SMTP; 30 Sep 2002 15:37:48 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8UFcEQ20748 for ; + Mon, 30 Sep 2002 17:38:15 +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: forkit! +Subject: MIT OpenCourseWare +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 17:38:14 +0200 (CEST) +X-Spam-Status: No, hits=-6.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_URI_COUNT_0_1,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + + + +Looks useful. Hopefully, they'll put up some more material soon. + + http://ocw.mit.edu/global/all-courses.html + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0876.22140b6b06918d04fc07c3d992a6b846 b/machine-learning-ex6/ex6/easy_ham/0876.22140b6b06918d04fc07c3d992a6b846 new file mode 100644 index 0000000..d70f3dc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0876.22140b6b06918d04fc07c3d992a6b846 @@ -0,0 +1,96 @@ +From fork-admin@xent.com Mon Sep 30 17:56:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3730D16F49 + for ; Mon, 30 Sep 2002 17:54:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:09 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UFjHK05143 for ; + Mon, 30 Sep 2002 16:45:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D48C92940D7; Mon, 30 Sep 2002 08:45:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 66D4929409E for ; + Mon, 30 Sep 2002 08:44:26 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8UFiO223184 for ; + Mon, 30 Sep 2002 11:44:24 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: RE: Re[2]: A moment of silence for the First Amendment (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <10654501659.20020930110821@magnesium.net> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:45:16 -0400 +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PENIS_ENLARGE, + QUOTED_EMAIL_TEXT,TO_ADDRESS_EQ_REAL,T_MSGID_GOOD_EXCHANGE, + T_QUOTE_TWICE_1,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + +> +> GAB> The problem is that politics have gotten so muddied +> GAB> nowadays, that shouting down and unpeaceably disrupting +> GAB> political rallies that you don't agree with has become +> GAB> common practice. The courts have constantly ruled +> GAB> that there are some restrictions on the first amendment. +> GAB> They teach you that your very first year of law school. +> +> I'll agree with Owen on this one. Muddied my ass. How hard is it to +> chose between a Republocrat or a Demipublican? Not very. Shouting +> down has grown to become the answer because the government, over a +> span of years, and with the help of the Courts -has- limited the +> rights we have as citizens under the First Amendment. + +Wishful thinking. People are just bigger dickheads now. Culture is changing +and it is becoming acceptable to get in peoples face and shout them down +when you disagree with them. The people that do this are NOT +disenfranchised. They +get their rocks off on being disagreeable assholes. The act of protesting is +more important than the actual issue being protested for most of these +people. + +> question the policy about terrorism, or drugs, or Iraq, or Bush in +> general, you're aiding terrorism. If you challenge the beliefs of +> the folks attending the various shadowy G8 conferences, you're an +> anarchist, and you're herded off to a 'designated protest spot' miles +> away from anything. Part of the point of speech is to be -heard-. +> I can scream on my soapbox in the forest somewhere, and while thats +> speech, its not effective speech. People are screaming and shouting +> over the political figures because they cannot be heard in any other +> way. + +And where does this end? Shouting down speakers is an obviously stupid +tactic if they are -really- interested in advocating change. Are they such +clueless social morons that they don't see this or are they just interested +in stroking their pathetic egos? + +OBTW, 'clueless social moron syndrom' does not have political boundaries. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0877.62f5636ba5885d1b92423169c83a35b9 b/machine-learning-ex6/ex6/easy_ham/0877.62f5636ba5885d1b92423169c83a35b9 new file mode 100644 index 0000000..3b0068f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0877.62f5636ba5885d1b92423169c83a35b9 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 30 17:57:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E485516F75 + for ; Mon, 30 Sep 2002 17:54:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UFuFK05473 for ; + Mon, 30 Sep 2002 16:56:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id DE7ED2940DA; Mon, 30 Sep 2002 08:56:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 7CF2729409E for ; + Mon, 30 Sep 2002 08:55:46 -0700 (PDT) +Received: from Golux.Com (dmz-firewall [206.199.198.4]) by + Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id g8UFtm223707; + Mon, 30 Sep 2002 11:55:48 -0400 +Message-Id: <3D9876EE.2951E0DD@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (WinNT; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Flatware or Road Kill? +Subject: Re: A moment of silence for the First Amendment (fwd) +References: +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 12:08:14 -0400 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + PENIS_ENLARGE,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE,T_URI_COUNT_1_2, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Bill Stoddard wrote: +> +> Wishful thinking. People are just bigger dickheads now. + +nah, they've always been this way. + +> Culture is changing and it is becoming acceptable to get in +> peoples face and shout them down when you disagree with them. + +culture changing, yeh. 'those who fail to learn from history..' +what does it tell you when a market chain is named 'bread and circus' +and no-one twigs? +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0878.24186e5267a8ec179a2e07f2da013932 b/machine-learning-ex6/ex6/easy_ham/0878.24186e5267a8ec179a2e07f2da013932 new file mode 100644 index 0000000..db6c6e8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0878.24186e5267a8ec179a2e07f2da013932 @@ -0,0 +1,90 @@ +From fork-admin@xent.com Mon Sep 30 17:57:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CE90F16F77 + for ; Mon, 30 Sep 2002 17:54:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UGNIK07243 for ; + Mon, 30 Sep 2002 17:23:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 600562940E3; Mon, 30 Sep 2002 09:23:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc03.attbi.com (sccrmhc03.attbi.com [204.127.202.63]) + by xent.com (Postfix) with ESMTP id 30F5B2940E1 for ; + Mon, 30 Sep 2002 09:22:28 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc03.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020930162229.FGFL22381.sccrmhc03.attbi.com@[24.61.113.164]>; + Mon, 30 Sep 2002 16:22:29 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <11958948363.20020930122228@magnesium.net> +To: Owen Byrne +Cc: Fork@xent.com +Subject: Re[2]: A moment of silence for the First Amendment (fwd) +In-Reply-To: <3D9879E9.7020708@permafrost.net> +References: + <3D9879E9.7020708@permafrost.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 12:22:28 -0400 +X-Spam-Status: No, hits=-2.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + PENIS_ENLARGE,REFERENCES,SIGNATURE_SHORT_DENSE, + T_QUOTE_TWICE_2,T_URI_COUNT_1_2 + version=2.50-cvs +X-Spam-Level: + + +>> +>>Wishful thinking. People are just bigger dickheads now. Culture is changing +>>and it is becoming acceptable to get in peoples face and shout them down +>>when you disagree with them. The people that do this are NOT +>>disenfranchised. They +>>get their rocks off on being disagreeable assholes. The act of protesting is +>>more important than the actual issue being protested for most of these +>>people. +>> +>> +OB> In my experience, this is classic "American" behaviour, and I don't +OB> think its on the increase outside of the US of A. +OB> I am willing to accept the premise that Americans are bigger dickheads +OB> then they used to be. + +*sighs* + +Right. Because Americans are the only people capable of being +assholes. Shit. History keeps fucking up when they keep mentioning +all the historical examples of dickhead-ness that have proceeded the +US. + +After all, we're the only country who gets unruly when it comes to +issues. Thats why its always just the Americans at those crazy WTO +meetings... Right, Owen? + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0879.267af96ab014056d029ea42fd1ecf2bd b/machine-learning-ex6/ex6/easy_ham/0879.267af96ab014056d029ea42fd1ecf2bd new file mode 100644 index 0000000..d7f2dd0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0879.267af96ab014056d029ea42fd1ecf2bd @@ -0,0 +1,103 @@ +From fork-admin@xent.com Mon Sep 30 17:57:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6F5A016F78 + for ; Mon, 30 Sep 2002 17:54:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UGmEK08081 for ; + Mon, 30 Sep 2002 17:48:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2CBD12940E1; Mon, 30 Sep 2002 09:48:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 6233229409E for + ; Mon, 30 Sep 2002 09:47:25 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17w3ZK-0008BL-00; Mon, 30 Sep 2002 13:38:50 -0300 +Message-Id: <3D988106.90000@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: bitbitch@magnesium.net +Cc: Fork@xent.com +Subject: Re: A moment of silence for the First Amendment (fwd) +References: + <3D9879E9.7020708@permafrost.net> + <11958948363.20020930122228@magnesium.net> +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 13:51:18 -0300 +X-Spam-Status: No, hits=-5.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,PENIS_ENLARGE, + REFERENCES,T_QUOTE_TWICE_2,T_URI_COUNT_0_1,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +bitbitch@magnesium.net wrote: + +>>>Wishful thinking. People are just bigger dickheads now. Culture is changing +>>>and it is becoming acceptable to get in peoples face and shout them down +>>>when you disagree with them. The people that do this are NOT +>>>disenfranchised. They +>>>get their rocks off on being disagreeable assholes. The act of protesting is +>>>more important than the actual issue being protested for most of these +>>>people. +>>> +>>> +>>> +>>> +>OB> In my experience, this is classic "American" behaviour, and I don't +>OB> think its on the increase outside of the US of A. +>OB> I am willing to accept the premise that Americans are bigger dickheads +>OB> then they used to be. +> +>*sighs* +> +>Right. Because Americans are the only people capable of being +>assholes. Shit. History keeps fucking up when they keep mentioning +>all the historical examples of dickhead-ness that have proceeded the +>US. +> +>After all, we're the only country who gets unruly when it comes to +>issues. Thats why its always just the Americans at those crazy WTO +>meetings... Right, Owen? +> +> +> +> +> +A flippant remark that I will probably regret - sure there's assholes +everywhere. I just remember a lunch in Spain with +a semi-famous American - I think we had about 10 nationalities at the +table, and he managed to insult each of them within +15 minutes. A historical perspective makes me think that empires - +Roman, British, Russian, American, whatever - produce + a larger proportion of assholes than subject nations (and are more +likely to have them in positions of authority). +Owen + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0880.6aa461d079bb0762af5c94d9af8487ec b/machine-learning-ex6/ex6/easy_ham/0880.6aa461d079bb0762af5c94d9af8487ec new file mode 100644 index 0000000..8120f07 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0880.6aa461d079bb0762af5c94d9af8487ec @@ -0,0 +1,89 @@ +From fork-admin@xent.com Mon Sep 30 17:57:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4F9BC16F76 + for ; Mon, 30 Sep 2002 17:54:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 17:54:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UGIDK06989 for ; + Mon, 30 Sep 2002 17:18:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5A0892940DE; Mon, 30 Sep 2002 09:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 2F80A29409E for + ; Mon, 30 Sep 2002 09:17:04 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17w35x-000884-00; Mon, 30 Sep 2002 13:08:29 -0300 +Message-Id: <3D9879E9.7020708@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Bill Stoddard +Cc: "Fork@Xent.Com" +Subject: Re: A moment of silence for the First Amendment (fwd) +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 13:20:57 -0300 +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,PENIS_ENLARGE, + REFERENCES,T_QUOTE_TWICE_2,T_URI_COUNT_0_1,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Bill Stoddard wrote: + +>>GAB> The problem is that politics have gotten so muddied +>>GAB> nowadays, that shouting down and unpeaceably disrupting +>>GAB> political rallies that you don't agree with has become +>>GAB> common practice. The courts have constantly ruled +>>GAB> that there are some restrictions on the first amendment. +>>GAB> They teach you that your very first year of law school. +>> +>>I'll agree with Owen on this one. Muddied my ass. How hard is it to +>>chose between a Republocrat or a Demipublican? Not very. Shouting +>>down has grown to become the answer because the government, over a +>>span of years, and with the help of the Courts -has- limited the +>>rights we have as citizens under the First Amendment. +>> +>> +> +>Wishful thinking. People are just bigger dickheads now. Culture is changing +>and it is becoming acceptable to get in peoples face and shout them down +>when you disagree with them. The people that do this are NOT +>disenfranchised. They +>get their rocks off on being disagreeable assholes. The act of protesting is +>more important than the actual issue being protested for most of these +>people. +> +> +In my experience, this is classic "American" behaviour, and I don't +think its on the increase outside of the US of A. +I am willing to accept the premise that Americans are bigger dickheads +then they used to be. + +Owen + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0881.316c03b1dbd637537a4035f8470c6c12 b/machine-learning-ex6/ex6/easy_ham/0881.316c03b1dbd637537a4035f8470c6c12 new file mode 100644 index 0000000..e6d5bf1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0881.316c03b1dbd637537a4035f8470c6c12 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Mon Sep 30 19:58:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6902316F16 + for ; Mon, 30 Sep 2002 19:57:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 19:57:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UHFEK09117 for ; + Mon, 30 Sep 2002 18:15:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B30ED2940E0; Mon, 30 Sep 2002 10:15:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav72.law15.hotmail.com [64.4.22.207]) by + xent.com (Postfix) with ESMTP id CF87129409E for ; + Mon, 30 Sep 2002 10:14:07 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 10:14:09 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + <3D9859B9.3A7F80C2@endeavors.com> + <10654501659.20020930110821@magnesium.net> +Subject: Re: Re[2]: A moment of silence for the First Amendment (fwd) +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 30 Sep 2002 17:14:09.0728 (UTC) FILETIME=[CA459C00:01C268A4] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 10:19:12 -0700 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_OUTLOOK_REPLY,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: + +> People are screaming and shouting over the political figures because +> they cannot be heard in any other way. +What, are they illiterate? Mute? What's their problem? If somebody stops +them from posting web pages, or printing newsletters, or talking on the +phone, or organizing their /own/ conference then that would be wrong. + +I don't think free speech is a license to speak directly at and be in the +physical presence of any particular individual of your choosing - especially +when that individual is busy doing something else and isn't interested. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0882.1fc35ed593366d26e06112250d18678a b/machine-learning-ex6/ex6/easy_ham/0882.1fc35ed593366d26e06112250d18678a new file mode 100644 index 0000000..c883855 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0882.1fc35ed593366d26e06112250d18678a @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Sep 30 19:58:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1913016F21 + for ; Mon, 30 Sep 2002 19:57:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 19:57:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UHJUK09309 for ; + Mon, 30 Sep 2002 18:19:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 63C382940EB; Mon, 30 Sep 2002 10:19:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 916262940EA for ; + Mon, 30 Sep 2002 10:18:07 -0700 (PDT) +Received: (qmail 36539 invoked by uid 19621); 30 Sep 2002 17:15:59 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 30 Sep 2002 17:15:59 -0000 +Subject: Re: A moment of silence for the First Amendment (fwd) +From: James Rogers +To: fork@example.com +In-Reply-To: <3D9879E9.7020708@permafrost.net> +References: + <3D9879E9.7020708@permafrost.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1033407397.13480.34.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 30 Sep 2002 10:36:37 -0700 +X-Spam-Status: No, hits=-6.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-09-30 at 09:20, Owen Byrne wrote: +> In my experience, this is classic "American" behaviour, and I don't +> think its on the increase outside of the US of A. + + +In my experience, this protest behavior is really only an issue in +"ultra-liberal" coastal cities, which is where I normally live. It is +part of the culture and that behavior is viewed as acceptable. + +For comparison, contrast this with the character of the arguably more +serious protests against Federal government abuse in the inter-mountain +West. They have a very different idea of what constitutes acceptable +protest practice. Those protests remain largely civil and polite, if +heated and aggressive, and those involve a far greater percentage of the +local population. And unlike 99% of the liberal coastal city protests +I've seen, the people protesting in the inter-mountain West are actually +facing immediate dire consequences from the activities they are +protesting and are strongly motivated to protest in a manner that gets +results. Some of their tactics, such as the practice of many businesses +and restaurants in northern Nevada to not give service to anyone known +to be in the employ of the BLM and related agencies, have been very +effective at forcing dialog. I don't recall anyone characterizing their +protests as impolite, rude, or violent, but then they have more to lose. + + +-James Rogers + jamesr@best.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0883.1c07a9bc574c386fbd893edbb24ea4e6 b/machine-learning-ex6/ex6/easy_ham/0883.1c07a9bc574c386fbd893edbb24ea4e6 new file mode 100644 index 0000000..85e0f6c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0883.1c07a9bc574c386fbd893edbb24ea4e6 @@ -0,0 +1,98 @@ +From fork-admin@xent.com Mon Sep 30 19:59:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8E17D16F18 + for ; Mon, 30 Sep 2002 19:57:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 19:57:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UI0FK10427 for ; + Mon, 30 Sep 2002 19:00:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6E6BE2940EA; Mon, 30 Sep 2002 11:00:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id CC19C2940E8 for ; + Mon, 30 Sep 2002 10:59:59 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 30 Sep 2002 13:59:50 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <19164789201.20020930135949@magnesium.net> +To: "Mr. FoRK" +Cc: Fork@xent.com +Subject: Re[4]: A moment of silence for the First Amendment (fwd) +In-Reply-To: +References: + <3D9859B9.3A7F80C2@endeavors.com> + <10654501659.20020930110821@magnesium.net> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 13:59:49 -0400 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE,T_OUTLOOK_REPLY, + T_QUOTE_TWICE_2,T_URI_COUNT_2_3 + version=2.50-cvs +X-Spam-Level: + +Hello Mr., + +Monday, September 30, 2002, 1:19:12 PM, you wrote: + + +MF> ----- Original Message ----- +MF> From: + +>> People are screaming and shouting over the political figures because +>> they cannot be heard in any other way. +MF> What, are they illiterate? Mute? What's their problem? If somebody stops +MF> them from posting web pages, or printing newsletters, or talking on the +MF> phone, or organizing their /own/ conference then that would be wrong. + +Perhaps /cannot be heard in any other way (period)/ was incorrect. +What I meant, was a time-specific occurence. Sure, there are other +means outside of the circumstance of the occurence. BUt until we're +willing to eliminate the ability to speak in public -only- for the +side that doesn't agree with the political force, and make that part +of the 1st amendment, the parties -are- screaming and shouting over +political figures because they cannot be heard (to those figures) in +any other way. + +MF> I don't think free speech is a license to speak directly at and be in the +MF> physical presence of any particular individual of your choosing - especially +MF> when that individual is busy doing something else and isn't interested. + +Sure. And that goes back to my second argument -- Cohen. THey can +walk away. NObody compells them to stand there, I'll agree fully. +But we still have a Constitutional right to speak out against +policies, actions and grievances. + +Again. If you want it another way, lets change the Constitution. + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0884.f4a7181c5337229d1e70c587cbae9567 b/machine-learning-ex6/ex6/easy_ham/0884.f4a7181c5337229d1e70c587cbae9567 new file mode 100644 index 0000000..82f6993 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0884.f4a7181c5337229d1e70c587cbae9567 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 30 19:59:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3605C16F22 + for ; Mon, 30 Sep 2002 19:57:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 19:57:36 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UIgEK11688 for ; + Mon, 30 Sep 2002 19:42:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C9F7A2940E8; Mon, 30 Sep 2002 11:42:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav76.law15.hotmail.com [64.4.22.211]) by + xent.com (Postfix) with ESMTP id 0E3DF29409E for ; + Mon, 30 Sep 2002 11:41:18 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 11:41:19 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + <3D9859B9.3A7F80C2@endeavors.com> + <10654501659.20020930110821@magnesium.net> + + <19164789201.20020930135949@magnesium.net> +Subject: Re: Re[4]: A moment of silence for the First Amendment (fwd) +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 30 Sep 2002 18:41:19.0466 (UTC) FILETIME=[F7704CA0:01C268B0] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:46:26 -0700 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_OUTLOOK_REPLY,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: + +> the parties -are- screaming and shouting over +> political figures because they cannot be heard (to those figures) in +> any other way. +The right to speak is not the same as the right to be heard by the audience +of the speakers choice. + +Disruptive protests might be a means to create awareness - but that's a +pretty lame way to do it. If it truly is the only way, then I'm all for it, +but disruption for the sake of showing how committed the protesters are is +pretty weak. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0885.edd07a1946446122321ba10a01eda39a b/machine-learning-ex6/ex6/easy_ham/0885.edd07a1946446122321ba10a01eda39a new file mode 100644 index 0000000..c86c35a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0885.edd07a1946446122321ba10a01eda39a @@ -0,0 +1,97 @@ +From fork-admin@xent.com Mon Sep 30 21:38:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 427BF16F03 + for ; Mon, 30 Sep 2002 21:38:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:38:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UJTFK13077 for ; + Mon, 30 Sep 2002 20:29:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B856029409F; Mon, 30 Sep 2002 12:29:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm2-5.sba1.netlojix.net + [207.71.218.101]) by xent.com (Postfix) with ESMTP id 44A5929409E for + ; Mon, 30 Sep 2002 12:27:59 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id MAA06188; + Mon, 30 Sep 2002 12:34:12 -0700 +Message-Id: <200209301934.MAA06188@maltesecat> +To: fork@example.com +Subject: Re: EBusiness Webforms: cluetrain has left the station +In-Reply-To: Message from fork-request@xent.com of + "Mon, 30 Sep 2002 05:29:02 PDT." + <20020930122902.4016.16668.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 12:34:12 -0700 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_QUOTE_TWICE_1,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + + + +> > ... webforms /can/ +> > accept "U.S. of A" as a country. Incredible, but true. Web forms can +> > also accept /multiple/ or even /free-form/ telephone numbers ... + +Are the people who use procrustean web +forms practices the same ones who don't +accept faxes? + +When I *really* need to get something +done, instead of just idle surfing, I +call or fax. Faxing, like a web form, +can be done 24x7; it allows me to give +all the (and only the) pertinent info +in a single place; it also provides a +self-journalled correspondence, which +means rollback is easy and replay is +even easier. + +-Dave + +> Sure, tiled windows were the best we had for +> a brief period of time, but they are completely useless +> except for some terminal based replacement applications. + +I've been running a tiled (but somewhat +overlapped, yielding a horizontal stack) +window manager lately. Like filling in +a web form, finding edges and shuffling +windows may seem productive, but I find +that having a window manager manage the +windows means I can concentrate on what +I want to do with their contents. + +::::::::: + +"dumb question: X client behind a firewall?" +> Back in my day, they didn't have ssh. Then again, back in my day, +> they didn't have firewalls. + +Back in my day, when one changed computer +installations, email would be forwarded +as a courtesy. + +Now, we seem to have swung so far in the +opposite direction that it makes sense to +ditch addresses every couple of years to +shed spam. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0886.a901020854d0c42772ba10e45212ee82 b/machine-learning-ex6/ex6/easy_ham/0886.a901020854d0c42772ba10e45212ee82 new file mode 100644 index 0000000..d36cf4a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0886.a901020854d0c42772ba10e45212ee82 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Mon Sep 30 21:38:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B106F16F16 + for ; Mon, 30 Sep 2002 21:38:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:38:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UJuGK13757 for ; + Mon, 30 Sep 2002 20:56:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F3A82940F0; Mon, 30 Sep 2002 12:56:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (oe31.law12.hotmail.com [64.4.18.88]) by + xent.com (Postfix) with ESMTP id 9072529409E for ; + Mon, 30 Sep 2002 12:55:48 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 12:55:50 -0700 +X-Originating-Ip: [66.92.145.79] +Reply-To: "Bill Kearney" +From: "Bill Kearney" +To: +References: <20020930171901.6342.67818.Mailman@lair.xent.com> +Subject: Re: A moment of silence for the First Amendment (fwd) +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Message-Id: +X-Originalarrivaltime: 30 Sep 2002 19:55:50.0795 (UTC) FILETIME=[608EF5B0:01C268BB] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 15:55:47 -0400 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=AWL,FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,T_URI_COUNT_0_1 + version=2.50-cvs +X-Spam-Level: + +> From: Owen Byrne +> A flippant remark that I will probably regret - +> sure there's assholes everywhere. I just remember a lunch in Spain with +> a semi-famous American - I think we had about 10 nationalities at the +> table, and he managed to insult each of them within +> 15 minutes. A historical perspective makes me think that empires - +> Roman, British, Russian, American, whatever - produce +> a larger proportion of assholes than subject nations (and are more +> likely to have them in positions of authority). + +Yep, those that win battles collect tthe spoils. Lead and breed. Want it to be +different? Lead, don't whine. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0887.95cafbddb7fce33aada0e9d9bb329aa5 b/machine-learning-ex6/ex6/easy_ham/0887.95cafbddb7fce33aada0e9d9bb329aa5 new file mode 100644 index 0000000..00d0717 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0887.95cafbddb7fce33aada0e9d9bb329aa5 @@ -0,0 +1,67 @@ +From fork-admin@xent.com Tue Oct 1 10:41:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9A12916F73 + for ; Tue, 1 Oct 2002 10:39:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ULUFK16923 for ; + Mon, 30 Sep 2002 22:30:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 023022940FA; Mon, 30 Sep 2002 14:30:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from venus.phpwebhosting.com (venus.phpwebhosting.com + [64.29.16.27]) by xent.com (Postfix) with SMTP id D3C1629409E for + ; Mon, 30 Sep 2002 14:29:11 -0700 (PDT) +Received: (qmail 13272 invoked by uid 508); 30 Sep 2002 21:28:37 -0000 +Received: from unknown (HELO hydrogen.leitl.org) (217.80.40.106) by + venus.phpwebhosting.com with SMTP; 30 Sep 2002 21:28:37 -0000 +Received: from localhost (eugen@localhost) by hydrogen.leitl.org + (8.11.6/8.11.6) with ESMTP id g8ULSxF29136; Mon, 30 Sep 2002 23:28:59 + +0200 +X-Authentication-Warning: hydrogen.leitl.org: eugen owned process doing -bs +From: Eugen Leitl +To: Tom +Cc: Jim Whitehead , FoRK +Subject: Re: Internet Archive bookmobile +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 23:28:59 +0200 (CEST) +X-Spam-Status: No, hits=-11.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_PINE, + X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 30 Sep 2002, Tom wrote: + +> If the set passes around enough then more people have these works. the +> more folks that have them now, while they are still legal to have, the +> likely they will be left behind in the possible/probabale copyright +> chillout..and if that doesnt happen then more folks than not will still + +We will be getting BlackNet-like guerilla P2P pretty soon. Packaging it +into wormcode with an initial userbase of a few 100 k to Mnodes gives you +pretty bulletproof plausible deniability. + +> have it for uses all manner of shades. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0888.a8cf27198dd5b8612b47fe3f8f19266f b/machine-learning-ex6/ex6/easy_ham/0888.a8cf27198dd5b8612b47fe3f8f19266f new file mode 100644 index 0000000..666bbb7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0888.a8cf27198dd5b8612b47fe3f8f19266f @@ -0,0 +1,85 @@ +From fork-admin@xent.com Tue Oct 1 10:41:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 49AAF16F74 + for ; Tue, 1 Oct 2002 10:39:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:27 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8ULkEK17256 for ; + Mon, 30 Sep 2002 22:46:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B86662940FE; Mon, 30 Sep 2002 14:46:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 9499E29409E for ; + Mon, 30 Sep 2002 14:45:18 -0700 (PDT) +Received: from sashimi (dmz-firewall [206.199.198.4]) by Boron.MeepZor.Com + (8.11.6/8.11.6) with SMTP id g8ULjL205222 for ; + Mon, 30 Sep 2002 17:45:21 -0400 +From: "Bill Stoddard" +To: "Fork@Xent.Com" +Subject: RE: Re[4]: A moment of silence for the First Amendment (fwd) +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <19164789201.20020930135949@magnesium.net> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 17:46:11 -0400 +X-Spam-Status: No, hits=-7.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + TO_ADDRESS_EQ_REAL,T_MSGID_GOOD_EXCHANGE,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +> MF> I don't think free speech is a license to speak directly at +> and be in the +> MF> physical presence of any particular individual of your +> choosing - especially +> MF> when that individual is busy doing something else and isn't +> interested. + +Yep. I agree 100% + +> +> Sure. And that goes back to my second argument -- Cohen. THey can +> walk away. NObody compells them to stand there, I'll agree fully. +> But we still have a Constitutional right to speak out against +> policies, actions and grievances. +> +> Again. If you want it another way, lets change the Constitution. + +Huh? Are you saying that whoever has the loudest voice gets to be heard? +Shouting down a public speaker could be considered a form of censorship. If +shouting down public speakers is 'protected' it is only a matter of time +before the people doing the shouting have their tactic used against +them -every single time they open their mouth-. The tactic is stupid and +non-productive and if generally used, will only result in chaos. The tactic +is just stupid ego-bation at best, unless the goal is to generate chaos. +And humans whose goals and actions in life are to create chaos in society +should be locked up (provided you can accurately identify them, which is not +really possible anyway, but hey, this is my rant :-). IMHO. + +Bill + + diff --git a/machine-learning-ex6/ex6/easy_ham/0889.19010d78004033878d170ffbcd3b1053 b/machine-learning-ex6/ex6/easy_ham/0889.19010d78004033878d170ffbcd3b1053 new file mode 100644 index 0000000..2b44e82 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0889.19010d78004033878d170ffbcd3b1053 @@ -0,0 +1,136 @@ +From fork-admin@xent.com Tue Oct 1 10:41:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E843216F75 + for ; Tue, 1 Oct 2002 10:39:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UMUDK18674 for ; + Mon, 30 Sep 2002 23:30:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3A9042940A5; Mon, 30 Sep 2002 15:30:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id 316E029409E for ; + Mon, 30 Sep 2002 15:29:43 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 30 Sep 2002 18:29:31 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <16680971951.20020930182931@magnesium.net> +To: "Bill Stoddard" +Cc: Fork@xent.com +Subject: Re[6]: A moment of silence for the First Amendment (fwd) +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 18:29:31 -0400 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE,T_QUOTE_TWICE_2 + version=2.50-cvs +X-Spam-Level: + +Hello Bill, + +Monday, September 30, 2002, 5:46:11 PM, you wrote: + + +>> MF> I don't think free speech is a license to speak directly at +>> and be in the +>> MF> physical presence of any particular individual of your +>> choosing - especially +>> MF> when that individual is busy doing something else and isn't +>> interested. + +BS> Yep. I agree 100% + +>> +>> Sure. And that goes back to my second argument -- Cohen. THey can +>> walk away. NObody compells them to stand there, I'll agree fully. +>> But we still have a Constitutional right to speak out against +>> policies, actions and grievances. +>> +>> Again. If you want it another way, lets change the Constitution. + +BS> Huh? Are you saying that whoever has the loudest voice gets to be heard? +BS> Shouting down a public speaker could be considered a form of censorship. If +BS> shouting down public speakers is 'protected' it is only a matter of time +BS> before the people doing the shouting have their tactic used against +BS> them -every single time they open their mouth-. The tactic is stupid and +BS> non-productive and if generally used, will only result in chaos. The tactic +BS> is just stupid ego-bation at best, unless the goal is to generate chaos. +BS> And humans whose goals and actions in life are to create chaos in society +BS> should be locked up (provided you can accurately identify them, which is not +BS> really possible anyway, but hey, this is my rant :-). IMHO. + +BS> Bill + + +No offense or anything, but there's a difference between holding a +sign that doesn't agree with Bush and screaming at him. + +My sole point, as far as the 1st Amendment goes is that there is more +to this game than just being an angry, liberal youth. (Which is the +gross culmination of everyone's argument sofar) The screaming isn't +the most effective method around. I don't believe I argued that it +was. But screaming is happening because the means to communicate to +the representatives involved are diminishing, at least as far as the +people doing the screaming are concerned. For the record, I don't +support the screamers in organized conferences (Such as the Colin +Powell shout-down that was mentioned earlier). I don't think that +this is what the 1st Amendment was implying. These folks -do- have a +right to be heard, and I think they have a right to be heard by the +folks they elected in the first place. + +My point, (my only point) was really more concerned with the cases +such as Mr. Nell. He wasn't engaged (at least from the limited facts +we have) in a shoutout, but rather in a difference of opinion. He +has a right to possess this opinion and make it known to the +representatives that are elected. A sign is not a shout-out. + +I think I may have missed (or not accurately addressed) the original +thread switch that took this example and mixed in the screaming +dissenters to the mix. I was mostly responding with my miffedness in +having broad-brush strokes applied to a group without examining the +policy reasons that might have contributed to it. IN this case, the +screaming parties are fed up with getting corralled miles away from +the folks they need to speak with. They're resorting to creative, +offensive and constitutionally challengable means, but its not simply +due to the fact that they're 20 and have lost all decorum. The 'My +generation never did this ' is all BS. THere's more to this story, +we just dont' know it all. + +I hope this clarifies my position. For the quick rehash: + +Screaming != Free speech on all cases. +Dissent = Free speech, provided you follow what has been laid down by +the Supremes. + +K? + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0890.6f5adc9f03179475957e05f5f37cce57 b/machine-learning-ex6/ex6/easy_ham/0890.6f5adc9f03179475957e05f5f37cce57 new file mode 100644 index 0000000..e4800b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0890.6f5adc9f03179475957e05f5f37cce57 @@ -0,0 +1,93 @@ +From fork-admin@xent.com Tue Oct 1 10:41:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A406616F1E + for ; Tue, 1 Oct 2002 10:39:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g91239K26727 for ; + Tue, 1 Oct 2002 03:03:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0EF6E2940AD; Mon, 30 Sep 2002 19:03:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sierra.birch.net (sierra.birch.net [216.212.0.61]) by + xent.com (Postfix) with ESMTP id D256329409E for ; + Mon, 30 Sep 2002 19:03:00 -0700 (PDT) +Received: (qmail 13138 invoked from network); 1 Oct 2002 02:02:59 -0000 +Received: from unknown (HELO there) ([216.212.1.217]) (envelope-sender + ) by mailserver.birch.net (qmail-ldap-1.03) with SMTP for + ; 1 Oct 2002 02:02:59 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Steve Nordquist +To: fork@example.com +Subject: Re: EBusiness Webforms: cluetrain has left the station +X-Mailer: KMail [version 1.3.2] +References: <774F0112-D32A-11D6-8BB1-003065F62CD6@whump.com> +In-Reply-To: <774F0112-D32A-11D6-8BB1-003065F62CD6@whump.com> +MIME-Version: 1.0 +Message-Id: <20021001020300.D256329409E@xent.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 21:01:41 -0500 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g91239K26727 +X-Spam-Status: No, hits=-0.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +On Saturday 28 September 2002 04:37 pm, you struggled free to say: +&> > Although it's like a total shock to 99.999% (5nines) of all the +&> > employed website designers out there, the truth is webforms /can/ +&> > accept "U.S. of A" as a country. Incredible, but true. Web forms can +&> > also accept /multiple/ or even /free-form/ telephone numbers and can +&> > even be partitioned into manageable steps. All this can also be done +&> > without selling exclusive rights to your wallet to the World's +&> > Second-Richest Corporation (assuming Cisco is still #1) and vendor +&> > locking your business into their "small transaction fee" tithe. + +Think of all the people and places that would not get unsolicited mail +if we hadn't invented them. Though perhaps ordering a free Enron mug +as the King of Hell.... + +I think it's like P3P met whatever commercial /.like forum was rocking +yesterday, and they took all Greg's extra serotonin and lit up and +made a Successful go of personal address palettes you could occupy and +own or rent and even move or sell. So you'd reply to all the whitepaper +sites you wouldn't just call to get the real deal like: 'Okay, let's say +I'm in Factorytown, GuangZhou, and I'm a battery acid supervisor for +a multinational that sometimes buys B1s. e-mail me if you get your story +written up all the way;' or + 'Today, I'm a 200lb, 3m tall mophead with pearlecent teeth +and excellent sex-linked features, but who uses Solaris nntp clients. Got it?' + or merely + 'I can't read Base64 messages. I use small alphabets and +8-letter words that didn't come from the bible and use calculus, and +I'd thank you to class me as a Catamite.' + +&> Yes, but this is what normally happened: +&> Engineer: we can put an input validator/parser on the backend to do that. +&> ..... +&> Creative Director: I don't give a shit. As long as it's in blue. And +&> has a link to my press release. + +N3kk1D PRR3zzEw33Lz ahR 3V1L, but I thought it had to do with +coldfusion-compatiblie plugins (servlets, whatever) that overhyped +unimplemented features. Repeatedly. Openly. In rakish 10MB +branding-first downloads that meshed well with budgeting policies. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0891.44f5cad6f0dfa66277e1a0aec55e7bf6 b/machine-learning-ex6/ex6/easy_ham/0891.44f5cad6f0dfa66277e1a0aec55e7bf6 new file mode 100644 index 0000000..cbae8ac --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0891.44f5cad6f0dfa66277e1a0aec55e7bf6 @@ -0,0 +1,68 @@ +From fork-admin@xent.com Tue Oct 1 10:41:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C87C916F1F + for ; Tue, 1 Oct 2002 10:39:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g914V8K08142 for ; + Tue, 1 Oct 2002 05:31:08 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1FBAF2940C5; Mon, 30 Sep 2002 21:31:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f101.law15.hotmail.com [64.4.23.101]) by + xent.com (Postfix) with ESMTP id CEBD429409E for ; + Mon, 30 Sep 2002 21:30:57 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 21:31:01 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Tue, 01 Oct 2002 04:31:01 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: Fork@xent.com +Subject: Re: A moment of silence for the First Amendment & Angry Liberal Yutes +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 01 Oct 2002 04:31:01.0444 (UTC) FILETIME=[58BDB040:01C26903] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 04:31:01 +0000 +X-Spam-Status: No, hits=-1.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Gregory Alan Bolcer: +>I'm not sure since I haven't attended civics class +>in quite some time, but the First Amendment doesn't cover protected speech, +>hate speech, or actions. .. + +The first two are wrong. The first amendment DOES +protect speech the Supreme Court decides it protects +(duh!), and that happens to include most of what +people consider hate speech. Unlike many other +nations, the US has no laws against hate speech, per +se. And the first amendment is the reason for that. + + + + +_________________________________________________________________ +Join the world’s largest e-mail service with MSN Hotmail. +http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0892.b0cff6bbd5818574a0cd15913ee16970 b/machine-learning-ex6/ex6/easy_ham/0892.b0cff6bbd5818574a0cd15913ee16970 new file mode 100644 index 0000000..9f9b7b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0892.b0cff6bbd5818574a0cd15913ee16970 @@ -0,0 +1,180 @@ +Forwarded: Tue, 01 Oct 2002 11:17:08 +0100 +Forwarded: yyyyblog@taint.org +Forwarded: Tue, 01 Oct 2002 11:14:08 +0100 +Forwarded: mice@crackmice.com +From fork-admin@xent.com Tue Oct 1 10:41:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1D90F16F20 + for ; Tue, 1 Oct 2002 10:39:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9157DK11395 for ; + Tue, 1 Oct 2002 06:07:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 08BDC2940EF; Mon, 30 Sep 2002 22:07:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav49.law15.hotmail.com [64.4.22.21]) by + xent.com (Postfix) with ESMTP id 29F2029409E for ; + Mon, 30 Sep 2002 22:06:03 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 22:06:04 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Dinosaurs Eggs and the Origins of Good and Evil +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 01 Oct 2002 05:06:04.0597 (UTC) FILETIME=[3E515E50:01C26908] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 22:11:10 -0700 +X-Spam-Status: No, hits=-6.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +One of the most bizarre pages I've seen on the Web. At first I thought it +might be some sort of back-story to a RPG, but, nope, it looks like somebody +believes this. + +=== +http://www.viking-z.org/r20i.htm + +M09. Dinosaurs Eggs and the Origins of Good and Evil. +DINOSAURS. Reptoid ETs are reported to be 12 foot high crocodiles walking on +their hind legs. This is a description of a dinosaur. It now appears in +Remote Viewing that the Reptoid ETs, dinosaurs and dragons are all linked +together and that they all originated on Earth. The Erideans who are Reptoid +derivatives have a home planet (in the Eridanus system) like all other ETs. +The Reptoids have no reported home planet. They also come over as entities +with little brain who control their bodies directly by spirit. This is a +description of a ghost or disincarnate entity regardless of how people see +them. Thus it could be that the Reptoids, Erideans, Nordics, Anunnaki, but +not the Greys, all have origins on Earth and have a strong link to Earth +even if they choose to live elsewhere. The Greys do not appear to have a +renal or urinary system and this points to them not originating on Earth. +The definitive work on dragons is "The Flight of Dragons" by Peter +Dickinson. If dragons did exist in the flesh, they did not survive the long +bow. Targets do not come much bigger. + +Truth is stranger than fiction. Thus the writer's current scenario is that +there were a race of dinosaurs which developed psychic intelligence to guard +their eggs and young, and who probably preferred to live underground. They +survived the wipe out of the dinosaurs 50 million years ago with difficulty. +They evolved into the Erideans and transferred to a more hospitable planet +(for them) possibly with the help of another race of ETs who wanted slaves +but otherwise had no interest in Earth or mind control. + +Thus it appears that the current Reptoids are the Spirits or ghosts of the +dinosaurs. They must have been powerful to survive 50 million years and also +to appear to some people. They have appeared to the writer in remote +viewing. They are living on as vampire entities. Such immortal minds are +contagious and can easily jump race and species barriers. If they can be +encouraged to reincarnate, then the power sources of the black magicians and +mind controllers will disappear. Encouraging them to reincarnate will help +so called immortal minds to disappear as immortal minds have great +difficulty surviving reincarnation. Purging people's dinosaurs should remove +all perverse psychic abilities not under their control. They are a source of +Satanic Guardian Angels and demons. They control us by owning our psi. Thus +if we regain ownership of psi, we must relinquish their control and that of +all other mind controllers. Encourage people to regain ownership of their +psi. + +THE ORIGINS OF LOVE, HATE AND PURE MALICE. The following scenario appears to +hold water and can account for the origins of our Universal Subconscious. + +Dinosaurs laid their eggs and buried them either underground or in piles of +rotting vegetation (a good source of beetles and grubs for young +hatchelings). They did not sit on their eggs to keep them warm, which made +them very vulnerable to drastic climate and temperature change. In order to +keep away predators some at least developed psychic mind control. To do this +they had to capture ownership of the psi of potential predators. This is an +act of hatred and outward looking. While a few dinosaurs did develop the +ability to bear living young, most did not. The dinosaurs got in first and +so their mind control tends to override all other latter minds. They have +become the source of all Satans, devils and demons. + +Birds on the other hand developed the ability to sit on their eggs and keep +them warm. A hen bird normally lays a series of eggs (say one per day) and +only starts sitting when the clutch is completely laid. Thus all eggs tend +to hatch together as they all have an equal period of warmth. This is +primarily an act of love but inward looking. Bearing live young is not +suitable to a bird of the air. A pregnant pigeon would not fly very far. +Antarctic penguins tuck a single egg between their legs to keep it warm, +even if they are standing on ice. + +Mammals developed live bearing of their young which is also primarily an act +of love and inward looking. This is especially true as a mammalian female +can not desert her young in the womb in case of emergency as can a bird +sitting on a nest. + +Dinosaurs developed hate and mind control of others to protect their young, +while birds and mammals developed love. Birds and mammals certainly do hate +all enemies of their young, but this is secondary. + +If one wants to purge the sources of malice of say a black magician, then +purge his dinosaurs and his dinosaur eggs. Unfortunately most of our +religions are based on dinosaur protection of eggs and thus mind control, +regardless of the front they put out to the public. Religion tends to +concentrate on "How to Brainwash your Neighbour". Conscious thought has +built many mighty empires, theologies and slave control systems out of using +"How to care for and protect one's young" as a foundation. + +Thus the foulest form of abuse possible is to call something "A load of +dinosaur's eggs". Purging the dinosaurs and dinosaur's eggs of any entity +tends to purge all malice back to its roots. + +It looks as if mighty immortal minds have built up from small beginnings, +aided and abetted by various occultists and other. As they will insist on +vampiring the living for energy to avoid reincarnation and disturbing the +serenity of the writer, he encourages them to reincarnate. + +ITEMS FOR INSPECTION. For mind control to take place, then someone must take +control or ownership of the target's psi and pleasure centres. Check for the +following. + +Nest of dinosaur's eggs, holy dinosaurs, etc. +Eggs, controllers or owners in peoples psi, pleasure centres, pain killing +hormones, abilities, etc. +Mind machines. +The original engraving or engram. +GOD and SATAN appear to be job titles and not entities in their own right. T +hey appear to be dinosaur engravings or engrams. No doubt dinosaurs were the +first job holders. +TIMETRACKS are worth investigating as our complete history from the start of +time. + +My, our, Man's timetracks, etc. +The time tracks of the Universe, Universal Subconscious, Galactic +Subconscious, etc. +EXTINCT RACES of ETs can cause problems when they live on in vampire mode. +Their virtues may known to channelers but they can also have vices. Whenever +one hears of races which have evolved on to higher planes, suspect that the +higher plane is a vampire one. One may never know what they looked like or +other basic characteristics, which makes linking back a trifle difficult. +Every extinct race, etc. +BLOOD ANCESTORS are also worth investigating as minds can be passed down via +genetic linkages. Some of these can be over 2,000 years old. +Every blood ancestor, ancestral mind, genetic mind, etc. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0893.535c68823a7692562371ccebf36fb7b7 b/machine-learning-ex6/ex6/easy_ham/0893.535c68823a7692562371ccebf36fb7b7 new file mode 100644 index 0000000..138aefa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0893.535c68823a7692562371ccebf36fb7b7 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Tue Oct 1 10:41:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F04F16F16 + for ; Tue, 1 Oct 2002 10:39:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g915J2K11691 for ; + Tue, 1 Oct 2002 06:19:02 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 80E21294103; Mon, 30 Sep 2002 22:15:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav48.law15.hotmail.com [64.4.22.20]) by + xent.com (Postfix) with ESMTP id 2BAA82940F6 for ; + Mon, 30 Sep 2002 22:14:18 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 22:14:21 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Am I This Or Not? +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 01 Oct 2002 05:14:21.0746 (UTC) FILETIME=[66A44920:01C26909] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 22:19:29 -0700 +X-Spam-Status: No, hits=-10.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Wow, talk about a pheenomeenon + +== +http://www.iamcal.com/software/ami/ + +AmIThisOrNot Dynamic Peer Rating System + +What is It? +It's a tool to help you build your own "Am I X Or Not" sites. + +Where Can I Get It? +Basic Version $20 +The basic version lets you build a specific "Am I X" site (example). The +license covers a single installation on a single site. + +Advanced Version $40 +The advanced version lets your users create their own "Am I X" sites +(example). The license covers a single installation on a single site. + +Installation $20 +Either version of the system can be installed on your web server, given FTP +access and MySQL login details. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0894.9a873eed71fe3121571bced96155d76a b/machine-learning-ex6/ex6/easy_ham/0894.9a873eed71fe3121571bced96155d76a new file mode 100644 index 0000000..2f8b412 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0894.9a873eed71fe3121571bced96155d76a @@ -0,0 +1,88 @@ +From fork-admin@xent.com Tue Oct 1 10:41:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 01DB116F71 + for ; Tue, 1 Oct 2002 10:39:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:22 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8UKtFK15666 for ; + Mon, 30 Sep 2002 21:55:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id C0D8D2940F2; Mon, 30 Sep 2002 13:55:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from cats.ucsc.edu (cats-mx2.ucsc.edu [128.114.129.35]) by + xent.com (Postfix) with ESMTP id 5D7C329409E for ; + Mon, 30 Sep 2002 13:54:36 -0700 (PDT) +Received: from Tycho (dhcp-55-196.cse.ucsc.edu [128.114.55.196]) by + cats.ucsc.edu (8.10.1/8.10.1) with SMTP id g8UKsRT08173 for + ; Mon, 30 Sep 2002 13:54:27 -0700 (PDT) +From: "Jim Whitehead" +To: "FoRK" +Subject: Internet Archive bookmobile +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +X-Ucsc-Cats-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 13:51:47 -0700 +X-Spam-Status: No, hits=-6.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE + version=2.50-cvs +X-Spam-Level: + +http://www.sfgate.com/cgi-bin/article.cgi?file=/gate/archive/2002/09/26/bono +act.DTL + +Opening arguments are set to begin early next month in Eldred vs. Ashcroft, +a landmark U.S. Supreme Court case that will decide the future of copyright +law, including how and when artists and writers can build upon the work of +others. + +.... + +To heighten public awareness of the importance of the case an Internet +bookmobile is set to depart San Francisco next Monday on a trip that will +bring it to the steps of the Supreme Court building in Washington, D.C., +before arguments wrap up. The van, which will be stopping at schools, +libraries and senior centers along the way, is equipped to provide free +high-speed access to thousands of literary and artistic works that are +already in the public domain. + +-------- + +I had the opportunity to visit the Internet Archive about a month ago, and +saw the bookmobile under construction. It's a neat idea. Take an SUV, put a +small satellite dish on the top, and put a computer, printer, and binding +machine in the back. Voila -- people can search for a book, then print out a +copy right there on the spot. Quite literally on-demand printing. Total +fixed cost of the computer/printer/binding machine, if bought new (the IA +had the equipment donated) is under $10k. + +One of the goals is to show libraries across the country that they could, if +they wished, add these "virtual holdings" (public domain materials) to their +existing library, at a fixed cost most libraries can afford. This should be +compelling to small libraries in remote areas. + +- Jim + + diff --git a/machine-learning-ex6/ex6/easy_ham/0895.22cf8120994972bcbe9125e842cb27ff b/machine-learning-ex6/ex6/easy_ham/0895.22cf8120994972bcbe9125e842cb27ff new file mode 100644 index 0000000..ef2771a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0895.22cf8120994972bcbe9125e842cb27ff @@ -0,0 +1,56 @@ +From fork-admin@xent.com Tue Oct 1 10:42:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6987616F56 + for ; Tue, 1 Oct 2002 10:39:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g915nLK12339 for ; + Tue, 1 Oct 2002 06:49:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BD24829410F; Mon, 30 Sep 2002 22:49:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav45.law15.hotmail.com [64.4.22.17]) by + xent.com (Postfix) with ESMTP id 96E7729409E for ; + Mon, 30 Sep 2002 22:48:42 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Mon, 30 Sep 2002 22:48:45 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: If you like graphic novels/comics +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 01 Oct 2002 05:48:45.0620 (UTC) FILETIME=[34CE7740:01C2690E] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 22:53:53 -0700 +X-Spam-Status: No, hits=-14.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +http://www.thecliffguy.com/cliffs.htm + +Numerous artists drawing characters on a cliff. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0896.cf28f52e82954eb5d05ed5f17df4262f b/machine-learning-ex6/ex6/easy_ham/0896.cf28f52e82954eb5d05ed5f17df4262f new file mode 100644 index 0000000..8074c6d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0896.cf28f52e82954eb5d05ed5f17df4262f @@ -0,0 +1,190 @@ +From fork-admin@xent.com Tue Oct 1 10:42:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CAFD316F49 + for ; Tue, 1 Oct 2002 10:39:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:39:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g915hGK12278 for ; + Tue, 1 Oct 2002 06:43:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BFDBC2940F6; Mon, 30 Sep 2002 22:43:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from pimout3-ext.prodigy.net (pimout3-ext.prodigy.net + [207.115.63.102]) by xent.com (Postfix) with ESMTP id 7A9FA29409E for + ; Mon, 30 Sep 2002 22:42:11 -0700 (PDT) +Received: from golden (adsl-67-119-25-240.dsl.snfc21.pacbell.net + [67.119.25.240]) by pimout3-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) + with SMTP id g915g485531044; Tue, 1 Oct 2002 01:42:04 -0400 +Message-Id: <006d01c2690d$42a02cc0$640a000a@golden> +From: "Gordon Mohr" +To: "Mr. FoRK" , +References: +Subject: Re: Dinosaurs Eggs and the Origins of Good and Evil +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 22:41:57 -0700 +X-Spam-Status: No, hits=-4.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +Neat stuff. Seems to combine elements of Scientology/Xenu and +David Icke (http://www.davidicke.com/icke/temp/reptconn.html). + +- Gordon + +----- Original Message ----- +From: "Mr. FoRK" +To: +Sent: Monday, September 30, 2002 10:11 PM +Subject: Dinosaurs Eggs and the Origins of Good and Evil + + +> One of the most bizarre pages I've seen on the Web. At first I thought it +> might be some sort of back-story to a RPG, but, nope, it looks like somebody +> believes this. +> +> === +> http://www.viking-z.org/r20i.htm +> +> M09. Dinosaurs Eggs and the Origins of Good and Evil. +> DINOSAURS. Reptoid ETs are reported to be 12 foot high crocodiles walking on +> their hind legs. This is a description of a dinosaur. It now appears in +> Remote Viewing that the Reptoid ETs, dinosaurs and dragons are all linked +> together and that they all originated on Earth. The Erideans who are Reptoid +> derivatives have a home planet (in the Eridanus system) like all other ETs. +> The Reptoids have no reported home planet. They also come over as entities +> with little brain who control their bodies directly by spirit. This is a +> description of a ghost or disincarnate entity regardless of how people see +> them. Thus it could be that the Reptoids, Erideans, Nordics, Anunnaki, but +> not the Greys, all have origins on Earth and have a strong link to Earth +> even if they choose to live elsewhere. The Greys do not appear to have a +> renal or urinary system and this points to them not originating on Earth. +> The definitive work on dragons is "The Flight of Dragons" by Peter +> Dickinson. If dragons did exist in the flesh, they did not survive the long +> bow. Targets do not come much bigger. +> +> Truth is stranger than fiction. Thus the writer's current scenario is that +> there were a race of dinosaurs which developed psychic intelligence to guard +> their eggs and young, and who probably preferred to live underground. They +> survived the wipe out of the dinosaurs 50 million years ago with difficulty. +> They evolved into the Erideans and transferred to a more hospitable planet +> (for them) possibly with the help of another race of ETs who wanted slaves +> but otherwise had no interest in Earth or mind control. +> +> Thus it appears that the current Reptoids are the Spirits or ghosts of the +> dinosaurs. They must have been powerful to survive 50 million years and also +> to appear to some people. They have appeared to the writer in remote +> viewing. They are living on as vampire entities. Such immortal minds are +> contagious and can easily jump race and species barriers. If they can be +> encouraged to reincarnate, then the power sources of the black magicians and +> mind controllers will disappear. Encouraging them to reincarnate will help +> so called immortal minds to disappear as immortal minds have great +> difficulty surviving reincarnation. Purging people's dinosaurs should remove +> all perverse psychic abilities not under their control. They are a source of +> Satanic Guardian Angels and demons. They control us by owning our psi. Thus +> if we regain ownership of psi, we must relinquish their control and that of +> all other mind controllers. Encourage people to regain ownership of their +> psi. +> +> THE ORIGINS OF LOVE, HATE AND PURE MALICE. The following scenario appears to +> hold water and can account for the origins of our Universal Subconscious. +> +> Dinosaurs laid their eggs and buried them either underground or in piles of +> rotting vegetation (a good source of beetles and grubs for young +> hatchelings). They did not sit on their eggs to keep them warm, which made +> them very vulnerable to drastic climate and temperature change. In order to +> keep away predators some at least developed psychic mind control. To do this +> they had to capture ownership of the psi of potential predators. This is an +> act of hatred and outward looking. While a few dinosaurs did develop the +> ability to bear living young, most did not. The dinosaurs got in first and +> so their mind control tends to override all other latter minds. They have +> become the source of all Satans, devils and demons. +> +> Birds on the other hand developed the ability to sit on their eggs and keep +> them warm. A hen bird normally lays a series of eggs (say one per day) and +> only starts sitting when the clutch is completely laid. Thus all eggs tend +> to hatch together as they all have an equal period of warmth. This is +> primarily an act of love but inward looking. Bearing live young is not +> suitable to a bird of the air. A pregnant pigeon would not fly very far. +> Antarctic penguins tuck a single egg between their legs to keep it warm, +> even if they are standing on ice. +> +> Mammals developed live bearing of their young which is also primarily an act +> of love and inward looking. This is especially true as a mammalian female +> can not desert her young in the womb in case of emergency as can a bird +> sitting on a nest. +> +> Dinosaurs developed hate and mind control of others to protect their young, +> while birds and mammals developed love. Birds and mammals certainly do hate +> all enemies of their young, but this is secondary. +> +> If one wants to purge the sources of malice of say a black magician, then +> purge his dinosaurs and his dinosaur eggs. Unfortunately most of our +> religions are based on dinosaur protection of eggs and thus mind control, +> regardless of the front they put out to the public. Religion tends to +> concentrate on "How to Brainwash your Neighbour". Conscious thought has +> built many mighty empires, theologies and slave control systems out of using +> "How to care for and protect one's young" as a foundation. +> +> Thus the foulest form of abuse possible is to call something "A load of +> dinosaur's eggs". Purging the dinosaurs and dinosaur's eggs of any entity +> tends to purge all malice back to its roots. +> +> It looks as if mighty immortal minds have built up from small beginnings, +> aided and abetted by various occultists and other. As they will insist on +> vampiring the living for energy to avoid reincarnation and disturbing the +> serenity of the writer, he encourages them to reincarnate. +> +> ITEMS FOR INSPECTION. For mind control to take place, then someone must take +> control or ownership of the target's psi and pleasure centres. Check for the +> following. +> +> Nest of dinosaur's eggs, holy dinosaurs, etc. +> Eggs, controllers or owners in peoples psi, pleasure centres, pain killing +> hormones, abilities, etc. +> Mind machines. +> The original engraving or engram. +> GOD and SATAN appear to be job titles and not entities in their own right. T +> hey appear to be dinosaur engravings or engrams. No doubt dinosaurs were the +> first job holders. +> TIMETRACKS are worth investigating as our complete history from the start of +> time. +> +> My, our, Man's timetracks, etc. +> The time tracks of the Universe, Universal Subconscious, Galactic +> Subconscious, etc. +> EXTINCT RACES of ETs can cause problems when they live on in vampire mode. +> Their virtues may known to channelers but they can also have vices. Whenever +> one hears of races which have evolved on to higher planes, suspect that the +> higher plane is a vampire one. One may never know what they looked like or +> other basic characteristics, which makes linking back a trifle difficult. +> Every extinct race, etc. +> BLOOD ANCESTORS are also worth investigating as minds can be passed down via +> genetic linkages. Some of these can be over 2,000 years old. +> Every blood ancestor, ancestral mind, genetic mind, etc. +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0897.c0fe033806bfaf60f935e01aec04eec6 b/machine-learning-ex6/ex6/easy_ham/0897.c0fe033806bfaf60f935e01aec04eec6 new file mode 100644 index 0000000..23d8e06 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0897.c0fe033806bfaf60f935e01aec04eec6 @@ -0,0 +1,107 @@ +From fork-admin@xent.com Tue Oct 1 15:30:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D32BA16F16 + for ; Tue, 1 Oct 2002 15:30:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 15:30:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g91EIEK28680 for ; + Tue, 1 Oct 2002 15:18:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 56C262940CB; Tue, 1 Oct 2002 07:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id BEDF429409E for ; + Tue, 1 Oct 2002 07:17:05 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3B001XU3OMRY@mta6.snfc21.pbi.net> for fork@xent.com; Tue, + 01 Oct 2002 07:17:10 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: A moment of silence for the First Amendment & Angry Liberal Yutes +To: FoRK +Reply-To: gbolcer@endeavors.com +Message-Id: <3D99AC17.6A04F9BB@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 07:07:19 -0700 +X-Spam-Status: No, hits=-11.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Russell Turpin wrote: +> +> Gregory Alan Bolcer: +> >I'm not sure since I haven't attended civics class +> >in quite some time, but the First Amendment doesn't cover protected speech, +> >hate speech, or actions. .. +> +> The first two are wrong. The first amendment DOES +> protect speech the Supreme Court decides it protects +> (duh!), and that happens to include most of what +> people consider hate speech. Unlike many other +> nations, the US has no laws against hate speech, per +> se. And the first amendment is the reason for that. +> + + +This was poking fun of the practice of making +up differnt types of speech with different +types of protected status. I think the +laws specialing out hate and protected speech +are ridiculous. The point I keep trying to make +is that there's only two types, speech and action. +I agree, they are all speech and should be +covered by the First Amendment, but + +If hate speech is so protected, why are certain +states trying to prosecute people for it? There's +only two answers and one of them is wrong. + + 1) Because hate speech is different and needs to + have a different level of protection dictated + by whoever's offended at the time. + 2) It's because it's not just speech, but action. + A action who's consequences are foreseeable by + any reasonable person. + +Hate speech is mislabeled. It's really "threat". I think +they let the mislabeling perpetuate as there's advantage +in being able to counter-threat with loss of liberty and +money through civil and criminal lawsuits for people THEY +don't like. + + +Greg + + + +> _________________________________________________________________ +> Join the world?s largest e-mail service with MSN Hotmail. +> http://www.hotmail.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0898.7ae0747c5a557c5362ba43b0fbfef22c b/machine-learning-ex6/ex6/easy_ham/0898.7ae0747c5a557c5362ba43b0fbfef22c new file mode 100644 index 0000000..82cc6b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0898.7ae0747c5a557c5362ba43b0fbfef22c @@ -0,0 +1,67 @@ +From fork-admin@xent.com Tue Oct 1 15:30:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E90416F1C + for ; Tue, 1 Oct 2002 15:29:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 15:29:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g91E8CK28391 for ; + Tue, 1 Oct 2002 15:08:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E56D52940C3; Tue, 1 Oct 2002 07:08:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from brain-stream.com (brain-stream.com [209.95.107.206]) by + xent.com (Postfix) with ESMTP id EF68929409E for ; + Tue, 1 Oct 2002 07:07:13 -0700 (PDT) +Received: from OCW-FL6.pobox.com (OCW-FL6.MIT.EDU [18.89.2.223]) by + brain-stream.com (8.9.3/8.9.3) with ESMTP id HAA05750; Tue, 1 Oct 2002 + 07:07:07 -0700 (PDT) +Message-Id: <5.0.2.1.2.20021001100532.02f0b398@brain-stream.com> +X-Sender: bkdelong@brain-stream.com +X-Mailer: QUALCOMM Windows Eudora Version 5.0.2 +To: Eugen Leitl , forkit! +From: "B.K. DeLong" +Subject: Re: MIT OpenCourseWare +In-Reply-To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 10:05:59 -0400 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +At 05:38 PM 9/30/2002 +0200, Eugen Leitl wrote: + + +>Looks useful. Hopefully, they'll put up some more material soon. +> +> http://ocw.mit.edu/global/all-courses.html + +I'll be sure to keep everyone posted on the next update. :) + + +-- +B.K. DeLong +bkdelong@ceci.mit.edu +OpenCourseWare + ++1.617.258.0360 ++1.617.877.3271 (cell) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0899.1f868150b365a5f407f46f908fe879e1 b/machine-learning-ex6/ex6/easy_ham/0899.1f868150b365a5f407f46f908fe879e1 new file mode 100644 index 0000000..f4bbb6d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0899.1f868150b365a5f407f46f908fe879e1 @@ -0,0 +1,87 @@ +From fork-admin@xent.com Tue Oct 1 16:29:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5F6916F1E + for ; Tue, 1 Oct 2002 16:28:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 16:28:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g91EuCK29923 for ; + Tue, 1 Oct 2002 15:56:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EB2802940C2; Tue, 1 Oct 2002 07:56:01 -0700 (PDT) +Delivered-To: fork@example.com +Received: from usilms55.ca.com (mail3.cai.com [141.202.248.42]) by + xent.com (Postfix) with ESMTP id 0EECB29409E for ; + Tue, 1 Oct 2002 07:55:10 -0700 (PDT) +Received: from usilms27.ca.com ([141.202.201.27]) by usilms55.ca.com with + Microsoft SMTPSVC(5.0.2195.4905); Tue, 1 Oct 2002 10:55:14 -0400 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Subject: RE: MIT OpenCourseWare +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: MIT OpenCourseWare +Thread-Index: AcJpVBJpAYFVF5dGSoq/PBdsu9oYGgAByyyy0A +From: "Meltsner, Kenneth" +To: "forkit!" +X-Originalarrivaltime: 01 Oct 2002 14:55:14.0868 (UTC) FILETIME=[8CB8A740:01C2695A] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 10:55:14 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g91EuCK29923 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +Better late than never -- I received a grant from Project Athena, MIT's original courseware effort, and found at the end that they hadn't thought much about distribution of the courseware. Instead, they had gotten wrapped up with X and various Unix tools, and other useful, but not strictly educational efforts. + +Ken + + +> -----Original Message----- +> From: B.K. DeLong [mailto:bkdelong@pobox.com] +> Sent: Tuesday, October 01, 2002 9:06 AM +> To: Eugen Leitl; forkit! +> Subject: Re: MIT OpenCourseWare +> +> +> At 05:38 PM 9/30/2002 +0200, Eugen Leitl wrote: +> +> +> >Looks useful. Hopefully, they'll put up some more material soon. +> > +> > http://ocw.mit.edu/global/all-courses.html +> +> I'll be sure to keep everyone posted on the next update. :) +> +> +> -- +> B.K. DeLong +> bkdelong@ceci.mit.edu +> OpenCourseWare +> +> +1.617.258.0360 +> +1.617.877.3271 (cell) +> +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0900.b7895454aeb2924c3d6aabf1dc5d16dd b/machine-learning-ex6/ex6/easy_ham/0900.b7895454aeb2924c3d6aabf1dc5d16dd new file mode 100644 index 0000000..9056161 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0900.b7895454aeb2924c3d6aabf1dc5d16dd @@ -0,0 +1,65 @@ +From fork-admin@xent.com Tue Oct 1 16:28:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EBCB816F1C + for ; Tue, 1 Oct 2002 16:28:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 16:28:03 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g91EfDK29340 for ; + Tue, 1 Oct 2002 15:41:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8F0B32940AC; Tue, 1 Oct 2002 07:41:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc53.attbi.com (rwcrmhc53.attbi.com [204.127.198.39]) + by xent.com (Postfix) with ESMTP id 5B2FD29409E for ; + Tue, 1 Oct 2002 07:40:09 -0700 (PDT) +Received: from h0004ac962bf6neclient2attbicom ([66.31.2.27]) by + rwcrmhc53.attbi.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20021001144014.OAUG18767.rwcrmhc53.attbi.com@h0004ac962bf6neclient2attbicom>; + Tue, 1 Oct 2002 14:40:14 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: "Mr. FoRK" , +Subject: Re: The Wrong Business +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210011040.01502.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 10:40:01 -0400 +X-Spam-Status: No, hits=-8.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Tuesday 01 October 2002 01:27 am, Mr. FoRK wrote: +> http://www.rathergood.com/vikings/ + +Some classics from this period, now in a new English translation: +"The Sagas of Icelanders" in trade paperback, from (duh) Viking, in 2000. +Remaindered at my local Barnes & Ignoble. The historical reference +material is useful. + +Eirikur + + diff --git a/machine-learning-ex6/ex6/easy_ham/0901.9f7871c3213d421e802debe94f33b09e b/machine-learning-ex6/ex6/easy_ham/0901.9f7871c3213d421e802debe94f33b09e new file mode 100644 index 0000000..03e9e0c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0901.9f7871c3213d421e802debe94f33b09e @@ -0,0 +1,88 @@ +From fork-admin@xent.com Wed Oct 2 11:47:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0776016F19 + for ; Wed, 2 Oct 2002 11:47:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:31 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9223BK21033 for ; + Wed, 2 Oct 2002 03:03:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 52B502940E4; Tue, 1 Oct 2002 19:03:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta6.snfc21.pbi.net (mta6.snfc21.pbi.net [206.13.28.240]) + by xent.com (Postfix) with ESMTP id DEE6E29409C for ; + Tue, 1 Oct 2002 19:02:03 -0700 (PDT) +Received: from cse.ucsc.edu ([63.194.88.161]) by mta6.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3C00ASF0BMX6@mta6.snfc21.pbi.net> for fork@xent.com; Tue, + 01 Oct 2002 19:02:10 -0700 (PDT) +From: Elias +Subject: Re: So I missed this one... +To: fork@example.com +Reply-To: fork@example.com +Message-Id: <3D9A51BA.7090103@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en,pdf +User-Agent: Mozilla/5.0 (Windows; U; WinNT4.0; en-US; rv:0.9.2) + Gecko/20010726 Netscape6/6.1 +References: <261233693.20021001182701@magnesium.net> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 18:54:02 -0700 +X-Spam-Status: No, hits=-0.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + REPLY_WITH_QUOTES,USER_AGENT,US_DOLLARS_2,US_DOLLARS_4, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +bitbitch@magnesium.net wrote: + +> Turns out the music industry settled ... quite a hefty +> settlement. + + +Funnky, I thought that it was minor in comparison the the gouging that +occurs on a standard CD. + + +> The Wall Street Journal +> Copyright (c) 2002, Dow Jones & Company, Inc. +> Tuesday, October 1, 2002 +> +> Five Music Concerns To Pay $143.1 Million In Price-Fixing Case +> Reuters News Service ... +> The companies, which didn't admit any wrongdoing, will pay $67.4 +> million in cash to compensate consumers who overpaid for CDs between +> 1995 and 2000. The companies also agreed to distribute $75.7 million +> worth of CDs to public entities and nonprofit organizations throughout +> the country. + + +The CDs will probably cost less than 7.5 million to produce and +distribute... "didn't admit any wrongdoing"?!? Give me a break. + + +Elias + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0902.056094d922ad63d0d84ad331469a3b37 b/machine-learning-ex6/ex6/easy_ham/0902.056094d922ad63d0d84ad331469a3b37 new file mode 100644 index 0000000..8eabb12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0902.056094d922ad63d0d84ad331469a3b37 @@ -0,0 +1,102 @@ +From fork-admin@xent.com Wed Oct 2 11:47:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C381516F17 + for ; Wed, 2 Oct 2002 11:47:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g922HCK21343 for ; + Wed, 2 Oct 2002 03:17:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 73D8C2940EC; Tue, 1 Oct 2002 19:17:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc02.attbi.com (sccrmhc02.attbi.com [204.127.202.62]) + by xent.com (Postfix) with ESMTP id AE91E29409C for ; + Tue, 1 Oct 2002 19:16:07 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc02.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021002021614.LNVR27763.sccrmhc02.attbi.com@[24.61.113.164]> for + ; Wed, 2 Oct 2002 02:16:14 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <17214982834.20021001221610@magnesium.net> +To: Elias +Subject: Re[2]: So I missed this one... +In-Reply-To: <3D9A51BA.7090103@cse.ucsc.edu> +References: <261233693.20021001182701@magnesium.net> + <3D9A51BA.7090103@cse.ucsc.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 22:16:10 -0400 +X-Spam-Status: No, hits=-7.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE,T_QUOTE_TWICE_2, + US_DOLLARS_2,US_DOLLARS_4 + version=2.50-cvs +X-Spam-Level: + +Hello Elias, + +Tuesday, October 1, 2002, 9:54:02 PM, you wrote: + +E> bitbitch@magnesium.net wrote: + +>> Turns out the music industry settled ... quite a hefty +>> settlement. + + +E> Funnky, I thought that it was minor in comparison the the gouging that +E> occurs on a standard CD. + + +>> The Wall Street Journal +>> Copyright (c) 2002, Dow Jones & Company, Inc. +>> Tuesday, October 1, 2002 +>> +>> Five Music Concerns To Pay $143.1 Million In Price-Fixing Case +>> Reuters News Service ... +>> The companies, which didn't admit any wrongdoing, will pay $67.4 +>> million in cash to compensate consumers who overpaid for CDs between +>> 1995 and 2000. The companies also agreed to distribute $75.7 million +>> worth of CDs to public entities and nonprofit organizations throughout +>> the country. + + +E> The CDs will probably cost less than 7.5 million to produce and +E> distribute... "didn't admit any wrongdoing"?!? Give me a break. + + +E> Elias + + + + + +Toobad none of this will go back to any of the people who were forced +to pay the rates. + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0903.8b54a580db644a9a23934361d5173610 b/machine-learning-ex6/ex6/easy_ham/0903.8b54a580db644a9a23934361d5173610 new file mode 100644 index 0000000..6df81db --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0903.8b54a580db644a9a23934361d5173610 @@ -0,0 +1,83 @@ +From fork-admin@xent.com Wed Oct 2 11:47:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1EFBB16F03 + for ; Wed, 2 Oct 2002 11:47:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g920DFK17990 for ; + Wed, 2 Oct 2002 01:13:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ABE142940DF; Tue, 1 Oct 2002 17:13:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id D85C029409C for + ; Tue, 1 Oct 2002 17:12:35 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17wX80-0005d4-00; + Tue, 01 Oct 2002 20:12:36 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: "Mr. FoRK" , +From: "R. A. Hettinga" +Subject: Re: The Wrong Business +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 20:06:38 -0400 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 10:27 PM -0700 on 9/30/02, Mr. FoRK wrote: + + +> I realize now, that after reviewing the past several years of work and +> career, I have been in the wrong business. The wrong business. +> +> This is what I should have been doing. +> +> http://www.rathergood.com/vikings/ + +A New Manual has been published: + + + +Or, the one I read... + + +And, of course, the open source versions... + +http://users.ev1.net/~theweb/njaltoc.htm + +http://sunsite.berkeley.edu/OMACL/Njal/ +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0904.281bae2420e1d4491270fb4ccfe7c4e6 b/machine-learning-ex6/ex6/easy_ham/0904.281bae2420e1d4491270fb4ccfe7c4e6 new file mode 100644 index 0000000..41d145b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0904.281bae2420e1d4491270fb4ccfe7c4e6 @@ -0,0 +1,106 @@ +From fork-admin@xent.com Wed Oct 2 11:48:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 66AE716F1A + for ; Wed, 2 Oct 2002 11:47:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g923MHK23416 for ; + Wed, 2 Oct 2002 04:22:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E59702940F3; Tue, 1 Oct 2002 20:22:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from axiom.braindust.com (axiom.braindust.com [64.69.71.79]) by + xent.com (Postfix) with ESMTP id F364529409C for ; + Tue, 1 Oct 2002 20:21:16 -0700 (PDT) +X-Envelope-To: fork@example.com +Received: from ianbell.com (194125.aebc.com [209.53.194.125]) + (authenticated (0 bits)) by axiom.braindust.com (8.12.5/8.11.6) with ESMTP + id g923LJGT006774; Tue, 1 Oct 2002 20:21:20 -0700 +Subject: Re: Wifi query +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +Cc: Damien Morton , , + +To: Eugen Leitl +From: Ian Andrew Bell +In-Reply-To: +Message-Id: <32BAD95E-D5B6-11D6-AD37-0030657C53EA@ianbell.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 20:22:36 -0700 +X-Spam-Status: No, hits=-6.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_QUOTE_TWICE_1, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + + +I think what you're looking at with the dual antenna mounts is a +diversity antenna. It won't work too well with one hooked up to the +pringles can and the other hooked up to a regular rubber duck. + +-Ian. + + +On Tuesday, October 1, 2002, at 01:04 PM, Eugen Leitl wrote: + +> +> 1) reinforced concrete shields like the dickens; wood lots less so +> 2) line of sight is best (o'really?) +> 3) if you want to boost range, use directional aerials, not omnis +> +> Direct line of sight (no trees, no nothing) can give you ~10 km with +> well +> aligned directional aerials (and, say, no sleet, no locusts, nor rain +> of +> blood). If you want to fan out afterwards, use a bridge of a +> directional +> coupling to an omni. 802.11a should shield within building lots more +> than +> 802.11b, ditto line of sight with lots of precipitation inbetween. +> +> On Tue, 1 Oct 2002, Damien Morton wrote: +> +>> I just bought a LinkSys BEFW1154v2 Access Point Router for $150 +>> (http://www.linksys.com/products/product.asp?grid=22&prid=415). Im +>> doing +>> some dev work on a Symbol PocketPC device with built in 802.11b. +>> +>> In this 600 sq ft pre-war New York apartment it goes through 2 or 3 +>> walls, into the hallway and halfway down the first flight of stairs +>> before it loses contact with the base station. That's less than 50 ft. +>> Inside the apartment, it works just fine. +>> +>> I just did some further testing - through 2 brick walls the range is +>> about 25 feet. The signal also goes through the roof pretty much +>> unimpeded. +>> +>> That said, the Symbol device doesn't have an antenna to speak of, and +>> I +>> havent done any tweaking to try to extend the range. +>> +>> The Linksys unit has two antenna mounts - you could leave one as an +>> omni +>> antenna while hooking up a directional antenna to the other. +>> +>> You might find that you have to use several access points and/or +>> repeaters to get the coverage you want. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0905.2460d014dcdcdaaa26313066df702677 b/machine-learning-ex6/ex6/easy_ham/0905.2460d014dcdcdaaa26313066df702677 new file mode 100644 index 0000000..3dc801e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0905.2460d014dcdcdaaa26313066df702677 @@ -0,0 +1,75 @@ +From fork-admin@xent.com Wed Oct 2 11:48:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4E40D16F1B + for ; Wed, 2 Oct 2002 11:47:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g923VAK23777 for ; + Wed, 2 Oct 2002 04:31:11 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 792772940FB; Tue, 1 Oct 2002 20:31:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc51.attbi.com (rwcrmhc51.attbi.com [204.127.198.38]) + by xent.com (Postfix) with ESMTP id 3166629409C for ; + Tue, 1 Oct 2002 20:30:56 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by rwcrmhc51.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021002033102.BBXR17535.rwcrmhc51.attbi.com@Intellistation>; + Wed, 2 Oct 2002 03:31:02 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: Rohit Khare , fork@example.com +Subject: Re: Optical analog computing? +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210012330.47704.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 23:30:47 -0400 +X-Spam-Status: No, hits=-8.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +Uh, WWII Enigma was cracked at Bletchly Park, based on the work of some +Poles, who had been trying to figure out when they would be invaded. +Entirely mechanical! Definitely not optical at all. Enigma was +originally broken based on bad use practice. If it had been employed more +sensibly it would have been a lot harder. + +See "The Code Book" by Singh, Doubleday, 1999. Or, for that matter, +"Cryptonomicon" by Stephenson, which is a fictionalization of the Enigma +cracking story, and pretty accurate. + +I eventually get born as a side-effect of the Battle of Britain, you +see.... + +Computing with interference patterns, etc, makes perfect sense, but Enigma +was cracked by building mechanical systems that were essentially Enigma +machines and brute-forcing. + +Eirikur + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0906.2e604cc2a15e9f2a68c302861ac42ec5 b/machine-learning-ex6/ex6/easy_ham/0906.2e604cc2a15e9f2a68c302861ac42ec5 new file mode 100644 index 0000000..c04cc76 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0906.2e604cc2a15e9f2a68c302861ac42ec5 @@ -0,0 +1,129 @@ +From fork-admin@xent.com Wed Oct 2 11:48:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0788616F1C + for ; Wed, 2 Oct 2002 11:47:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g923qEK24441 for ; + Wed, 2 Oct 2002 04:52:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 212C02940F1; Tue, 1 Oct 2002 20:52:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from nycsmtp1out.rdc-nyc.rr.com (nycsmtp1out.rdc-nyc.rr.com + [24.29.99.226]) by xent.com (Postfix) with ESMTP id 8822629409C for + ; Tue, 1 Oct 2002 20:51:14 -0700 (PDT) +Received: from damien (66-108-144-106.nyc.rr.com [66.108.144.106]) by + nycsmtp1out.rdc-nyc.rr.com (8.12.1/Road Runner SMTP Server 1.0) with ESMTP + id g923pH6d025958; Tue, 1 Oct 2002 23:51:17 -0400 (EDT) +From: "Damien Morton" +To: "'Ian Andrew Bell'" , + "'Eugen Leitl'" +Cc: , +Subject: RE: Wifi query +Message-Id: <007e01c269c6$85605800$6401a8c0@damien> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +Importance: Normal +In-Reply-To: <32BAD95E-D5B6-11D6-AD37-0030657C53EA@ianbell.com> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 23:48:02 -0400 +X-Spam-Status: No, hits=0.5 required=5.0 + tests=AWL,FROM_ENDS_IN_NUMS,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +That's what the manual said - a diversity antenna. + +Why wouldn't it work well with one omni and one directional antena? + +IANAEE, but doesn't that count as diversity? + +> -----Original Message----- +> From: Ian Andrew Bell [mailto:fork@ianbell.com] +> Sent: Tuesday, 1 October 2002 23:23 +> To: Eugen Leitl +> Cc: Damien Morton; tomwhore@slack.net; fork@example.com +> Subject: Re: Wifi query +> +> +> +> I think what you're looking at with the dual antenna mounts is a +> diversity antenna. It won't work too well with one hooked up to the +> pringles can and the other hooked up to a regular rubber duck. +> +> -Ian. +> +> +> On Tuesday, October 1, 2002, at 01:04 PM, Eugen Leitl wrote: +> +> > +> > 1) reinforced concrete shields like the dickens; wood lots less so +> > 2) line of sight is best (o'really?) +> > 3) if you want to boost range, use directional aerials, not omnis +> > +> > Direct line of sight (no trees, no nothing) can give you ~10 km with +> > well +> > aligned directional aerials (and, say, no sleet, no +> locusts, nor rain +> > of +> > blood). If you want to fan out afterwards, use a bridge of a +> > directional +> > coupling to an omni. 802.11a should shield within building +> lots more +> > than +> > 802.11b, ditto line of sight with lots of precipitation inbetween. +> > +> > On Tue, 1 Oct 2002, Damien Morton wrote: +> > +> >> I just bought a LinkSys BEFW1154v2 Access Point Router for $150 +> >> (http://www.linksys.com/products/product.asp?grid=22&prid=415). Im +> >> doing some dev work on a Symbol PocketPC device with built in +> >> 802.11b. +> >> +> >> In this 600 sq ft pre-war New York apartment it goes +> through 2 or 3 +> >> walls, into the hallway and halfway down the first flight +> of stairs +> >> before it loses contact with the base station. That's less than 50 +> >> ft. Inside the apartment, it works just fine. +> >> +> >> I just did some further testing - through 2 brick walls +> the range is +> >> about 25 feet. The signal also goes through the roof pretty much +> >> unimpeded. +> >> +> >> That said, the Symbol device doesn't have an antenna to +> speak of, and +> >> I +> >> havent done any tweaking to try to extend the range. +> >> +> >> The Linksys unit has two antenna mounts - you could leave one as an +> >> omni +> >> antenna while hooking up a directional antenna to the other. +> >> +> >> You might find that you have to use several access points and/or +> >> repeaters to get the coverage you want. +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0907.f0d5881329abda19ea946cf5c2e15d63 b/machine-learning-ex6/ex6/easy_ham/0907.f0d5881329abda19ea946cf5c2e15d63 new file mode 100644 index 0000000..4a2e0e2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0907.f0d5881329abda19ea946cf5c2e15d63 @@ -0,0 +1,78 @@ +From fork-admin@xent.com Wed Oct 2 11:47:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5F55016F18 + for ; Wed, 2 Oct 2002 11:47:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9236FK22873 for ; + Wed, 2 Oct 2002 04:06:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 36EF22940E7; Tue, 1 Oct 2002 20:06:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from rwcrmhc53.attbi.com (rwcrmhc53.attbi.com [204.127.198.39]) + by xent.com (Postfix) with ESMTP id E7ECE29409C for ; + Tue, 1 Oct 2002 20:05:53 -0700 (PDT) +Received: from [24.61.113.164] by rwcrmhc53.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021002030600.OZEX18767.rwcrmhc53.attbi.com@[24.61.113.164]> for + ; Wed, 2 Oct 2002 03:06:00 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <1917968978.20021001230556@magnesium.net> +To: Fork@xent.com +Subject: Creative political speech +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 23:05:56 -0400 +X-Spam-Status: No, hits=-7.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + + +http://www.quitpalestine.org./ + +Funny as all hell. So a group of 25 QUIT (Queers Undermining Israeli +Terrorism) marched into the local starbucks in Berkeley (Of course, +they pick a safe city like Berkeley, but hey, still funny) and +'settle' driving away straights and other prior inhabitants with +supersoakers :) + +Incredibly creative, in my opinion. Not terribly violent (I mean, how +much damage can you -really- do with a supersoaker?) but definintely +a newscatcher. + +Its nice to see folks are finding some creative means to make a point. + Even if you don't -agree- with it, its a hard sell to say that this + has been done before. + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0908.ed1a6d5d837cf45b48c47dfb105607e9 b/machine-learning-ex6/ex6/easy_ham/0908.ed1a6d5d837cf45b48c47dfb105607e9 new file mode 100644 index 0000000..dd84072 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0908.ed1a6d5d837cf45b48c47dfb105607e9 @@ -0,0 +1,110 @@ +From fork-admin@xent.com Wed Oct 2 11:48:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5F64316F17 + for ; Wed, 2 Oct 2002 11:47:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:47:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9263CK28792 for ; + Wed, 2 Oct 2002 07:03:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B4AA12940FF; Tue, 1 Oct 2002 23:03:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav68.law15.hotmail.com [64.4.22.203]) by + xent.com (Postfix) with ESMTP id 3926529409C for ; + Tue, 1 Oct 2002 23:02:43 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Tue, 1 Oct 2002 23:02:50 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Cc: "Rohit Khare" +Subject: ActiveBuddy +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Oct 2002 06:02:50.0320 (UTC) FILETIME=[56B33500:01C269D9] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 1 Oct 2002 23:07:59 -0700 +X-Spam-Status: No, hits=-16.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Kind of interesting application of 'agent' technology. +A mix of telnet and Eliza? +(wonder if KnowNow needs this as a partner...) + +== +http://www.activebuddy.com/products/index.shtml +ActiveBuddy, Inc. has developed patented technology for building and +deploying interactive agents. ActiveBuddy's BuddyScript technology powers +business solutions that leverage the functionality, convenience and appeal +of instant messaging to provide an efficient and immediate means of +communication with customers and constituents. + +ActiveBuddy technology is proven in the marketplace by the smash success of +SmarterChild, ActiveBuddy's showcase interactive agent launched in June 2001 +and visited by over 8 million consumers in its first year of life. + +Interactive agents allow your customers and constituents to receive +information and services in a natural, conversational interface. + + +Software Products +BuddyScriptT Server - an end-to-end software solution for deploying +interactive agents. BuddyScript Server provides every component required to +operate an interactive agent, including connectivity with the messaging +network, message routing, data access, message formatting, user and session +management, and detailed tracking. BuddyScript Server is offered in four +configurations to meet your capacity needs. Its scaleable architecture +supports virtually unlimited usage. More... + +=== +Here is a sample conversation on (MSN Messenger with 'SmarterChild'): + +Mike says: +how are you? + +SmarterChild says: +Great thx! You? + +Mike says: +Fine. What is the weather like in seattle? + +SmarterChild says: +Current weather conditions for Seattle, WA: + +Currently: 57 F +Condition: Few Clouds +Real Feel: 57 F +Dewpoint: 44 +Humidity: 62 % +Visibility: 10 mi +Wind: N/0 mph + +Next time, just type "weather seattle, wa." + +To get the forecast for Seattle, WA, just type "forecast." + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0909.6e3ac55814e0630adcbe7e91f131e18c b/machine-learning-ex6/ex6/easy_ham/0909.6e3ac55814e0630adcbe7e91f131e18c new file mode 100644 index 0000000..d7d4262 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0909.6e3ac55814e0630adcbe7e91f131e18c @@ -0,0 +1,70 @@ +From fork-admin@xent.com Wed Oct 2 16:02:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ACD6416F6B + for ; Wed, 2 Oct 2002 16:00:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:00:38 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92EoAK13476 for ; + Wed, 2 Oct 2002 15:50:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 87A4229410C; Wed, 2 Oct 2002 07:50:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id 6591929409C for ; + Wed, 2 Oct 2002 07:49:26 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Wed, 02 Oct 2002 10:49:03 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <3460152885.20021002104900@magnesium.net> +To: "Mr. FoRK" +Cc: Fork@xent.com +Subject: Re: ActiveBuddy +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 10:49:00 -0400 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,REFERENCES + version=2.50-cvs +X-Spam-Level: + +MF> Here is a sample conversation on (MSN Messenger with 'SmarterChild'): + +MF> Mike says: +MF> how are you? + +MF> SmarterChild says: +MF> Great thx! You? + + + +Oh freaking great. In their adoption to make it 'more human' they +have to add in all the broken english and shortened AOL-style +phrasings. YAY. + +Next thing you know, the AI will be asking for ASL... + +Evil. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0910.1c60142bded401b4c9921b2c48600619 b/machine-learning-ex6/ex6/easy_ham/0910.1c60142bded401b4c9921b2c48600619 new file mode 100644 index 0000000..ce03688 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0910.1c60142bded401b4c9921b2c48600619 @@ -0,0 +1,107 @@ +From fork-admin@xent.com Thu Sep 26 18:11:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CA74B16F17 + for ; Thu, 26 Sep 2002 18:11:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 18:11:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8QGi7g28312 for ; + Thu, 26 Sep 2002 17:44:07 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0FC6B2940FD; Thu, 26 Sep 2002 09:40:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (oe32.pav2.hotmail.com [64.4.36.89]) by + xent.com (Postfix) with ESMTP id 9419729409A for ; + Thu, 26 Sep 2002 09:39:31 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 26 Sep 2002 09:43:18 -0700 +X-Originating-Ip: [4.63.110.224] +From: "Jason Ling" +To: "Joseph S. Barrera III" , "FoRK" +Subject: Re: dumb question: X client behind a firewall? +MIME-Version: 1.0 +X-Mailer: MSN Explorer 7.02.0005.2201 +Content-Type: multipart/alternative; + boundary="----=_NextPart_001_0004_01C2655A.4ABB3500" +Message-Id: +X-Originalarrivaltime: 26 Sep 2002 16:43:18.0336 (UTC) FILETIME=[D11A9C00:01C2657B] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 26 Sep 2002 12:43:19 -0400 +X-Spam-Status: No, hits=1.1 required=5.0 + tests=HTML_TAG_MIXED_CASE,KNOWN_MAILING_LIST,SPAM_PHRASE_08_13, + T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: * + + +------=_NextPart_001_0004_01C2655A.4ABB3500 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + + + +----- Original Message ----- +From: Joseph S. Barrera III +Sent: Wednesday, September 25, 2002 7:06 PM +To: FoRK +Subject: dumb question: X client behind a firewall? + +Let's say you're behind a firewall and have a NAT address. +Is there any way to telnet to a linux box out there in the world +and set your DISPLAY in some way that you can create +xterms on your own screen? + +- Joe + +-------------------- +I'm in no way a pro but perhaps you could set your Firewall to accept con= +nections from that Linux box and then somehow set the Linux box to transm= +it on a specific port. Then configure your router to forward all informat= +ion from that port to your box. + +But then again, that pretty much defeats the entire point of a firewall =3D= +P.Get more from the Web. FREE MSN Explorer download : http://explorer.ms= +n.com + +------=_NextPart_001_0004_01C2655A.4ABB3500 +Content-Type: text/html; charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + +
 
<= +DIV> 
= +
----- Original Message -----
From: Joseph S. Barrera III
Sent: Wednesday, September 25, 2002 7:06 PM
To: FoRK
Subject: dumb question: X client behind a firewall?
 

L= +et's say you're behind a firewall and have a NAT address.
Is there any= + way to telnet to a linux box out there in the world
and set your DISP= +LAY in some way that you can create
xterms on your own screen?

= +- Joe

 

--------------------

I'm in no way a pr= +o but perhaps you could set your Firewall to accept connections from that= + Linux box and then somehow set the Linux box to transmit on a specific p= +ort. Then configure your router to forward all information from that port= + to your box.

 

But then again, that pretty much defea= +ts the entire point of a firewall =3DP.


Get more from the Web. FREE MSN Explorer download : http://explorer.msn.com

+ +------=_NextPart_001_0004_01C2655A.4ABB3500-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0911.dcc71630eed7821469e4c26e5b768aee b/machine-learning-ex6/ex6/easy_ham/0911.dcc71630eed7821469e4c26e5b768aee new file mode 100644 index 0000000..ff45c32 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0911.dcc71630eed7821469e4c26e5b768aee @@ -0,0 +1,87 @@ +From fork-admin@xent.com Wed Oct 2 17:51:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F178116F03 + for ; Wed, 2 Oct 2002 17:51:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 17:51:10 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92FDDK14240 for ; + Wed, 2 Oct 2002 16:13:13 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9953229410A; Wed, 2 Oct 2002 08:13:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id D68E529409C for ; + Wed, 2 Oct 2002 08:12:37 -0700 (PDT) +Received: (qmail 3216 invoked from network); 2 Oct 2002 15:12:43 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 2 Oct 2002 15:12:43 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 6F3AB1B62C; + Wed, 2 Oct 2002 11:12:42 -0400 (EDT) +To: fork +Subject: Polit-spam +References: <20021002103833.700FC1B624@maya.dyndns.org> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 02 Oct 2002 11:12:42 -0400 +X-Spam-Status: No, hits=-8.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +This is something new, or at least new to me: + + Politspam (n): Using a spam engine for political purposes. + +In this particular case, to get back at the University of Groningen. +The content suggests its more prank than vigilante activism (in the +old days we used to say "someone left their terminal unguarded") +but what's interesting is that it's not trying to sell me anything +or lead me to any for-fee service, it's just trying to spread +a meme that RUG is evil. + +>>>>> "w" == wpin writes: + + w> Those who want to leave for the Netherlands to carry on any + w> kind of education,including for PHD, must be careful + w> . Especially the university of Groningen(RUG) should be + w> avoided. This university was once a good one but now it has + w> lost its reputation. ... Studying is a good investment in time + w> and money. So invest in the right place and time. You are + w> warned. + + w> Sincerely yours, + w> hyohxsycjlakdbmhjpiouupngoqrm + +Has anyone else started to receive either consumer vigilante or +political activism messages via spam methods? + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0912.7951bb152a4106ceff12048a818491a3 b/machine-learning-ex6/ex6/easy_ham/0912.7951bb152a4106ceff12048a818491a3 new file mode 100644 index 0000000..0a30804 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0912.7951bb152a4106ceff12048a818491a3 @@ -0,0 +1,104 @@ +From fork-admin@xent.com Wed Oct 2 17:51:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DE47216F17 + for ; Wed, 2 Oct 2002 17:51:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 17:51:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GQDK16972 for ; + Wed, 2 Oct 2002 17:26:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8F55C2940B7; Wed, 2 Oct 2002 09:26:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 0300129409C for ; + Wed, 2 Oct 2002 09:25:52 -0700 (PDT) +Received: (qmail 19429 invoked from network); 2 Oct 2002 16:25:59 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 2 Oct 2002 16:25:59 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 907FB1B62C; + Wed, 2 Oct 2002 12:25:52 -0400 (EDT) +To: "Mr. FoRK" +Cc: , "Rohit Khare" +Subject: Re: ActiveBuddy +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 02 Oct 2002 12:25:52 -0400 +X-Spam-Status: No, hits=-10.7 required=5.0 + tests=AWL,CLICK_BELOW,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +How is this any different from attaching an Infobot or A.L.I.C.E +through licq's console-hook? People have been doing that for years, +and for over a decade in IRC and the MUDs. + +... and the one thing I think we've learned in all that time is that, +as a help-desk, it doesn't work. People just don't like talking to +robots, especially when the robots, once confused, become imbeciles. +I think the humans may feel cheated, deceived and tricked when they +discover, as with the Seattle answer, that they are talking to a +machine; there's no real intelligence behind that simulated-friendly +and therefore empty 'thx'. + +AIML is clever and cute, but for /practical/ applications as a first +line of technical support? It's been tried over and over, and while I +/also/ think that it /should/ work, for the most part, people won't +use it. What's worse, as we make the NL processing more and more +clever, it only means it fails more dramatically; ALICE doesn't just +stumble a bit, it starts to drool. And ALICE is the best we have. + +Like a Dalek: All very impressive when things are going well, but all +it takes to betray the chicken-brain inside is a towel over it's +ill-placed eye, or a spin off the metal surface ;) + +In all the prolog-based NL database query systems of the 1980's and +other later chatterbot helpdesk projects like Shallow Red, even +simpler tries like Ask Jeeves, people very quickly know they're +talking to a robot, and the queries anneal to short, truncated and +terse database-like verb-noun or just noun-keyword requests. + +People are just too quick to adapt, and too impatient to forgive a +clunky interface, and for now, especially when the /average/ computer +user still can't type more than maybe 5-10wpm, NL is a painfully slow +clunky interface. + +Put it this way: Would you login, wake the bot and ask for the Seattle +weather, or would you do as we /all/ do and just click the weather +icon sitting there on your desktop? + +Just for fun, here's an interesting conversation between Shallow Red, +ALICE and Eliza as they decide to play the Turing Game: + +http://www.botspot.com/best/12-09-97.htm + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0913.40f91b03e40a8c45819dabbfd5dc8158 b/machine-learning-ex6/ex6/easy_ham/0913.40f91b03e40a8c45819dabbfd5dc8158 new file mode 100644 index 0000000..828e26f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0913.40f91b03e40a8c45819dabbfd5dc8158 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Wed Oct 2 17:52:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B1E3016F1A + for ; Wed, 2 Oct 2002 17:51:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 17:51:18 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GgFK17580 for ; + Wed, 2 Oct 2002 17:42:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D5F2829413C; Wed, 2 Oct 2002 09:42:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 3C76E29409C for ; Wed, + 2 Oct 2002 09:42:01 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 02BF93ED83; + Wed, 2 Oct 2002 12:46:45 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id EE5DE3ED79 for ; Wed, + 2 Oct 2002 12:46:45 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Re: ActiveBuddy +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 12:46:45 -0400 (EDT) +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Wow, if they put a VRML front end on it it would be 100% worthless rather +than just 99% + +IRC...Bots....scripts.....been there done that and much better. + +If these folks actualy saw the xddc instafilesharing scripts must 12 year +olds hang off of Mirc they might get a clue, then again they might +already have teh clue that sometimes you can packege the obvious and sell +it to the clueless. + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0914.77308dfba976d8491bad00bb7e616166 b/machine-learning-ex6/ex6/easy_ham/0914.77308dfba976d8491bad00bb7e616166 new file mode 100644 index 0000000..389ad39 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0914.77308dfba976d8491bad00bb7e616166 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Wed Oct 2 17:52:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 43CCD16F19 + for ; Wed, 2 Oct 2002 17:51:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 17:51:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GlMK17657 for ; + Wed, 2 Oct 2002 17:47:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D819E294172; Wed, 2 Oct 2002 09:44:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav75.law15.hotmail.com [64.4.22.210]) by + xent.com (Postfix) with ESMTP id D326029416D for ; + Wed, 2 Oct 2002 09:43:24 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 2 Oct 2002 09:43:33 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "fork" +References: <20021002103833.700FC1B624@maya.dyndns.org> + +Subject: Re: Polit-spam +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Oct 2002 16:43:33.0124 (UTC) FILETIME=[D8659440:01C26A32] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 09:48:45 -0700 +X-Spam-Status: No, hits=-21.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_OUTLOOK_REPLY,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Gary Lawrence Murphy" + +> +> >>>>> "w" == wpin writes: +> +> w> Those who want to leave for the Netherlands to carry on any +> w> kind of education,including for PHD, must be careful +> w> . Especially the university of Groningen(RUG) should be +> w> avoided. This university was once a good one but now it has +> w> lost its reputation. ... Studying is a good investment in time +> w> and money. So invest in the right place and time. You are +> w> warned. + +Dear gawd - 'lost its reputation' - how horrible for those Northern +Europeans. What could possibly be worse than that? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0915.50f33ca8972e7e8be40c70edb7c4be73 b/machine-learning-ex6/ex6/easy_ham/0915.50f33ca8972e7e8be40c70edb7c4be73 new file mode 100644 index 0000000..3648500 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0915.50f33ca8972e7e8be40c70edb7c4be73 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Wed Oct 2 17:51:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 813C416F18 + for ; Wed, 2 Oct 2002 17:51:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 17:51:17 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GWFK17228 for ; + Wed, 2 Oct 2002 17:32:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9077C294167; Wed, 2 Oct 2002 09:28:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id A4F4329413C for ; + Wed, 2 Oct 2002 09:27:40 -0700 (PDT) +Received: (qmail 20619 invoked from network); 2 Oct 2002 16:27:49 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 2 Oct 2002 16:27:49 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 4BC251B62C; + Wed, 2 Oct 2002 12:27:48 -0400 (EDT) +To: +Subject: Re: ActiveBuddy +References: +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 02 Oct 2002 12:27:48 -0400 +X-Spam-Status: No, hits=-12.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +let me put it /another/ way ... + + f> Mike says: how are you? + f> SmarterChild says: Great thx! You? + f> Mike says: Fine. What is the weather like in seattle? + f> SmarterChild says: Current weather conditions for Seattle, WA: + +Out of 8 /million/ alledged visitors, this is the /best/ example??? + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0916.69d1ff308a747f25c6ffaf7a6004dfb8 b/machine-learning-ex6/ex6/easy_ham/0916.69d1ff308a747f25c6ffaf7a6004dfb8 new file mode 100644 index 0000000..e2ce479 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0916.69d1ff308a747f25c6ffaf7a6004dfb8 @@ -0,0 +1,147 @@ +From fork-admin@xent.com Wed Oct 2 18:18:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E68B216F03 + for ; Wed, 2 Oct 2002 18:18:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 18:18:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GpiK17868 for ; + Wed, 2 Oct 2002 17:51:48 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7E5B7294176; Wed, 2 Oct 2002 09:47:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 8E1E7294175 for + ; Wed, 2 Oct 2002 09:46:13 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17wmdg-0005BM-00; + Wed, 02 Oct 2002 12:46:20 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: Re: Optical analog computing? +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 10:37:02 -0400 +X-Spam-Status: No, hits=-3.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Date: Wed, 02 Oct 2002 01:30:24 -0400 +From: "John S. Denker" +Subject: Re: Optical analog computing? +Sender: jsd@no.domain.spam +To: "R. A. Hettinga" +Cc: Digital Bearer Settlement List , + cryptography@wasabisystems.com + +"R. A. Hettinga" wrote: +... +> "the first computer to crack enigma was optical" +> "the first synthetic-aperture-radar processor was optical" +> "but all these early successes were classified -- 100 to 200 projects, +> and I probably know of less than half." +> +> --> Do these claims compute?! is this really a secret history, or does +> this mean holography, of am I just completely out of the loop?1 + +Gimme a break. This is remarkable for its lack of +newsworthiness. + +1) Bletchley Park used optical sensors, which were (and +still are) the best way to read paper tape at high speed. +You can read about it in the standard accounts, e.g. + http://www.picotech.com/applications/colossus.html + +2) For decades before that, codebreakers were using optical +computing in the form of superposed masks to find patterns. +You can read about it in Kahn. + +3) People have been doing opto-electronic computing for +decades. There's a lot more to it than just holography. +I get 14,000 hits from + http://www.google.com/search?q=optical-computing + +> Optical info is a complex-valued wave (spatial frequency, amplitude and +> phase) + +It isn't right to make it sound like three numbers (frequency, +amplitude, and phase); actually there are innumerable +frequencies, each of which has its own amplitude and phase. + +> lenses, refractions, and interference are the computational operators. +> (add, copy, multiply, fft, correlation, convolution) of 1D and 2D arrays +> +> and, of course, massively parallel by default. +> +> and, of course, allows free-space interconnects. + +Some things that are hard with wires are easy with +light-waves. But most things that are easy with wires +are hard with light-waves. + +> Here's a commercialized effort from israel: a "space integrating +> vector-matric multiplier" [ A ] B = [ C ] +> laser-> 512-gate modulator -> spread over 2D +> "256 Teraflop equivalent" for one multiply per nanosecond. + +People were doing smaller versions of that in +the 1980s. + +> Unclassified example: acousto-optic spectrometer, 500 Gflops equivalent +> (for 12 watts!) doing continuous FFTs. Launched in 1998 on a 2-year +> mission. Submillimeter wave observatory. + +Not "FFTs". FTs. Fourier Transforms. All you need for +taking a D=2 Fourier Transform is a lens. It's undergrad +physics-lab stuff. I get 6,000 hits from: + http://www.google.com/search?q=fourier-optics + +> Of course, the rest of the talk is about the promise of moving from +> optoelectronic to all-optical processors (on all-optical nets & with +> optical encryption, & so on). + +All optical??? No optoelectronics anywhere??? +That's medicinal-grade pure snake oil, USP. + +Photons are well known for not interacting with +each other. It's hard to do computing without +interactions. + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0917.d223f4992983dd7eda98b30b60356046 b/machine-learning-ex6/ex6/easy_ham/0917.d223f4992983dd7eda98b30b60356046 new file mode 100644 index 0000000..03819c8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0917.d223f4992983dd7eda98b30b60356046 @@ -0,0 +1,92 @@ +From fork-admin@xent.com Wed Oct 2 18:18:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DB3F816F03 + for ; Wed, 2 Oct 2002 18:18:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 18:18:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92GuEK17987 for ; + Wed, 2 Oct 2002 17:56:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0E6C0294175; Wed, 2 Oct 2002 09:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav23.law15.hotmail.com [64.4.22.80]) by + xent.com (Postfix) with ESMTP id BDEC529409C for ; + Wed, 2 Oct 2002 09:55:26 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 2 Oct 2002 09:55:35 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + +Subject: Re: ActiveBuddy +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Oct 2002 16:55:35.0610 (UTC) FILETIME=[870831A0:01C26A34] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 10:00:48 -0700 +X-Spam-Status: No, hits=-23.3 required=5.0 + tests=AWL,CLICK_BELOW,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,T_OUTLOOK_REPLY,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Gary Lawrence Murphy" + +> ... and the one thing I think we've learned in all that time is that, +> as a help-desk, it doesn't work. +I'm not sure they are doing strictly help-desk stuff. +But the whole 'who in their right mind would use that? it doesn't have all +these cool features!' isn't always a guarantee of failure - maybe there is a +strength in this approach (agents and/or IM as ui) than can find a nich +application space. + +> +> In all the prolog-based NL database query systems of the 1980's and +> other later chatterbot helpdesk projects like Shallow Red, even +> simpler tries like Ask Jeeves, people very quickly know they're +> talking to a robot, and the queries anneal to short, truncated and +> terse database-like verb-noun or just noun-keyword requests. +Kind of like a web query - and with google, someone else can turn them into +a link so you don't even have to type anything. + +> +> People are just too quick to adapt, and too impatient to forgive a +> clunky interface, and for now, especially when the /average/ computer +> user still can't type more than maybe 5-10wpm, NL is a painfully slow +> clunky interface. +Yes - true true. + +> +> Put it this way: Would you login, wake the bot and ask for the Seattle +> weather, or would you do as we /all/ do and just click the weather +> icon sitting there on your desktop? +What about a situation where you don't directly ask/talk to the bot, but +they listen in and advise/correct/interject/etc? +example: two people discussing trips, etc. may trigger a weather bot to +mention what the forecast says - without directly being asked. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0918.2de8c6d8251d30c06be407bd701bb412 b/machine-learning-ex6/ex6/easy_ham/0918.2de8c6d8251d30c06be407bd701bb412 new file mode 100644 index 0000000..7aee9a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0918.2de8c6d8251d30c06be407bd701bb412 @@ -0,0 +1,87 @@ +From fork-admin@xent.com Wed Oct 2 21:16:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 84A4316F18 + for ; Wed, 2 Oct 2002 21:16:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 21:16:23 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92IfEK22005 for ; + Wed, 2 Oct 2002 19:41:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 68B44294173; Wed, 2 Oct 2002 11:41:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id A119629409C for + ; Wed, 2 Oct 2002 11:40:31 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g92Iech26818 for ; Wed, 2 Oct 2002 + 11:40:40 -0700 (PDT) +Message-Id: <3D9B3DA6.2090204@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: Wifi query +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 11:40:38 -0700 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,REFERENCES, + USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +802.11b - 11Mbps per channel over three channels in the 2.4GHz range +(also shared with microwaves and cordless phones) at rages up to ~300 ft. +802.11a runs on 12 channels in the 5GHz range and up to around five +times more bandwidth (~54Mbps or so) but has less range (60-100 ft). +8021.11a also adds Forward Error Correction into the scheme to allow for +more reliable data transmission. +Which to use really depends on what you're doing with it. Streaming +video almost necessitates 802.11a, while streaming just audio can be +comfortably done with 802.11b provided that there isn't much +interference or too many clients. +Prices? Don't know... Haven't done the research. For covering a large +area 802.11a will be more expensive due to the need for more APs. If you +want to reach the local coffee shop, however, you will need a +directional antenna either way. + +Check out http://www.80211-planet.com, they've got some good articles on +802.11... Also, some of the best info on 802.11 security I've seen can +be found at http://www.drizzle.com/~aboba/IEEE/. + + +Give me bandwidth or give me death, +Elias + + +Tom wrote: + +>... I have one very pressing question.... Wifi ranges.. ... +> +>Do I got for 802.11b stuff or do I gold out for 802.11a ? Is the price +>point break goign to warrant the differnce? +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0919.7cc4e3008c6788cc7675d1662ea4df75 b/machine-learning-ex6/ex6/easy_ham/0919.7cc4e3008c6788cc7675d1662ea4df75 new file mode 100644 index 0000000..de989e1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0919.7cc4e3008c6788cc7675d1662ea4df75 @@ -0,0 +1,160 @@ +From fork-admin@xent.com Thu Oct 3 12:55:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CC95216F6B + for ; Thu, 3 Oct 2002 12:53:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:29 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92KaKK27506 for ; + Wed, 2 Oct 2002 21:36:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4618A294159; Wed, 2 Oct 2002 13:36:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by xent.com (Postfix) with ESMTP id 6162C2940CE for + ; Wed, 2 Oct 2002 13:35:03 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + hall.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17wqD6-0002X7-00; + Wed, 02 Oct 2002 16:35:08 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: Re: Optical analog computing? +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 16:34:21 -0400 +X-Spam-Status: No, hits=-9.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_DENSE, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Delivered-To: fork@example.com +To: fork@example.com +Subject: Re: Optical analog computing? +From: Dave Long +Sender: fork-admin@xent.com +Date: Wed, 02 Oct 2002 11:09:34 -0700 + + + +> > "the first computer to crack enigma was optical" +> +> Computing with interference patterns, etc, makes perfect sense, but Enigma +> was cracked by building mechanical systems that were essentially Enigma +> machines and brute-forcing. + +Look for "Zygalski sheets". + +By Koerner's* narrative, it wound up +being a hybrid affair: Bletchley had +mock Enigmas which cycled through the +Enigma's ~18k starting positions in a +quarter of an hour, but the Germans +started using a plugboard which then +had ~1.5x10^14 possibilities. The +Poles noticed that there were some +patterns in the messages which were +only possible via certain plugboard +settings, and so: + +> When we have collected several such cards corresponding to different +> initial signals ..., we place them in a pile so that the squares +> corresponding to the same daily settings are aligned and shine a +> light beneath the pile. Only those squares which let the light +> through will correspond to possible daily settings. + +So the brute force hardware allowed +precalculation of "optical" computing +devices which then narrowed down the +possibilities enough for brute force +to again be used for daily decodes, +until: + +> On 10 May, the Germans invaded France and, on the same day, in +> accordance with the best cryptographic principles, they changed their +> Enigma procedures in such a way that the 1560 Zygalski sheets, each +> with their carefully drilled 1000 or so holes, became just so much +> waste cardboard. + +-Dave + +:::::: + +> > "the first synthetic-aperture-radar processor was optical" + +This is also easy to believe, given Dr. +Elachi's description of the 1981 Shuttle +Imaging Radar: + +> The received signal is recorded on an optical film which is retrieved +> after landing. The film ... is then processed in an optical correlator +> to generate the final image. + +which makes sense, as one wishes to shift +each component of the return in proportion +to its frequency, for which one presumably +needs a glorified prism. + +> Alternatively, the ... signal can be digitized and then recorded on +> board or transmitted to the ground via a digital data link. This was +> the case with the ... sensor flown in 1984. + +:::::: + +* Koerner, _The Pleasures of Counting_, +in which various aspects of the Enigma +decoding cover four chapters, of which +I quote from two sections of one: +14.2: Beautiful Polish females, and +14.3: Passing the torch +> Churchill's romantic soul loved the excitement and secrecy surrounding +> Bletchley. He relished the way that +> > [t]he old procedures, like the setting up of agents, the suborning +> > of informants, the sending of messages written in invisible ink, +> > the masquerading, the dressing-up, the secret transmitters, and the +> > examining of the contents of waste-paper baskets, all turned out +> > to be largely cover for this other source, as one might keep some +> > old-established business in rare books going in order to be able, +> > under cover of it, to do a thriving trade in pornography and erotica +> ... +> Looking at the disparate, unkempt and definitely unmilitary crew +> formed by his top code-breakers, he is said to have added to his head +> of Intelligence "I know I told you to leave no stone unturned to find +> the necessary staff, but I did not mean you to take me so literally!" + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0920.cad45fa889324a42667e6da8d3a8006f b/machine-learning-ex6/ex6/easy_ham/0920.cad45fa889324a42667e6da8d3a8006f new file mode 100644 index 0000000..7cb7aa4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0920.cad45fa889324a42667e6da8d3a8006f @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Oct 3 12:55:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0680816F6C + for ; Thu, 3 Oct 2002 12:53:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:32 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92KjMK27910 for ; + Wed, 2 Oct 2002 21:45:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8F13F294164; Wed, 2 Oct 2002 13:45:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav27.law15.hotmail.com [64.4.22.84]) by + xent.com (Postfix) with ESMTP id D1B4A29409C for ; + Wed, 2 Oct 2002 13:44:34 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 2 Oct 2002 13:44:44 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + + +Subject: Re: ActiveBuddy +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Oct 2002 20:44:44.0024 (UTC) FILETIME=[89B9AF80:01C26A54] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 13:49:53 -0700 +X-Spam-Status: No, hits=-25.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_OUTLOOK_REPLY,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Gary Lawrence Murphy" + +> +> f> What about a situation where you don't directly ask/talk to the +> f> bot, but they listen in and advise/correct/interject/etc? +> +> Do you do that? Do you hear two people at the next table say "I'm +> going to Seattle tomorrow" and you just /have/ to lean over and +> interject compulsively to tell them what you know about Seattle's +> weather? + +Have you ever worked with Kragen? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0921.5a4eee7f38a1451abb6054901280b699 b/machine-learning-ex6/ex6/easy_ham/0921.5a4eee7f38a1451abb6054901280b699 new file mode 100644 index 0000000..5b9f2ec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0921.5a4eee7f38a1451abb6054901280b699 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Thu Oct 3 12:55:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DE19616F6D + for ; Thu, 3 Oct 2002 12:53:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92LFEK29156 for ; + Wed, 2 Oct 2002 22:15:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 51900294160; Wed, 2 Oct 2002 14:15:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav18.law15.hotmail.com [64.4.22.122]) by + xent.com (Postfix) with ESMTP id C4B9A2940CE for ; + Wed, 2 Oct 2002 14:14:35 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Wed, 2 Oct 2002 14:14:45 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +References: + + +Subject: Re: ActiveBuddy +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 02 Oct 2002 21:14:45.0233 (UTC) FILETIME=[BB545E10:01C26A58] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 14:19:58 -0700 +X-Spam-Status: No, hits=-26.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "Mr. FoRK" + +> ----- Original Message ----- +> From: "Gary Lawrence Murphy" +> +> > +> > f> What about a situation where you don't directly ask/talk to the +> > f> bot, but they listen in and advise/correct/interject/etc? +> > +> > Do you do that? Do you hear two people at the next table say "I'm +> > going to Seattle tomorrow" and you just /have/ to lean over and +> > interject compulsively to tell them what you know about Seattle's +> > weather? +> +Oh, please, quit with all that StopEnergy(tm) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0922.a8294319249f0b1dc50067de2cf937db b/machine-learning-ex6/ex6/easy_ham/0922.a8294319249f0b1dc50067de2cf937db new file mode 100644 index 0000000..13d8754 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0922.a8294319249f0b1dc50067de2cf937db @@ -0,0 +1,100 @@ +From fork-admin@xent.com Thu Oct 3 12:54:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E7DE16F03 + for ; Thu, 3 Oct 2002 12:53:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:26 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92KRGK27278 for ; + Wed, 2 Oct 2002 21:27:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 68C04294179; Wed, 2 Oct 2002 13:27:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp6.mindspring.com (smtp6.mindspring.com + [207.69.200.110]) by xent.com (Postfix) with ESMTP id 2BC2129409C for + ; Wed, 2 Oct 2002 13:26:52 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + smtp6.mindspring.com with esmtp (Exim 3.33 #1) id 17wq58-0000da-00; + Wed, 02 Oct 2002 16:26:54 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: Digital Bearer Settlement List , fork@example.com +From: "R. A. Hettinga" +Subject: Re: Optical analog computing? +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 16:25:26 -0400 +X-Spam-Status: No, hits=-11.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +Date: Thu, 03 Oct 2002 03:21:05 +1000 +To: "John S. Denker" +From: Greg Rose +Subject: Re: Optical analog computing? +Cc: "R. A. Hettinga" , + Digital Bearer Settlement List , + cryptography@wasabisystems.com + +At 01:30 AM 10/2/2002 -0400, John S. Denker wrote: +>"R. A. Hettinga" wrote: +>... +> > "the first computer to crack enigma was optical" +>1) Bletchley Park used optical sensors, which were (and +>still are) the best way to read paper tape at high speed. +>You can read about it in the standard accounts, e.g. +> http://www.picotech.com/applications/colossus.html + +But Colossus was not for Enigma. The bombes used for Enigma were +electro-mechanical. I'm not aware of any application of optical techniques +to Enigma, unless they were done in the US and are still classified. And +clearly, the first bulk breaks of Enigma were done by the bombes, so I +guess it depends whether you count bombes as computers or not, whether this +statement has any credibility at all. + +Greg. + + + +Williams/Zenon 2004 campaign page: http://www.ben4prez.org + +Greg Rose INTERNET: ggr@qualcomm.com +Qualcomm Australia VOICE: +61-2-9817 4188 FAX: +61-2-9817 5199 +Level 3, 230 Victoria Road, http://people.qualcomm.com/ggr/ +Gladesville NSW 2111 232B EC8F 44C6 C853 D68F E107 E6BF CD2F 1081 A37C + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0923.62f8eb57510330d6658ea55e5d7277df b/machine-learning-ex6/ex6/easy_ham/0923.62f8eb57510330d6658ea55e5d7277df new file mode 100644 index 0000000..2a12b5d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0923.62f8eb57510330d6658ea55e5d7277df @@ -0,0 +1,81 @@ +From fork-admin@xent.com Thu Oct 3 12:55:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BADF916F6E + for ; Thu, 3 Oct 2002 12:53:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:35 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92LJPK29410 for ; + Wed, 2 Oct 2002 22:19:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7E277294174; Wed, 2 Oct 2002 14:19:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id 047C4294171 for ; Wed, + 2 Oct 2002 14:18:56 -0700 (PDT) +Received: from endeavors.com ([66.161.8.83] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Wed, + 2 Oct 2002 14:16:56 -0700 +Message-Id: <3D9B6247.8090205@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: Wifi query +References: + <3D9B3DA6.2090204@cse.ucsc.edu> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Originalarrivaltime: 02 Oct 2002 21:16:56.0843 (UTC) FILETIME=[09C675B0:01C26A59] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 14:16:55 -0700 +X-Spam-Status: No, hits=-7.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + + +Elias Sinderson wrote: +> 802.11b - 11Mbps per channel over three channels in the 2.4GHz range +> (also shared with microwaves and cordless phones) + +Microwaves, cordless phones and video-based baby monitors.... + +Greg + + + +-- +Gregory Alan Bolcer, CTO | work: +1.949.833.2800 +gbolcer at endeavors.com | http://endeavors.com +Endeavors Technology, Inc.| cell: +1.714.928.5476 + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0924.82e1631cf6ff85106c0d301b99b4e523 b/machine-learning-ex6/ex6/easy_ham/0924.82e1631cf6ff85106c0d301b99b4e523 new file mode 100644 index 0000000..7ef2be2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0924.82e1631cf6ff85106c0d301b99b4e523 @@ -0,0 +1,94 @@ +From fork-admin@xent.com Thu Oct 3 12:55:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F78D16F16 + for ; Thu, 3 Oct 2002 12:53:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92LeEK30274 for ; + Wed, 2 Oct 2002 22:40:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B2ECD2940CE; Wed, 2 Oct 2002 14:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 1075A29409C for ; Wed, + 2 Oct 2002 14:39:38 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 9EF443ECAE; + Wed, 2 Oct 2002 17:44:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 9D4D23EC76; Wed, 2 Oct 2002 17:44:24 -0400 (EDT) +From: Tom +To: Gregory Alan Bolcer +Cc: fork@example.com +Subject: Re: Wifi query +In-Reply-To: <3D9B6247.8090205@endeavors.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 17:44:24 -0400 (EDT) +X-Spam-Status: No, hits=-9.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 2 Oct 2002, Gregory Alan Bolcer wrote: +--]Elias Sinderson wrote: +--]> 802.11b - 11Mbps per channel over three channels in the 2.4GHz range +--]> (also shared with microwaves and cordless phones) +--] +--]Microwaves, cordless phones and video-based baby monitors.... + +Well I dont have to worry about microwavers in the house. Ours died a week +or so ago and due to doing some research we will nto be getting anysuch +device in the near or far future. I mean even if one half of the crap it +is reported to do is true it s just not worth it for a quick cup or warm +chai. + +Which brings me to the fact that finding a good Convection only (not combo +with a microwaver) oven of any good size is dang near impossible unless +you go up to the bizness sizes. thankfully there is Dehlongi of which +costco has thru thier online store. + +Now of course the question is do we get it delivered to the old house or +the new one (yep we got our offer approved and are in the short run down +to a long mortage:) we close on oct 31. though the realestate agent says +t happens like that a lot, I still find it incrediably jolting to have +found a house inthe hood I want with the space dawn wants on sunday and we +are signing papers on tuesday night with a close at the end of the month. + +Which of course means....wifi land for wsmf:)- ) + +So far I like the Linksys dsl/cable router all in one wifi ap. The Dlink +has the funky 22mb stuff IF you use all thier stuff across the net and the +way things go I cant say thats gonna happen for sure. Pluse the Linksys +stuff is all over the mass market sotres so I cna walk home with parts at +any time. + +The fun now comes with a realization that with ATTbi cable as my main hose +tot he net offering up bwf might be a tad problematic....So i am thinking +of ways around/through/under that. the setup of the particualrs are far +form set in stone...any ideas would be welcome. + +Also any portlanders.....party time. + + +-tom + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0925.c1066ea70b0e714fcea10b379e32d573 b/machine-learning-ex6/ex6/easy_ham/0925.c1066ea70b0e714fcea10b379e32d573 new file mode 100644 index 0000000..6b9db76 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0925.c1066ea70b0e714fcea10b379e32d573 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Thu Oct 3 12:55:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C665116F6F + for ; Thu, 3 Oct 2002 12:53:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92LjkK30410 for ; + Wed, 2 Oct 2002 22:45:50 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4FDD429417C; Wed, 2 Oct 2002 14:43:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by xent.com (Postfix) with ESMTP id 68FF129417B for + ; Wed, 2 Oct 2002 14:42:50 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + maynard.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17wrGj-0005gr-00 + for fork@xent.com; Wed, 02 Oct 2002 17:42:58 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: +To: fork@example.com +From: "R. A. Hettinga" +Subject: Re: Optical analog computing? +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 17:42:32 -0400 +X-Spam-Status: No, hits=-14.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 4:34 PM -0400 on 10/2/02, R. A. Hettinga wrote: + + +> --- begin forwarded text +> +> +> Status: RO +> Delivered-To: fork@example.com + +Sigh. Shoot me, now... + +My apologies. + +Cheers, +RAH + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0926.927a96948e055489893b88ba752c7fae b/machine-learning-ex6/ex6/easy_ham/0926.927a96948e055489893b88ba752c7fae new file mode 100644 index 0000000..63be341 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0926.927a96948e055489893b88ba752c7fae @@ -0,0 +1,94 @@ +From fork-admin@xent.com Thu Oct 3 12:55:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C173C16F1A + for ; Thu, 3 Oct 2002 12:53:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92MXEK32150 for ; + Wed, 2 Oct 2002 23:33:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 052ED29416D; Wed, 2 Oct 2002 15:33:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 0F5F429409C for ; Wed, + 2 Oct 2002 15:32:42 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 03F8B3EDCD; + Wed, 2 Oct 2002 18:37:29 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 025D63ED4E for ; Wed, + 2 Oct 2002 18:37:28 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Apple Sauced...again +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 18:37:28 -0400 (EDT) +X-Spam-Status: No, hits=-11.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Over on Arstechnica (www.arstechnica.com) I saw mention of a Wired article +that goes into the many wonderfull ways Apple is showing its love and +respect for its users. + +http://www.wired.com/news/mac/0,2125,55395,00.html + +There is a good rundown of all the whys and whatfores over at +http://arstechnica.com/reviews/02q3/macosx-10.2/macosx-10.2-5.html + +"True to form, industrious third party developers saw that they could gain +a competitive advantage by supporting this more capable user interface in +their applications. Apple's private menu extras APIs were reverse +engineered and leveraged to great effect. The architecture was so popular +that an application for managing predefined sets of menu extras (third +party or otherwise) was in development. + +All of that changed with the release of Jaguar--but not because the +private APIs had changed. If they had, third party developers would have +updated their applications to work with the new APIs, as they have +resigned themselves to doing by choosing to use private APIs in the first +place. + +But what actually happened in Jaguar was that Apple added code to forcibly +exclude all non-Apple menu extras. Other parts of the API did not change. +But when a menu extra is loaded, it is compared to a hard-coded list of +"known" menu extras from Apple. If the menu extra is not on that list, it +is not allowed to load. + +It's easy to laugh at Steve Ballmer's sweat-soaked gyrations as he chants +"developers, developers, developers!", but Microsoft clearly understands +something that Apple is still struggling with. It is in a platform +vendor's best interest to encourage development for its platform. In +Apple's case, this doesn't mean that they have to bend over backwards to +make every single system service and UI element "pluggable" via public +APIs. That's clearly a lot of work, and not something that needs to be the +number one priority for an OS in its infancy. And in the meantime, if +third party developers want to sell into a market that requires the +desired functionality to be added in "unsupported" ways, then they must be +prepared for the maintenance consequences of their decisions. + +But for Apple to go out of its way--to actually expend developer +effort--to stop these third party developers, while still failing to +provide a supported alternative, is incredibly foolish. " + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0927.3fda95ccbe3f7818f1dfebfddeb2af66 b/machine-learning-ex6/ex6/easy_ham/0927.3fda95ccbe3f7818f1dfebfddeb2af66 new file mode 100644 index 0000000..fe21a70 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0927.3fda95ccbe3f7818f1dfebfddeb2af66 @@ -0,0 +1,170 @@ +From fork-admin@xent.com Thu Oct 3 12:55:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B9D2616F70 + for ; Thu, 3 Oct 2002 12:53:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g92MwHK00398 for ; + Wed, 2 Oct 2002 23:58:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 14C98294178; Wed, 2 Oct 2002 15:58:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from ms4.lga2.nytimes.com (ms4.lga2.nytimes.com [64.15.247.148]) + by xent.com (Postfix) with ESMTP id B280429409C for ; + Wed, 2 Oct 2002 15:57:44 -0700 (PDT) +Received: from email4.lga2.nytimes.com (email4 [10.0.0.169]) by + ms4.lga2.nytimes.com (Postfix) with ESMTP id 5F4A85A4A7 for + ; Wed, 2 Oct 2002 19:02:07 -0400 (EDT) +Received: by email4.lga2.nytimes.com (Postfix, from userid 202) id + AFE7EC403; Wed, 2 Oct 2002 18:51:11 -0400 (EDT) +Reply-To: khare@alumni.caltech.edu +From: khare@alumni.caltech.edu +To: fork@example.com +Subject: NYTimes.com Article: Stop Those Presses! Blonds, It Seems, Will + Survive After All +Message-Id: <20021002225111.AFE7EC403@email4.lga2.nytimes.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 18:51:11 -0400 (EDT) +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +This article from NYTimes.com +has been sent to you by khare@alumni.caltech.edu. + + +Excellent evidence of the herd. Just imagine if the anonymous noise injected into our world newsphere (noosphere?) was, say, a fraudulent story that a stock accounting scandal had been accused and the evildoers were shorting. + +Oh, wait, that happened. An unemployed Orange County student took down Emulex... + +Enjoy! + Rohit + +khare@alumni.caltech.edu + + +Stop Those Presses! Blonds, It Seems, Will Survive After All + +October 2, 2002 +By LAWRENCE K. ALTMAN + + + + + + +Apparently it fell into the category "too good to check." + + +Last Friday, several British newspapers reported that the +World Health Organization had found in a study that blonds +would become extinct within 200 years, because blondness +was caused by a recessive gene that was dying out. The +reports were repeated on Friday by anchors for the ABC News +program "Good Morning America," and on Saturday by CNN. + +There was only one problem, the health organization said in +a statement yesterday that it never reported that blonds +would become extinct, and it had never done a study on the +subject. + +"W.H.O. has no knowledge of how these news reports +originated," said the organization, an agency of the United +Nations based in Geneva, "but would like to stress that we +have no opinion of the future existence of blonds." + +All the news reports, in Britain and the United States, +cited a study from the World Health Organization - "a +blonde-shell study," as The Daily Star of London put it. +But none reported any scientific details from the study or +the names of the scientists who conducted it. + +On "Good Morning America," Charles Gibson began a +conversation with his co-anchor, Diane Sawyer, by saying: +"There's a study from the World Health Organization, this +is for real, that blonds are an endangered species. Women +and men with blond hair, eyebrows and blue eyes, natural +blonds, they say will vanish from the face of the earth +within 200 years, because it is not as strong a gene as +brunets." + +Ms. Sawyer said she was "somewhat of a natural blonde." + + +Jeffrey Schneider, a spokesman for ABC News, said the +anchors got the information from an ABC producer in London +who said he had read it in a British newspaper. + +In London, The Sun and The Express both reported that +unnamed scientists said blonds would survive longest in +Scandinavia, where they are most concentrated, and expected +the last true blond to hail from Finland. + +The British accounts were replete with the views of +bleached blonds who said hairdressers would never allow +blondness to become extinct, and doctors who said that rare +genes would pop up to keep natural blonds from becoming an +endangered species. + +Journalists in London said last night that the source of +the reports was probably one of several European news +agencies that are used by the British press, but it +remained unclear which one. + +Tim Hall, a night news editor at The Daily Mail, said the +report was probably distributed by The Press Association, +Britain's domestic news agency. "Several papers picked it +up," he said. + +But Charlotte Gapper, night editor at The Press +Association, said that although it had considered running +the report on Sept. 27, it had decided not to after talking +to the World Health Organization. + +"We didn't do that story because we made an inquiry to the +World Health Organization first," she said. "They told us +that report was two years old, and had been covered at the +time. They said it had been picked up again that day by a +German news agency." + +She added that she did not know which agency the +organization was referring to. + +Dr. Ray White, a geneticist at the University of California +at San Francisco, said that the disappearance of a gene for +blond hair "sounds patently incorrect." + +http://www.nytimes.com/2002/10/02/health/02BLON.html?ex=1034599071&ei=1&en=3a0e4f0b2b251593 + + + +HOW TO ADVERTISE +--------------------------------- +For information on advertising in e-mail newsletters +or other creative advertising opportunities with The +New York Times on the Web, please contact +onlinesales@nytimes.com or visit our online media +kit at http://www.nytimes.com/adinfo + +For general information about NYTimes.com, write to +help@nytimes.com. + +Copyright 2002 The New York Times Company + + diff --git a/machine-learning-ex6/ex6/easy_ham/0928.bb2dbf50d5b36b5f621764e2ed1cf417 b/machine-learning-ex6/ex6/easy_ham/0928.bb2dbf50d5b36b5f621764e2ed1cf417 new file mode 100644 index 0000000..998b724 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0928.bb2dbf50d5b36b5f621764e2ed1cf417 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Oct 3 12:55:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3EF9116F71 + for ; Thu, 3 Oct 2002 12:53:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g935HKK15871 for ; + Thu, 3 Oct 2002 06:17:22 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9839F29416F; Wed, 2 Oct 2002 22:17:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 3326929409C for ; + Wed, 2 Oct 2002 22:16:44 -0700 (PDT) +Received: (qmail 26129 invoked from network); 3 Oct 2002 05:16:58 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 3 Oct 2002 05:16:58 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id C6EBE1B62C; + Thu, 3 Oct 2002 01:16:52 -0400 (EDT) +To: Eirikur Hallgrimsson +Cc: fork@example.com +Subject: Re: Apple Sauced...again +References: + <200210022317.13639.eh@mad.scientist.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Oct 2002 01:16:52 -0400 +X-Spam-Status: No, hits=-16.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +>>>>> "E" == Eirikur Hallgrimsson writes: + + E> ... If my environment cannot be made beautiful, in + E> some sense I cannot live. + + "The first question I ask myself when something doesn't seem to be + beautiful is why do I think it's not beautiful. And very shortly you + discover that there is no reason." -- John Cage + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0929.78a3fcddf914132d873019c8925b0669 b/machine-learning-ex6/ex6/easy_ham/0929.78a3fcddf914132d873019c8925b0669 new file mode 100644 index 0000000..3b0ba63 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0929.78a3fcddf914132d873019c8925b0669 @@ -0,0 +1,88 @@ +From fork-admin@xent.com Thu Oct 3 12:55:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3C5D116F73 + for ; Thu, 3 Oct 2002 12:53:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g936gFK17769 for ; + Thu, 3 Oct 2002 07:42:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 98831294171; Wed, 2 Oct 2002 23:42:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id A9E0629409C for ; Wed, + 2 Oct 2002 23:41:42 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 573AE3EC7C; + Thu, 3 Oct 2002 02:46:21 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 559873EDF4 for ; Thu, + 3 Oct 2002 02:46:21 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: wifi progress +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 02:46:21 -0400 (EDT) +X-Spam-Status: No, hits=-13.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Well it looks pretty much 99% sure that we will be moving in on Nov 1 to +the new house. I think the only thing that stops us now are acts of +dieties and total economic collapse..so no one mention the dow for the +next few weeks.. + +In preperation we drove to Best Buy tonight and picked up the test core +for the wifi net. I got a linksys BEFW11S4(1) for the router/hub/wireless +ap/firewall/etc and a linksys wifi pcmcia card for the laptop + +I made one false move so it took about 30 mins all told to set up the +card, the router, and the other 3 machines in the house on the wire ether +hub. All vfery neat very easy and very very cool set up via the +webinterface. I have to dig into the firewall/nat/routing features some +more (i have been reading up the wifi security blackpaper on ars technica) +but all in all a smooth move. + + +Now the place im at now, the house soon to be the ex house, has lots of +funky things going on in the walls and in the area. We are in , +essentialy, a gravel pit..recption of all types suck and transmisions get +goofy inside the pit. That being said... with 2 walls and 40 feet between +the AP and the pcmica card (no external antena on it) Im still getting +11mbs and at least 60% goodness. + + +Some cool things about the new house...its a 1912 job so no metal works +inthe walls to speak of , mostly wood and plaster. We dont have a +microwave and our cordless phines are on 900mhz (yea so I can use my bear +cat to listen in on some calls, with kids in the house is that such a bad +thing? Ben or heather, if you read this years from now...well by then I +hope youare better at countermoeasures:)- ) + +Ok, enough testing for tonight. I gota say, being able to do this in bed +by vncing via wifi to my desktop is a blast...oh no...wifes pillow is +heading this way....DUCKKKKK + + +(1)http://www.linksys.com/Products/product.asp?grid=23&prid=173 + + diff --git a/machine-learning-ex6/ex6/easy_ham/0930.e6b90edda75a110d7cc7335c110cfa1c b/machine-learning-ex6/ex6/easy_ham/0930.e6b90edda75a110d7cc7335c110cfa1c new file mode 100644 index 0000000..837eed4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0930.e6b90edda75a110d7cc7335c110cfa1c @@ -0,0 +1,69 @@ +From fork-admin@xent.com Thu Oct 3 12:55:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A26816F1B + for ; Thu, 3 Oct 2002 12:53:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g933IPK12641 for ; + Thu, 3 Oct 2002 04:18:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E14362940AE; Wed, 2 Oct 2002 20:18:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc01.attbi.com (sccrmhc01.attbi.com [204.127.202.61]) + by xent.com (Postfix) with ESMTP id 2A8B029409C for ; + Wed, 2 Oct 2002 20:17:24 -0700 (PDT) +Received: from Intellistation ([66.31.2.27]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021003031734.DJSZ6431.sccrmhc01.attbi.com@Intellistation> for + ; Thu, 3 Oct 2002 03:17:34 +0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Eirikur Hallgrimsson +Organization: Electric Brain +To: fork@example.com +Subject: Re: Apple Sauced...again +User-Agent: KMail/1.4.1 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210022317.13639.eh@mad.scientist.com> +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 2 Oct 2002 23:17:13 -0400 +X-Spam-Status: No, hits=-11.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Wednesday 02 October 2002 06:37 pm, Tom wrote: +> But what actually happened in Jaguar was that Apple added code to +> exclude all non-Apple menu extras. + +Too, too, too, true. Just you try to muck with Job's blessed Aqua +interface. Or remove the fscking dock. OSX is such a step down from +Classic with Kaleidoscope skinning the entire UI. As an artist, I resent +it deeply. (This is not in praise of Classic.) If my environment cannot +be made beautiful, in some sense I cannot live. + +Eirikur + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0931.4b656b6718d863aa88ee116bd3fa0d1b b/machine-learning-ex6/ex6/easy_ham/0931.4b656b6718d863aa88ee116bd3fa0d1b new file mode 100644 index 0000000..1eb7369 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0931.4b656b6718d863aa88ee116bd3fa0d1b @@ -0,0 +1,92 @@ +From fork-admin@xent.com Thu Oct 3 12:55:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D0E4116F74 + for ; Thu, 3 Oct 2002 12:53:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93BUBK26515 for ; + Thu, 3 Oct 2002 12:30:12 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E39372940A2; Thu, 3 Oct 2002 04:30:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by xent.com (Postfix) with ESMTP id 80C0829409C for + ; Thu, 3 Oct 2002 04:29:49 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + maynard.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17x4Ay-00057H-00; + Thu, 03 Oct 2002 07:29:53 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, + mac_crypto@vmeng.com, e$@vmeng.com, fork@xent.com, irregulars@tb.tf +From: "R. A. Hettinga" +Subject: The 3rd Annual Consult Hyperion Digital Identity Forum +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 07:06:51 -0400 +X-Spam-Status: No, hits=-14.5 required=5.0 + tests=AWL,DEAR_SOMEBODY,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +User-Agent: Microsoft-Entourage/10.1.0.2006 +Date: Thu, 03 Oct 2002 07:56:39 +0100 +Subject: The 3rd Annual Consult Hyperion Digital Identity Forum +From: "David G.W. Birch" +To: Bob Hettinga +Cc: Digital Bearer Settlement List + +Dear All, + +See www.digitalidentityforum.com for more details. Speakers include +Microsoft and Liberty Alliance, UK central and local government, law +enforcement, financial services (Egg and RBS/NatWest), EC Research Centre, a +psychologist and others. Look forward to seeing you there. + +Regards, +Dave Birch. + +-- +-- David Birch, Director, Consult Hyperion +-- +-- tel +44 (0)1483 301793, fax +44 (0)1483 561657 +-- mail dave@chyp.com, web http://www.chyp.com +-- +-- See you at the 2nd Annual Digital Transactions Forum in Singapore +-- October 16th/17th 2002, see http://www.digitaltransactionsforum.com/ + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0932.13ae6a0c179018c3e955c626b48fd069 b/machine-learning-ex6/ex6/easy_ham/0932.13ae6a0c179018c3e955c626b48fd069 new file mode 100644 index 0000000..ce66ffe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0932.13ae6a0c179018c3e955c626b48fd069 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Thu Oct 3 12:56:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C951D16F76 + for ; Thu, 3 Oct 2002 12:53:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93BYSK26753 for ; + Thu, 3 Oct 2002 12:34:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 227E3294181; Thu, 3 Oct 2002 04:31:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by xent.com (Postfix) with ESMTP id CE1D029417B for + ; Thu, 3 Oct 2002 04:30:23 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + maynard.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17x4BF-00057H-00; + Thu, 03 Oct 2002 07:30:09 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +In-Reply-To: +References: + <200210022317.13639.eh@mad.scientist.com> +To: Gary Lawrence Murphy , + Eirikur Hallgrimsson +From: "R. A. Hettinga" +Subject: Re: Apple Sauced...again +Cc: fork@example.com, Digital Bearer Settlement List +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 07:27:27 -0400 +X-Spam-Status: No, hits=-18.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +At 1:16 AM -0400 on 10/3/02, Gary Lawrence Murphy wrote: + + +> "The first question I ask myself when something doesn't seem to be +> beautiful is why do I think it's not beautiful. And very shortly you +> discover that there is no reason." -- John Cage + +"When I'm working on a problem, I never think about beauty. I think only +how to solve the problem. But when I have finished, if the solution is not +beautiful, I know it is wrong." -- R. Buckminster Fuller + +"Simplicity is the highest goal, achievable when you have overcome all +difficulties." -- Frederic Chopin + +"Externalities are the last refuge of the dirigistes." -- Friedrich Hayek + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"The stoical scheme of supplying our wants by lopping off our +desires is like cutting off our feet when we want shoes." + -- Jonathan Swift + + diff --git a/machine-learning-ex6/ex6/easy_ham/0933.60c6d3ae44d1762d461652d5d0ccb285 b/machine-learning-ex6/ex6/easy_ham/0933.60c6d3ae44d1762d461652d5d0ccb285 new file mode 100644 index 0000000..e89c1ba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0933.60c6d3ae44d1762d461652d5d0ccb285 @@ -0,0 +1,100 @@ +From irregulars-admin@tb.tf Thu Oct 3 12:56:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 51F3216F75 + for ; Thu, 3 Oct 2002 12:53:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:53:55 +0100 (IST) +Received: from web.tb.tf (route-64-131-126-36.telocity.com + [64.131.126.36]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93BUpK26666 for ; Thu, 3 Oct 2002 12:30:51 +0100 +Received: from web.tb.tf (localhost.localdomain [127.0.0.1]) by web.tb.tf + (8.11.6/8.11.6) with ESMTP id g93Be2I21566; Thu, 3 Oct 2002 07:40:04 -0400 +Received: from red.harvee.home (red [192.168.25.1] (may be forged)) by + web.tb.tf (8.11.6/8.11.6) with ESMTP id g93Bd0I21556 for + ; Thu, 3 Oct 2002 07:39:00 -0400 +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by red.harvee.home (8.11.6/8.11.6) with ESMTP id + g93BU2D05365 for ; Thu, 3 Oct 2002 07:30:02 -0400 +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + maynard.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17x4Ay-00057H-00; + Thu, 03 Oct 2002 07:29:53 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, + mac_crypto@vmeng.com, e$@vmeng.com, fork@xent.com, irregulars@tb.tf +From: "R. A. Hettinga" +Content-Type: text/plain; charset="us-ascii" +Subject: [IRR] The 3rd Annual Consult Hyperion Digital Identity Forum +Sender: irregulars-admin@tb.tf +Errors-To: irregulars-admin@tb.tf +X-Beenthere: irregulars@tb.tf +X-Mailman-Version: 2.0.6 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: New home of the TBTF Irregulars mailing list +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 07:06:51 -0400 +X-Spam-Status: No, hits=-18.2 required=5.0 + tests=AWL,DEAR_SOMEBODY,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SIGNATURE_LONG_DENSE + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: RO +User-Agent: Microsoft-Entourage/10.1.0.2006 +Date: Thu, 03 Oct 2002 07:56:39 +0100 +Subject: The 3rd Annual Consult Hyperion Digital Identity Forum +From: "David G.W. Birch" +To: Bob Hettinga +Cc: Digital Bearer Settlement List + +Dear All, + +See www.digitalidentityforum.com for more details. Speakers include +Microsoft and Liberty Alliance, UK central and local government, law +enforcement, financial services (Egg and RBS/NatWest), EC Research Centre, a +psychologist and others. Look forward to seeing you there. + +Regards, +Dave Birch. + +-- +-- David Birch, Director, Consult Hyperion +-- +-- tel +44 (0)1483 301793, fax +44 (0)1483 561657 +-- mail dave@chyp.com, web http://www.chyp.com +-- +-- See you at the 2nd Annual Digital Transactions Forum in Singapore +-- October 16th/17th 2002, see http://www.digitaltransactionsforum.com/ + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +_______________________________________________ +Irregulars mailing list +Irregulars@tb.tf +http://tb.tf/mailman/listinfo/irregulars + + diff --git a/machine-learning-ex6/ex6/easy_ham/0934.e85452a78cc528b9b99dac7ae0af5d82 b/machine-learning-ex6/ex6/easy_ham/0934.e85452a78cc528b9b99dac7ae0af5d82 new file mode 100644 index 0000000..a5a44fa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0934.e85452a78cc528b9b99dac7ae0af5d82 @@ -0,0 +1,73 @@ +From fork-admin@xent.com Thu Oct 3 16:08:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A435D16F1B + for ; Thu, 3 Oct 2002 16:04:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 16:04:07 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93EgIK00962 for ; + Thu, 3 Oct 2002 15:42:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5BF1C294177; Thu, 3 Oct 2002 07:42:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id D643029409C for ; + Thu, 3 Oct 2002 07:41:21 -0700 (PDT) +Received: (qmail 19226 invoked from network); 3 Oct 2002 14:41:38 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 3 Oct 2002 14:41:38 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 4748F1B62C; + Thu, 3 Oct 2002 10:41:29 -0400 (EDT) +To: "R. A. Hettinga" +Cc: Eirikur Hallgrimsson , fork@example.com, + Digital Bearer Settlement List +Subject: Re: Apple Sauced...again +References: + <200210022317.13639.eh@mad.scientist.com> + +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Oct 2002 10:41:29 -0400 +X-Spam-Status: No, hits=-18.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + +>>>>> "R" == R A Hettinga writes: + + R> "When I'm working on a problem, I never think about beauty. I + R> think only how to solve the problem. But when I have finished, + R> if the solution is not beautiful, I know it is wrong." -- + R> R. Buckminster Fuller + +"It was only /after/ I'd completed the geodesic dome that I noticed it +was beautiful" --- R. Buckminster Fuller + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0935.69777ef80c3f27b435944189c6f07bc0 b/machine-learning-ex6/ex6/easy_ham/0935.69777ef80c3f27b435944189c6f07bc0 new file mode 100644 index 0000000..a9b13f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0935.69777ef80c3f27b435944189c6f07bc0 @@ -0,0 +1,71 @@ +From fork-admin@xent.com Thu Oct 3 19:30:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1C3D016F16 + for ; Thu, 3 Oct 2002 19:29:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:29:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93GgKK05592 for ; + Thu, 3 Oct 2002 17:42:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D2B8C2940A8; Thu, 3 Oct 2002 09:42:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from Boron.MeepZor.Com (i.meepzor.com [204.146.167.214]) by + xent.com (Postfix) with ESMTP id 8464B29409C for ; + Thu, 3 Oct 2002 09:41:01 -0700 (PDT) +Received: from Golux.Com (dmz-firewall [206.199.198.4]) by + Boron.MeepZor.Com (8.11.6/8.11.6) with ESMTP id g93Gf6K02603; + Thu, 3 Oct 2002 12:41:06 -0400 +Message-Id: <3D9C760E.3D49B993@Golux.Com> +From: Rodent of Unusual Size +Organization: The Apache Software Foundation +X-Mailer: Mozilla 4.79 [en] (WinNT; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Flatware or Road Kill? +Subject: Re: The Wrong Business +References: + <3D99DEF1.1020709@endeavors.com> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 03 Oct 2002 12:53:34 -0400 +X-Spam-Status: No, hits=-6.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_60_70, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +people with too much time on their hands.. + +look at this first (8meg, so takes a loong time): + +http://www.ntk.net/2002/09/27/jesus_large.jpg + +and then look at this reduction: + +http://www.ntk.net/2002/09/27/jesus_small.jpg +-- +#ken P-)} + +Ken Coar, Sanagendamgagwedweinini http://Golux.Com/coar/ +Author, developer, opinionist http://Apache-Server.Com/ + +"Millennium hand and shrimp!" + + diff --git a/machine-learning-ex6/ex6/easy_ham/0936.fd3d57ba85e83cca7b17ff92667a05eb b/machine-learning-ex6/ex6/easy_ham/0936.fd3d57ba85e83cca7b17ff92667a05eb new file mode 100644 index 0000000..fe3deea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0936.fd3d57ba85e83cca7b17ff92667a05eb @@ -0,0 +1,66 @@ +From fork-admin@xent.com Thu Oct 3 19:30:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 96B4716F03 + for ; Thu, 3 Oct 2002 19:29:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:29:11 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93HqGK08100 for ; + Thu, 3 Oct 2002 18:52:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2571629417B; Thu, 3 Oct 2002 10:52:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 5BD972940BB for ; + Thu, 3 Oct 2002 10:51:25 -0700 (PDT) +Received: (qmail 6379 invoked from network); 3 Oct 2002 17:51:36 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 3 Oct 2002 17:51:36 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id B436F1B62C; + Thu, 3 Oct 2002 13:51:28 -0400 (EDT) +To: Rodent of Unusual Size +Cc: Flatware or Road Kill? +Subject: Re: The Wrong Business +References: + <3D99DEF1.1020709@endeavors.com> <3D9C760E.3D49B993@Golux.Com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Oct 2002 13:51:28 -0400 +X-Spam-Status: No, hits=-20.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + + +Actually this is output from an old java program called jitter. +It's very useful for those of us with digital cameras who end up +taking 50+ pictures a day while on vacation ;) + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0937.48b048dffa327b97d0ca68cd19d254ea b/machine-learning-ex6/ex6/easy_ham/0937.48b048dffa327b97d0ca68cd19d254ea new file mode 100644 index 0000000..009c460 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0937.48b048dffa327b97d0ca68cd19d254ea @@ -0,0 +1,66 @@ +From fork-admin@xent.com Thu Oct 3 20:13:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 753FE16F03 + for ; Thu, 3 Oct 2002 20:13:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 20:13:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93J3GK10720 for ; + Thu, 3 Oct 2002 20:03:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8CE5294185; Thu, 3 Oct 2002 12:03:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 3C7B6294183 for ; + Thu, 3 Oct 2002 12:02:53 -0700 (PDT) +Received: (qmail 21376 invoked from network); 3 Oct 2002 19:03:05 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 3 Oct 2002 19:03:05 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id 8F1EA1B62C; + Thu, 3 Oct 2002 15:02:54 -0400 (EDT) +To: "Gordon Mohr" +Cc: "Flatware or Road Kill?" +Subject: Re: The Wrong Business +References: + <3D99DEF1.1020709@endeavors.com> <3D9C760E.3D49B993@Golux.Com> + <00da01c26b0d$1d456830$640a000a@golden> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Oct 2002 15:02:54 -0400 +X-Spam-Status: No, hits=-22.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + + +egad ... you mean there's two of them??? I knew there was a reason +my jobs board had jumped to the top of my traffic list. + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0938.f0908eafe6ec23a6f3067e2f19432fb2 b/machine-learning-ex6/ex6/easy_ham/0938.f0908eafe6ec23a6f3067e2f19432fb2 new file mode 100644 index 0000000..a603074 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0938.f0908eafe6ec23a6f3067e2f19432fb2 @@ -0,0 +1,130 @@ +From fork-admin@xent.com Fri Oct 4 11:03:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 041BB16F1B + for ; Fri, 4 Oct 2002 11:02:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:30 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g940FIK25684 for ; + Fri, 4 Oct 2002 01:15:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6CDF1294183; Thu, 3 Oct 2002 17:15:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by xent.com (Postfix) with ESMTP id 3094B29409C for + ; Thu, 3 Oct 2002 17:14:47 -0700 (PDT) +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17xG7I-0005TS-00; + Thu, 03 Oct 2002 20:14:52 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, + mac_crypto@vmeng.com, e$@vmeng.com, fork@xent.com, irregulars@tb.tf +From: "R. A. Hettinga" +Subject: Re: The 3rd Annual Consult Hyperion Digital Identity Forum +Content-Type: text/plain; charset="us-ascii" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 20:13:32 -0400 +X-Spam-Status: No, hits=-21.2 required=5.0 + tests=AWL,DEAR_SOMEBODY,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: U +To: rah@shipwright.com +From: hacker@vudu.net +Date: Thu, 03 Oct 2002 06:01:38 -0700 (PDT) +Subject: Re: The 3rd Annual Consult Hyperion Digital Identity Forum + + + +The guy messed up his own URL. It should be +http://www.digitalidforum.com which redirects to +http://www.consult.hyperion.co.uk/digid3.html + + +"R. A. Hettinga" wrote: +> +> Dear All, +> +> See www.digitalidentityforum.com for more details. Speakers +include +> Microsoft and Liberty Alliance, UK central and local government, +> law +> enforcement, financial services (Egg and RBS/NatWest), EC +Research +> Centre, a +> psychologist and others. Look forward to seeing you there. +> +> Regards, +> Dave Birch. +> +> -- +> -- David Birch, Director, Consult Hyperion +> -- +> -- tel +44 (0)1483 301793, fax +44 (0)1483 561657 +> -- mail dave@chyp.com, web http://www.chyp.com +> -- +> -- See you at the 2nd Annual Digital Transactions Forum in +> Singapore +> -- October 16th/17th 2002, see +> http://www.digitaltransactionsforum.com/ +> +> --- end forwarded text +> +> +> -- +> ----------------- +> R. A. Hettinga <mailto: rah@ibuc.com> +> The Internet Bearer Underwriting Corporation <http://www.ibuc.com/>; +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and +> antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the +Roman +> Empire' +> +> For help on using this list (especially unsubscribing), send a +> message to +> "dcsb-request@reservoir.com" with one line of text: +"help". + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' + + diff --git a/machine-learning-ex6/ex6/easy_ham/0939.dea3b07c7536e3b74578ba6f878dfcba b/machine-learning-ex6/ex6/easy_ham/0939.dea3b07c7536e3b74578ba6f878dfcba new file mode 100644 index 0000000..fd54a5f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0939.dea3b07c7536e3b74578ba6f878dfcba @@ -0,0 +1,137 @@ +From irregulars-admin@tb.tf Fri Oct 4 11:03:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D2DC516F1C + for ; Fri, 4 Oct 2002 11:02:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:31 +0100 (IST) +Received: from web.tb.tf (route-64-131-126-36.telocity.com + [64.131.126.36]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g940FZK25706 for ; Fri, 4 Oct 2002 01:15:35 +0100 +Received: from web.tb.tf (localhost.localdomain [127.0.0.1]) by web.tb.tf + (8.11.6/8.11.6) with ESMTP id g940P4I23465; Thu, 3 Oct 2002 20:25:06 -0400 +Received: from red.harvee.home (red [192.168.25.1] (may be forged)) by + web.tb.tf (8.11.6/8.11.6) with ESMTP id g940O0I23455 for + ; Thu, 3 Oct 2002 20:24:00 -0400 +Received: from barry.mail.mindspring.net (barry.mail.mindspring.net + [207.69.200.25]) by red.harvee.home (8.11.6/8.11.6) with ESMTP id + g940F1D08587 for ; Thu, 3 Oct 2002 20:15:02 -0400 +Received: from user-119ac86.biz.mindspring.com ([66.149.49.6]) by + barry.mail.mindspring.net with esmtp (Exim 3.33 #1) id 17xG7I-0005TS-00; + Thu, 03 Oct 2002 20:14:52 -0400 +MIME-Version: 1.0 +X-Sender: rahettinga@pop.earthlink.net +Message-Id: +To: dcsb@ai.mit.edu, cryptography@wasabisystems.com, + mac_crypto@vmeng.com, e$@vmeng.com, fork@xent.com, irregulars@tb.tf +From: "R. A. Hettinga" +Content-Type: text/plain; charset="us-ascii" +Subject: [IRR] Re: The 3rd Annual Consult Hyperion Digital Identity Forum +Sender: irregulars-admin@tb.tf +Errors-To: irregulars-admin@tb.tf +X-Beenthere: irregulars@tb.tf +X-Mailman-Version: 2.0.6 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: New home of the TBTF Irregulars mailing list +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 20:13:32 -0400 +X-Spam-Status: No, hits=-22.7 required=5.0 + tests=AWL,DEAR_SOMEBODY,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_LONG_DENSE, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +--- begin forwarded text + + +Status: U +To: rah@shipwright.com +From: hacker@vudu.net +Date: Thu, 03 Oct 2002 06:01:38 -0700 (PDT) +Subject: Re: The 3rd Annual Consult Hyperion Digital Identity Forum + + + +The guy messed up his own URL. It should be +http://www.digitalidforum.com which redirects to +http://www.consult.hyperion.co.uk/digid3.html + + +"R. A. Hettinga" wrote: +> +> Dear All, +> +> See www.digitalidentityforum.com for more details. Speakers +include +> Microsoft and Liberty Alliance, UK central and local government, +> law +> enforcement, financial services (Egg and RBS/NatWest), EC +Research +> Centre, a +> psychologist and others. Look forward to seeing you there. +> +> Regards, +> Dave Birch. +> +> -- +> -- David Birch, Director, Consult Hyperion +> -- +> -- tel +44 (0)1483 301793, fax +44 (0)1483 561657 +> -- mail dave@chyp.com, web http://www.chyp.com +> -- +> -- See you at the 2nd Annual Digital Transactions Forum in +> Singapore +> -- October 16th/17th 2002, see +> http://www.digitaltransactionsforum.com/ +> +> --- end forwarded text +> +> +> -- +> ----------------- +> R. A. Hettinga <mailto: rah@ibuc.com> +> The Internet Bearer Underwriting Corporation <http://www.ibuc.com/>; +> 44 Farquhar Street, Boston, MA 02131 USA +> "... however it may deserve respect for its usefulness and +> antiquity, +> [predicting the end of the world] has not been found agreeable to +> experience." -- Edward Gibbon, 'Decline and Fall of the +Roman +> Empire' +> +> For help on using this list (especially unsubscribing), send a +> message to +> "dcsb-request@reservoir.com" with one line of text: +"help". + +--- end forwarded text + + +-- +----------------- +R. A. Hettinga +The Internet Bearer Underwriting Corporation +44 Farquhar Street, Boston, MA 02131 USA +"... however it may deserve respect for its usefulness and antiquity, +[predicting the end of the world] has not been found agreeable to +experience." -- Edward Gibbon, 'Decline and Fall of the Roman Empire' +_______________________________________________ +Irregulars mailing list +Irregulars@tb.tf +http://tb.tf/mailman/listinfo/irregulars + + diff --git a/machine-learning-ex6/ex6/easy_ham/0940.459f634086ae8d4e277d7e9281406685 b/machine-learning-ex6/ex6/easy_ham/0940.459f634086ae8d4e277d7e9281406685 new file mode 100644 index 0000000..8c75e6d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0940.459f634086ae8d4e277d7e9281406685 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Fri Oct 4 11:03:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A06BE16F1E + for ; Fri, 4 Oct 2002 11:02:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g941xIK30251 for ; + Fri, 4 Oct 2002 02:59:18 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AB1352940C9; Thu, 3 Oct 2002 18:59:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.superb.net (smtp1.superb.net [207.228.225.14]) by + xent.com (Postfix) with SMTP id 24D1A29409C for ; + Thu, 3 Oct 2002 18:58:44 -0700 (PDT) +Received: (qmail 31048 invoked from network); 4 Oct 2002 01:58:59 -0000 +Received: from unknown (HELO maya.dyndns.org) (207.61.5.143) by + smtp1.superb.net with SMTP; 4 Oct 2002 01:58:59 -0000 +Received: by maya.dyndns.org (Postfix, from userid 501) id DD64C1B62C; + Thu, 3 Oct 2002 21:58:55 -0400 (EDT) +To: "Stephen D. Williams" +Cc: fork@example.com +Subject: Re: Living Love - Another legacy of the 60's +References: <3D9CB788.6050602@lig.net> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 03 Oct 2002 21:58:55 -0400 +X-Spam-Status: No, hits=-24.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + +>>>>> "S" == Stephen D Williams writes: + + S> The purpose of our lives is to be free of all addictive traps, + S> and thus become one with the ocean of Living Love. + +"One choice is a psychosis. Two, a neurosis" -- Ven Joan Shikai +Woodward, Northern Mountain Order of the White Wind Zen Community + +just a thought. + +(oh, yes, the bits: Women in Zen - http://lhamo.tripod.com/2zen.htm) + +-- +Gary Lawrence Murphy - garym@teledyn.com - TeleDynamics Communications + - blog: http://www.auracom.com/~teledyn - biz: http://teledyn.com/ - + "Computers are useless. They can only give you answers." (Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0941.1277e2e301e3e7663705ffb922215395 b/machine-learning-ex6/ex6/easy_ham/0941.1277e2e301e3e7663705ffb922215395 new file mode 100644 index 0000000..8331ef6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0941.1277e2e301e3e7663705ffb922215395 @@ -0,0 +1,120 @@ +From fork-admin@xent.com Fri Oct 4 11:03:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 38C9F16F1A + for ; Fri, 4 Oct 2002 11:02:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:28 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g93LQFK15644 for ; + Thu, 3 Oct 2002 22:26:16 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F14329417E; Thu, 3 Oct 2002 14:26:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id DF9BF29409C for ; Thu, + 3 Oct 2002 14:25:42 -0700 (PDT) +Received: from lig.net (unknown [66.95.227.18]) by mail.lig.net (Postfix) + with ESMTP id 2D8186A131; Thu, 3 Oct 2002 17:27:10 -0400 (EDT) +Message-Id: <3D9CB788.6050602@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Living Love - Another legacy of the 60's +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 03 Oct 2002 17:32:56 -0400 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_99_100,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Normally, I disdain any kind of mysticism, even when it is associated +with fairly good ideas. Just a big turnoff. A good example would be +the difference between Yoga/TM and the more scientifically pure, but +related, relaxation techniques including "betagenics", +hypnosis/auto-hypnosis, etc. (This was one of the many topics I +obsessively absorbed as a teenager.) Or Tai Chi etc. vs. Tai Bo / +G-Force Dyno-Staff. + +I have to say however that, having found this while looking for +something completely unrelated, it has some cute truisms. I +particularly like their addiction to non-addiction. Additionally, the +Mindprod treehugger site has some interesting quotes, etc. + +To my internal ear, nearly all of these 60's based new-age vernacular +seem to assume that you are a simple child (of the 60's?) who needs some +religion-like couching of ideas to relate and internalize. Very +irritating, but taken in small doses it's interesting to compare and +contrast with our (my) modern mental models. + +I found that a few of the principles could be used to explain and +justify US/UN foreign policy and actions. + +http://mindprod.com/methods.html +http://members.aol.com/inossence/Kenkey.html +http://www.mindprod.com/ +(Apologies for the embedded HTML.) + +We create the world we live in. +A loving person lives in a loving world, +A hostile person lives in a hostile world. +Everyone you meet is your mirror. + +You make yourself and others suffer just as much when you take offence +as when you give offence. To be upset over what you don't have is to +waste what you do have. + +The past is dead, +The future is imaginary, +Happiness can only be +in the Eternal Now Moment + +How soon will you realize that the only thing you don't have is the +direct experience that there's nothing you need that you don't have. + +Love a person because he or she is there. +This is the only reason. + +Happiness happens when your consciousness is not dominated by addictions +and demands~ and you experience life as a parade of preferences. + +The +purpose +of our lives +is to be free +of all addictive traps, +and thus +become one +with the ocean of +Living Love. + + +sdw + +-- +sdw@lig.net http://sdw.st +Stephen D. Williams 43392 Wayside Cir,Ashburn,VA 20147-4622 +703-724-0118W 703-995-0407Fax Dec2001 + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0942.dde76db87ad1670783cc76def075f6c0 b/machine-learning-ex6/ex6/easy_ham/0942.dde76db87ad1670783cc76def075f6c0 new file mode 100644 index 0000000..8f0754b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0942.dde76db87ad1670783cc76def075f6c0 @@ -0,0 +1,158 @@ +From fork-admin@xent.com Fri Oct 4 11:04:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2165516F21 + for ; Fri, 4 Oct 2002 11:02:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:37 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g943TNK01286 for ; + Fri, 4 Oct 2002 04:29:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 219F8294195; Thu, 3 Oct 2002 20:26:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 2A7CD294192 for ; + Thu, 3 Oct 2002 20:25:11 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17xJ8v-0006Ml-00; Thu, 03 Oct 2002 23:28:46 -0400 +From: "Geege Schuman" +To: "Stephen D. Williams" , +Subject: RE: Living Love - Another legacy of the 60's +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +In-Reply-To: <3D9CB788.6050602@lig.net> +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 23:24:15 -0400 +X-Spam-Status: No, hits=-2.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_00_10,T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +draw the pain + +"Ken never wrote about this method, but he often demonstrated it in +workshops. Let us say you have a physical pain somewhere in your body. You +draw the pain in the air with your finger, about 30 cm (1 foot) high. Take +about 60 seconds to trace around the perimeter of the pain, carefully +listening to the pain to find the precise boundary between where it hurts +and where it does not. Repeat. You will find that after about 10 minutes of +this the pain will shift, shrink or disappear. A variant of this is to +imagine making a 3D model the pain in coloured clay." + +Works! There's this coworker - a real pain in my ass! I used my middle +finger to trace his outline for about 60 seconds. I listened to him, found +the boundary, and repeated the motion. He left my office! + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +Stephen D. Williams +Sent: Thursday, October 03, 2002 5:33 PM +To: fork@example.com +Subject: Living Love - Another legacy of the 60's + + +Normally, I disdain any kind of mysticism, even when it is associated +with fairly good ideas. Just a big turnoff. A good example would be +the difference between Yoga/TM and the more scientifically pure, but +related, relaxation techniques including "betagenics", +hypnosis/auto-hypnosis, etc. (This was one of the many topics I +obsessively absorbed as a teenager.) Or Tai Chi etc. vs. Tai Bo / +G-Force Dyno-Staff. + +I have to say however that, having found this while looking for +something completely unrelated, it has some cute truisms. I +particularly like their addiction to non-addiction. Additionally, the +Mindprod treehugger site has some interesting quotes, etc. + +To my internal ear, nearly all of these 60's based new-age vernacular +seem to assume that you are a simple child (of the 60's?) who needs some +religion-like couching of ideas to relate and internalize. Very +irritating, but taken in small doses it's interesting to compare and +contrast with our (my) modern mental models. + +I found that a few of the principles could be used to explain and +justify US/UN foreign policy and actions. + +http://mindprod.com/methods.html +http://members.aol.com/inossence/Kenkey.html +http://www.mindprod.com/ +(Apologies for the embedded HTML.) + +We create the world we live in. +A loving person lives in a loving world, +A hostile person lives in a hostile world. +Everyone you meet is your mirror. + +You make yourself and others suffer just as much when you take offence +as when you give offence. To be upset over what you don't have is to +waste what you do have. + +The past is dead, +The future is imaginary, +Happiness can only be +in the Eternal Now Moment + +How soon will you realize that the only thing you don't have is the +direct experience that there's nothing you need that you don't have. + +Love a person because he or she is there. +This is the only reason. + +Happiness happens when your consciousness is not dominated by addictions +and demands~ and you experience life as a parade of preferences. + +The +purpose +of our lives +is to be free +of all addictive traps, +and thus +become one +with the ocean of +Living Love. + + +sdw + +-- +sdw@lig.net http://sdw.st +Stephen D. Williams 43392 Wayside Cir,Ashburn,VA 20147-4622 +703-724-0118W 703-995-0407Fax Dec2001 + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0943.8e0d99659137e5ae2a5b47a557029095 b/machine-learning-ex6/ex6/easy_ham/0943.8e0d99659137e5ae2a5b47a557029095 new file mode 100644 index 0000000..810fa80 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0943.8e0d99659137e5ae2a5b47a557029095 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Fri Oct 4 11:04:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4EB7316F22 + for ; Fri, 4 Oct 2002 11:02:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g946aHK06807 for ; + Fri, 4 Oct 2002 07:36:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8ACA629418C; Thu, 3 Oct 2002 23:36:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from realsoftware.com (mail.realsoftware.com [209.198.132.126]) + by xent.com (Postfix) with ESMTP id 5B7B029409C for ; + Thu, 3 Oct 2002 23:35:11 -0700 (PDT) +Received: from [10.0.1.22] (66.68.99.248) by realsoftware.com with ESMTP + (Eudora Internet Mail Server 3.1.3); Fri, 4 Oct 2002 01:35:23 -0500 +User-Agent: Microsoft-Entourage/10.1.1.2418 +Subject: Re: ActiveBuddy +From: Lorin Rivers +To: "Mr. FoRK" , FoRK List +Message-Id: +In-Reply-To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 03 Oct 2002 23:51:46 -0500 +X-Spam-Status: No, hits=-4.7 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_10_20,USER_AGENT,USER_AGENT_ENTOURAGE + version=2.50-cvs +X-Spam-Level: + +On 10/2/02 12:00 PM, "Mr. FoRK" wrote: +> What about a situation where you don't directly ask/talk to the bot, but +> they listen in and advise/correct/interject/etc? +> example: two people discussing trips, etc. may trigger a weather bot to +> mention what the forecast says - without directly being asked. + +My guess is it's more insidious than that, it's going to be ActiveSpam. + +"Oh, you're going to Seattle? I can get you airline tickets for less" + +Yuck +-- +peregrine \PEH-ruh-grun or PEH-ruh-green\ (adjective) + : having a tendency to wander + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0944.17f20b8ad4ea51e366873fa551ad20da b/machine-learning-ex6/ex6/easy_ham/0944.17f20b8ad4ea51e366873fa551ad20da new file mode 100644 index 0000000..99f66e7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0944.17f20b8ad4ea51e366873fa551ad20da @@ -0,0 +1,62 @@ +From fork-admin@xent.com Fri Oct 4 11:03:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F33C516F1F + for ; Fri, 4 Oct 2002 11:02:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g943OHK01155 for ; + Fri, 4 Oct 2002 04:24:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3B0D229418D; Thu, 3 Oct 2002 20:24:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sccrmhc03.attbi.com (sccrmhc03.attbi.com [204.127.202.63]) + by xent.com (Postfix) with ESMTP id 4C5FA29409C for ; + Thu, 3 Oct 2002 20:23:12 -0700 (PDT) +Received: from [24.61.113.164] by sccrmhc03.attbi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20021004032325.JUOB22381.sccrmhc03.attbi.com@[24.61.113.164]> for + ; Fri, 4 Oct 2002 03:23:25 +0000 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <18104609941.20021003232319@magnesium.net> +To: Fork@xent.com +Subject: Blatantly stolen from a friend's LJ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 3 Oct 2002 23:23:19 -0400 +X-Spam-Status: No, hits=-9.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +Hello Fork, + + http://www.pimprig.com/sections.php?op=viewarticle&artid=72&page=2 + + This kid has -way- WAY too much time on his hands. + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0945.1a86d4f67991ad5793a17ba1863edd17 b/machine-learning-ex6/ex6/easy_ham/0945.1a86d4f67991ad5793a17ba1863edd17 new file mode 100644 index 0000000..98e32da --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0945.1a86d4f67991ad5793a17ba1863edd17 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Fri Oct 4 18:19:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8D65A16F18 + for ; Fri, 4 Oct 2002 18:19:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 18:19:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94GuOK00540 for ; + Fri, 4 Oct 2002 17:56:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4ADEF2940B0; Fri, 4 Oct 2002 09:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f141.law15.hotmail.com [64.4.23.141]) by + xent.com (Postfix) with ESMTP id DA9B729409A for ; + Fri, 4 Oct 2002 09:55:07 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 4 Oct 2002 09:55:23 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Fri, 04 Oct 2002 16:55:23 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Economist: Internet models, viral spread, social diseases +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 04 Oct 2002 16:55:23.0757 (UTC) FILETIME=[D4CB11D0:01C26BC6] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 16:55:23 +0000 +X-Spam-Status: No, hits=-8.6 required=5.0 + tests=AWL,HOTMAIL_FOOTER5,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_70_80 + version=2.50-cvs +X-Spam-Level: + +Not exactly new bits, but I enjoyed seeing The Economist +pick up on the similarity between computer and social +networks: + +http://www.economist.com/science/displayStory.cfm?story_id=1365118 + + + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/0946.eb5e7c2de78b6fec81e509923689a7a4 b/machine-learning-ex6/ex6/easy_ham/0946.eb5e7c2de78b6fec81e509923689a7a4 new file mode 100644 index 0000000..fffbd1b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0946.eb5e7c2de78b6fec81e509923689a7a4 @@ -0,0 +1,131 @@ +From fork-admin@xent.com Fri Oct 4 18:19:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DABDF16F17 + for ; Fri, 4 Oct 2002 18:19:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 18:19:14 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94G6JK31288 for ; + Fri, 4 Oct 2002 17:06:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 70C6C2940A9; Fri, 4 Oct 2002 09:06:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id 9B5A629409A for ; Fri, + 4 Oct 2002 09:05:16 -0700 (PDT) +Received: from lig.net (unknown [204.248.145.125]) by mail.lig.net + (Postfix) with ESMTP id F2D816A5B1; Fri, 4 Oct 2002 12:06:30 -0400 (EDT) +Message-Id: <6E8631AD.30501@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Lorin Rivers +Cc: "Mr. FoRK" , FoRK List +Subject: Re: ActiveBuddy +References: +Content-Type: multipart/alternative; + boundary="------------080209060700030309080805" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 04 Oct 2028 12:05:01 -0400 +X-Spam-Status: No, hits=-0.1 required=5.0 + tests=DATE_IN_FUTURE_96_XX,EMAIL_ATTRIBUTION,HTML_TITLE_EMPTY, + KNOWN_MAILING_LIST,MAILTO_LINK,REFERENCES, + T_NONSENSE_FROM_99_100,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + +--------------080209060700030309080805 +Content-Type: text/plain; charset=US-ASCII; format=flowed +Content-Transfer-Encoding: 7bit + +I actually thought of this kind of active chat at AOL (in 1996 I think), +bringing up ads based on what was being discussed and other features. +For a while, the VP of dev. (now still CTO I think) was really hot on +the idea and they discussed patenting it. Then they lost interest. +Probably a good thing. + +sdw + +Lorin Rivers wrote: + +>On 10/2/02 12:00 PM, "Mr. FoRK" wrote: +> +> +>>What about a situation where you don't directly ask/talk to the bot, but +>>they listen in and advise/correct/interject/etc? +>>example: two people discussing trips, etc. may trigger a weather bot to +>>mention what the forecast says - without directly being asked. +>> +>> +> +>My guess is it's more insidious than that, it's going to be ActiveSpam. +> +>"Oh, you're going to Seattle? I can get you airline tickets for less" +> +>Yuck +> +> + + +--------------080209060700030309080805 +Content-Type: text/html; charset=US-ASCII +Content-Transfer-Encoding: 7bit + + + + + + + +I actually thought of this kind of active chat at AOL (in 1996 I think), +bringing up ads based on what was being discussed and other features.  For +a while, the VP of dev. (now still CTO I think) was really hot on the idea +and they discussed patenting it.  Then they lost interest.  Probably a good +thing.
+
+sdw
+
+Lorin Rivers wrote:
+
+
On 10/2/02 12:00 PM, "Mr. FoRK" <fork_list@hotmail.com> wrote:
+  
+
+
What about a situation where you don't directly ask/talk to the bot, but
+they listen in and advise/correct/interject/etc?
+example: two people discussing trips, etc. may trigger a weather bot to
+mention what the forecast says - without directly being asked.
+    
+
+

+My guess is it's more insidious than that, it's going to be ActiveSpam.
+
+"Oh, you're going to Seattle? I can get you airline tickets for less"
+
+Yuck
+  
+
+
+ + + +--------------080209060700030309080805-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/0947.9c6bd8643ae9c4b42fb7292840103704 b/machine-learning-ex6/ex6/easy_ham/0947.9c6bd8643ae9c4b42fb7292840103704 new file mode 100644 index 0000000..94115e6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0947.9c6bd8643ae9c4b42fb7292840103704 @@ -0,0 +1,59 @@ +From fork-admin@xent.com Sat Oct 5 12:38:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 40B6216F03 + for ; Sat, 5 Oct 2002 12:38:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:43 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94I3NK02589 for ; + Fri, 4 Oct 2002 19:03:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1DF052940B3; Fri, 4 Oct 2002 11:03:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from conan.f2.com.au (conan.f2.com.au [203.26.177.24]) by + xent.com (Postfix) with ESMTP id A428B29409A for ; + Fri, 4 Oct 2002 11:02:35 -0700 (PDT) +Received: from localhost.localdomain (fec7.prod.f2.com.au [172.26.24.27]) + by conan.f2.com.au (8.12.3/8.12.3) with ESMTP id g94I2nXP028567 for + ; Sat, 5 Oct 2002 04:02:50 +1000 +Message-Id: <200210041802.g94I2nXP028567@conan.f2.com.au> +To: fork@example.com +From: Carey +Subject: Headline - Navel gazing wins an Ig Nobel +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 5 Oct 2002 04:02:49 +1000 +X-Spam-Status: No, hits=0.7 required=5.0 + tests=KNOWN_MAILING_LIST,MSG_ID_ADDED_BY_MTA_3, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +Greetings, + +Carey wants you to know about a story on www.theage.com.au + + +Personal Message: +Ah the Ig Nobels, always worth a read :) If only they had a cat-mood decipherer. ^__^ + +Navel gazing wins an Ig Nobel +By Jay Lindsay
Boston +October 05 2002 + +URL: http://www.theage.com.au/articles/2002/10/04/1033538774048.html + + diff --git a/machine-learning-ex6/ex6/easy_ham/0948.5631ef817c7329bc8773800c1664b88d b/machine-learning-ex6/ex6/easy_ham/0948.5631ef817c7329bc8773800c1664b88d new file mode 100644 index 0000000..09623c1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0948.5631ef817c7329bc8773800c1664b88d @@ -0,0 +1,108 @@ +From fork-admin@xent.com Sat Oct 5 12:38:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 85C1F16F16 + for ; Sat, 5 Oct 2002 12:38:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94IKFK03312 for ; + Fri, 4 Oct 2002 19:20:15 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 27F2E2940BF; Fri, 4 Oct 2002 11:20:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm6-16.sba1.netlojix.net + [207.71.222.64]) by xent.com (Postfix) with ESMTP id 7AA5A29409A for + ; Fri, 4 Oct 2002 11:19:36 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA06042; + Fri, 4 Oct 2002 11:28:12 -0700 +Message-Id: <200210041828.LAA06042@maltesecat> +To: fork@example.com +Subject: Re: no matter where you go +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 11:28:11 -0700 +X-Spam-Status: No, hits=-10.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +... nor what color your passport? + +More American exceptionalism: + + +> "The United States is the only country in the world to tax its citizens +> on a worldwide basis, irrespective of whether they spend time in the +> country or whether they have assets there," said Philip Marcovici, +> a Zurich-based lawyer with international law firm Baker and Mackenzie. + +and perhaps even irrespective of their +current citizenship: + +> Under current expatriation law, there are wealth thresholds based on +> net worth which lead to a presumption that a person giving up U.S. +> citizenship is doing so for tax reasons. +> +> Individuals who have given up their citizenship and who have earned +> $100,000 in any one of the 10 years before expatriation, or who have a +> net worth exceeding $500,000, would automatically be deemed a so-called +> "taxpatriate." Those persons would be subject to ordinary income tax +> on U.S. source income for 10 years. They would also be subject to +> U.S. estate and gift tax during the 10-year period. + +I suppose it could be much worse; +there could be some twee affinity +program for US citizenship, and a +bank of phone people who only get +paid well if they manage to keep +one from cancelling membership... + +-Dave + +::::::: + +> Last month, Congress proposed a new exit tax on all citizens who give up +> their U.S. status. If the proposal becomes law, individuals will be taxed +> as if they had either sold everything or died. This would give rise to +> immediate exposure to capital gains tax. + +To be fair, would this mean that they'd +also immediately pay out the difference +for anyone whose tax basis was greater +than current estate value? + +::::::: + + +> ... Australian cities overall scored particularly highly in the +> [Economist Intelligence Unit] survey [of desirability for expats], +> with all five the country's urban centres surveyed ranked near the +> top of the table. +> +> Europe was also well represented among the top 10 places. +> +> The top US city, Honolulu, ranked 21st, with Boston, at 28th, the +> highest ranked city on the US mainland. Canada, in contrast, sneaked +> three cities into the top ten. +> +> The UK cities of London, 44th, and Manchester, 50th, gained only a +> mid-table rating, with Port Moresby in Papua New Guinea bottom of +> the list. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0949.1cee872e94767b14f2211bf240ccb459 b/machine-learning-ex6/ex6/easy_ham/0949.1cee872e94767b14f2211bf240ccb459 new file mode 100644 index 0000000..b987ac8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0949.1cee872e94767b14f2211bf240ccb459 @@ -0,0 +1,91 @@ +From fork-admin@xent.com Sat Oct 5 12:38:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4FD6D16F03 + for ; Sat, 5 Oct 2002 12:38:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94J8PK04887 for ; + Fri, 4 Oct 2002 20:08:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4A27F2940B5; Fri, 4 Oct 2002 12:08:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav19.law15.hotmail.com [64.4.22.123]) by + xent.com (Postfix) with ESMTP id EDC8829409A for ; + Fri, 4 Oct 2002 12:07:10 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Fri, 4 Oct 2002 12:07:27 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: +Subject: Documentum Acquires E-Room, Melding Content, Collaboration +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 04 Oct 2002 19:07:27.0088 (UTC) FILETIME=[47776F00:01C26BD9] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 4 Oct 2002 12:12:44 -0700 +X-Spam-Status: No, hits=-30.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10,US_DOLLARS_2, + US_DOLLARS_4 + version=2.50-cvs +X-Spam-Level: + + +Don't know much about eRoom - but there is the magic phrase 'collaborate in +real-time'... Groove really has people running scared. Wonder if any users +actually /benefit/ from collaborating in real-time. + + +=== +http://www.internetwk.com/breakingNews/INW20021004S0001 + +Content-management vendor Documentum said late Thursday it plans to acquire +privately held e-Room Technologies in a deal worth about $100 million. + +Documentum will issue approximately 7.7 million shares of its common stock +and pay about $12.6 million in cash for all of the outstanding shares of +eRoom. + +Documentum makes a platform for enterprise-wide content management. ERoom +makes tools for enterprise collaboration. Its customers include Airbus, +Bausch & Lomb, Ford Motor Co., and Sony. + +Documentum announced plans this summer to deliver a new Collaboration +Edition of its content-management suite. ERoom was already integrating its +tools to the Documentum platform, making an acquisition an easy target, +according to Documentum president and CEO Dave DeWalt. + +With the upcoming joint product, customers will be able to collaborate in +real-time via virtual workspaces, sharing schedules, resources, and even +jointly creating content. + +Content creation and management has always been a collaborative task, but +workflow has usually been delivered via a Web browser interface or even +simple e-mail -- and rarely in real-time. + +For now, Documentum will sell the eRoom platform and its own +content-management system through combined sales channels. Further +integration is planned down the line, the companies said. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0950.11a0d8e3ec6c9a15acd578868f7508b0 b/machine-learning-ex6/ex6/easy_ham/0950.11a0d8e3ec6c9a15acd578868f7508b0 new file mode 100644 index 0000000..5cda635 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0950.11a0d8e3ec6c9a15acd578868f7508b0 @@ -0,0 +1,74 @@ +From irregulars-admin@tb.tf Sat Oct 5 12:38:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 102BF16F16 + for ; Sat, 5 Oct 2002 12:38:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:48 +0100 (IST) +Received: from web.tb.tf (route-64-131-126-36.telocity.com + [64.131.126.36]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g94JcjK05789 for ; Fri, 4 Oct 2002 20:38:46 +0100 +Received: from web.tb.tf (localhost.localdomain [127.0.0.1]) by web.tb.tf + (8.11.6/8.11.6) with ESMTP id g94Jm2I26430; Fri, 4 Oct 2002 15:48:03 -0400 +Received: from red.harvee.home (red [192.168.25.1] (may be forged)) by + web.tb.tf (8.11.6/8.11.6) with ESMTP id g94JlKI26420 for + ; Fri, 4 Oct 2002 15:47:21 -0400 +Received: from texas.pobox.com (texas.pobox.com [64.49.223.111]) by + red.harvee.home (8.11.6/8.11.6) with ESMTP id g94JcLD11866 for + ; Fri, 4 Oct 2002 15:38:22 -0400 +Received: from [192.168.0.4] (pc2-woki1-4-cust149.gfd.cable.ntl.com + [62.254.239.149]) by texas.pobox.com (Postfix) with ESMTP id 860AE4535A; + Fri, 4 Oct 2002 15:38:18 -0400 (EDT) +User-Agent: Microsoft-Entourage/10.1.0.2006 +From: "David G.W. Birch" +To: , , + , , + , +Message-Id: +In-Reply-To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +Subject: [IRR] Re: The 3rd Annual Consult Hyperion Digital Identity Forum +Sender: irregulars-admin@tb.tf +Errors-To: irregulars-admin@tb.tf +X-Beenthere: irregulars@tb.tf +X-Mailman-Version: 2.0.6 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: New home of the TBTF Irregulars mailing list +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 20:22:59 +0100 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,T_NONSENSE_FROM_20_30, + USER_AGENT,USER_AGENT_ENTOURAGE + version=2.50-cvs +X-Spam-Level: + +On 4/10/02 1:13 am, someone e-said: + +> The guy messed up his own URL. It should be +> http://www.digitalidforum.com which redirects to +> http://www.consult.hyperion.co.uk/digid3.html + +I didn't mess it up: I f*cked it up by not paying attention to a +copy-and-paste from something else. + +Next time, I really will leave it to the PR guys. + +Best regards, +Dave Birch. + +_______________________________________________ +Irregulars mailing list +Irregulars@tb.tf +http://tb.tf/mailman/listinfo/irregulars + + diff --git a/machine-learning-ex6/ex6/easy_ham/0951.542debe6e20315751c6e2c9bdedff85d b/machine-learning-ex6/ex6/easy_ham/0951.542debe6e20315751c6e2c9bdedff85d new file mode 100644 index 0000000..7a5aaa9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0951.542debe6e20315751c6e2c9bdedff85d @@ -0,0 +1,108 @@ +From fork-admin@xent.com Sat Oct 5 12:38:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7420E16F03 + for ; Sat, 5 Oct 2002 12:38:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94JfEK05823 for ; + Fri, 4 Oct 2002 20:41:14 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 8467C2940B8; Fri, 4 Oct 2002 12:41:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from colossus.systems.pipex.net (colossus.systems.pipex.net + [62.241.160.73]) by xent.com (Postfix) with ESMTP id 88BD429409A for + ; Fri, 4 Oct 2002 12:40:46 -0700 (PDT) +Received: from PETER (81-86-177-135.dsl.pipex.com [81.86.177.135]) by + colossus.systems.pipex.net (Postfix) with SMTP id 74FB216000571; + Fri, 4 Oct 2002 20:41:01 +0100 (BST) +Message-Id: <036901c26bdd$f2f03c50$0100a8c0@PETER> +From: "Peter Kilby" +To: +Cc: "Mr. FoRK" +References: +Subject: Re: Documentum Acquires E-Room, Melding Content, Collaboration +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 4 Oct 2002 20:40:51 +0100 +X-Spam-Status: No, hits=-3.5 required=5.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_NONSENSE_FROM_40_50,T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY, + T_QUOTE_TWICE_1,US_DOLLARS_2,US_DOLLARS_4 + version=2.50-cvs +X-Spam-Level: + +"Groove really has people running scared" + +....oh shit here comes that Groove thingy, run for your life ;-) +----- Original Message ----- +From: "Mr. FoRK" +To: +Sent: Friday, October 04, 2002 8:12 PM +Subject: Documentum Acquires E-Room, Melding Content, Collaboration + + +> +> Don't know much about eRoom - but there is the magic phrase 'collaborate +in +> real-time'... Groove really has people running scared. Wonder if any users +> actually /benefit/ from collaborating in real-time. +> +> +> === +> http://www.internetwk.com/breakingNews/INW20021004S0001 +> +> Content-management vendor Documentum said late Thursday it plans to +acquire +> privately held e-Room Technologies in a deal worth about $100 million. +> +> Documentum will issue approximately 7.7 million shares of its common stock +> and pay about $12.6 million in cash for all of the outstanding shares of +> eRoom. +> +> Documentum makes a platform for enterprise-wide content management. ERoom +> makes tools for enterprise collaboration. Its customers include Airbus, +> Bausch & Lomb, Ford Motor Co., and Sony. +> +> Documentum announced plans this summer to deliver a new Collaboration +> Edition of its content-management suite. ERoom was already integrating its +> tools to the Documentum platform, making an acquisition an easy target, +> according to Documentum president and CEO Dave DeWalt. +> +> With the upcoming joint product, customers will be able to collaborate in +> real-time via virtual workspaces, sharing schedules, resources, and even +> jointly creating content. +> +> Content creation and management has always been a collaborative task, but +> workflow has usually been delivered via a Web browser interface or even +> simple e-mail -- and rarely in real-time. +> +> For now, Documentum will sell the eRoom platform and its own +> content-management system through combined sales channels. Further +> integration is planned down the line, the companies said. +> +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0952.6f0f3423c7dc865f508bb35e2cc1bf8d b/machine-learning-ex6/ex6/easy_ham/0952.6f0f3423c7dc865f508bb35e2cc1bf8d new file mode 100644 index 0000000..6be0edb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0952.6f0f3423c7dc865f508bb35e2cc1bf8d @@ -0,0 +1,76 @@ +From fork-admin@xent.com Sat Oct 5 12:39:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D2FDB16F17 + for ; Sat, 5 Oct 2002 12:38:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:51 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94KgLK07889 for ; + Fri, 4 Oct 2002 21:42:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 09C8929417A; Fri, 4 Oct 2002 13:42:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.lig.net (unknown [204.248.145.126]) by xent.com + (Postfix) with ESMTP id 5AF2E29409A for ; Fri, + 4 Oct 2002 13:41:21 -0700 (PDT) +Received: from lig.net (unknown [66.95.227.18]) by mail.lig.net (Postfix) + with ESMTP id 9AB216A474 for ; Fri, 4 Oct 2002 16:42:35 + -0400 (EDT) +Message-Id: <3D9DFCF5.9080008@lig.net> +From: "Stephen D. Williams" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Whither vCard? +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 16:41:25 -0400 +X-Spam-Status: No, hits=-4.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_99_100,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Does anyone know what happened to vCard support in Netscape 7.0/Mozilla +1.1? + (Not there yet in Mozilla and therefore not in the new mail engine I +presume?) + +Netscape Messenger/Mozilla have LDAP LDIF import/export, but I can't +find vCard or a reference to it anywhere. I like the Netscape/Mozilla +email client. I avoid LookOut for at least two reasons: Windows Only +(my main environment is Linux with 30% on Windows) and security issues. + +Now that LDAP, and the related DSML and DNS SRV record methods, are +becoming more popular, is there a decline of vCard? +Is there a standard emerging to deal with the mismatch in naming between +the two? + +I've brushed with directories in the past, but I'm getting in deep along +with more PKI oriented focus. Any wisdom would be appreciated. In +particular, I'm going to start integrating smart cards into my linux and +Win32 systems and integrating them with Netscape Messenger/Mozilla and +Outlook. + +Thanks +sdw + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0953.31be50aa4dfd43d0f597afe9968977b7 b/machine-learning-ex6/ex6/easy_ham/0953.31be50aa4dfd43d0f597afe9968977b7 new file mode 100644 index 0000000..f262d47 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0953.31be50aa4dfd43d0f597afe9968977b7 @@ -0,0 +1,91 @@ +From fork-admin@xent.com Sat Oct 5 12:39:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D2B6316F19 + for ; Sat, 5 Oct 2002 12:38:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g951uOK22393 for ; + Sat, 5 Oct 2002 02:56:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 338362940F5; Fri, 4 Oct 2002 18:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 7E4CE29409A for ; + Fri, 4 Oct 2002 18:55:16 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17xeDQ-0008MN-00; Fri, 04 Oct 2002 21:58:48 -0400 +From: "Geege Schuman" +To: "Carey" , +Subject: RE: Headline - Navel gazing wins an Ig Nobel +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: <200210041802.g94I2nXP028567@conan.f2.com.au> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 4 Oct 2002 21:54:13 -0400 +X-Spam-Status: No, hits=-4.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_00_10,T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +"British scientists were honoured for research that found ostriches became +more amorous with each other when a human was around. In fact, ostriches +eventually started putting the moves on humans." + +this is true of manatees also. you don't want to know. + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Carey +Sent: Friday, October 04, 2002 2:03 PM +To: fork@example.com +Subject: Headline - Navel gazing wins an Ig Nobel + + +Greetings, + +Carey wants you to know about a story on www.theage.com.au + + +Personal Message: +Ah the Ig Nobels, always worth a read :) If only they had a cat-mood +decipherer. ^__^ + +Navel gazing wins an Ig Nobel +By Jay Lindsay
Boston +October 05 2002 + +URL: http://www.theage.com.au/articles/2002/10/04/1033538774048.html + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0954.fadb0b68f0246b3aafcc1ff134ff1065 b/machine-learning-ex6/ex6/easy_ham/0954.fadb0b68f0246b3aafcc1ff134ff1065 new file mode 100644 index 0000000..90b364a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0954.fadb0b68f0246b3aafcc1ff134ff1065 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Sat Oct 5 12:39:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4759016F1A + for ; Sat, 5 Oct 2002 12:38:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g952GJK23199 for ; + Sat, 5 Oct 2002 03:16:19 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1DF0B294182; Fri, 4 Oct 2002 19:16:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 20F0F294180 for + ; Fri, 4 Oct 2002 19:15:48 -0700 (PDT) +Received: from [192.168.123.198] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17xeLP-0000si-00; Fri, 04 Oct 2002 23:07:03 -0300 +Message-Id: <3D9E493F.1070501@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Geege Schuman +Cc: Carey , fork@example.com +Subject: Re: Headline - Navel gazing wins an Ig Nobel +References: +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 23:06:55 -0300 +X-Spam-Status: No, hits=-11.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_00_10,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Geege Schuman wrote: + +>"British scientists were honoured for research that found ostriches became +>more amorous with each other when a human was around. In fact, ostriches +>eventually started putting the moves on humans." +> +>this is true of manatees also. you don't want to know. +> +> +> +So how much of it is due to jumping the inter-species boundary for +STATUS - i.e. I can fuck any of several +reasonable candidates from my own species, or I can be ambitious, and +go after the authority figure in the room. +The alternative hypothesis is that its due to novelty, and then of +course, there's the "they'll fuck anything given +appropriate conditions." Hmmm, is this a potential intelligence test, +seeing as the last is a particularily human response? + +Owen + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0955.aeb04c1ac6bb728a6561da1da8b73995 b/machine-learning-ex6/ex6/easy_ham/0955.aeb04c1ac6bb728a6561da1da8b73995 new file mode 100644 index 0000000..36a3f07 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0955.aeb04c1ac6bb728a6561da1da8b73995 @@ -0,0 +1,112 @@ +From fork-admin@xent.com Sat Oct 5 12:39:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6C45F16F18 + for ; Sat, 5 Oct 2002 12:38:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g94N1LK13169 for ; + Sat, 5 Oct 2002 00:01:21 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6C2912940A0; Fri, 4 Oct 2002 16:01:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id A3D0F29409A for ; Fri, + 4 Oct 2002 16:00:03 -0700 (PDT) +Received: from endeavors.com ([66.161.8.83] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Fri, + 4 Oct 2002 15:58:08 -0700 +Message-Id: <3D9E1CFE.6020405@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: Economist: Internet models, viral spread, social diseases +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Originalarrivaltime: 04 Oct 2002 22:58:08.0608 (UTC) FILETIME=[81A7C600:01C26BF9] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 04 Oct 2002 15:58:06 -0700 +X-Spam-Status: No, hits=-10.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,HOTMAIL_FOOTER5,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_50_60,USER_AGENT, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +The structure of the Internet has never +been about where the ditches and ruts +are dug although the world needs +ditch diggers too. + +It's a simple inductive concept: +You are you and see the world as such, +You plus 1 degree of separation is a new you. + +All this stuff about scale-free Internets, viruses, +sex, and money is silly. Scale-free statistically +indistinguishable models really means Internet-Scale +as rediscovered by social networks people. + +> Research has shown that the network of human sexual partners + > seems to be scale-free, too + +I tend to prefer the Harvard Business Review +to the Economist as they tend to spend less +time writing about who's sleeping with whom and +come up with real statistical models. + +Greg + +Lies, Damn lies, and statistics. + + +Russell Turpin wrote: +> Not exactly new bits, but I enjoyed seeing The Economist +> pick up on the similarity between computer and social +> networks: +> +> http://www.economist.com/science/displayStory.cfm?story_id=1365118 +> +> +> +> +> _________________________________________________________________ +> Chat with friends online, try MSN Messenger: http://messenger.msn.com +> +> + + +-- +Gregory Alan Bolcer, CTO | work: +1.949.833.2800 +gbolcer at endeavors.com | http://endeavors.com +Endeavors Technology, Inc.| cell: +1.714.928.5476 + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0956.fb35140cb684b750a0b652251bf9f7df b/machine-learning-ex6/ex6/easy_ham/0956.fb35140cb684b750a0b652251bf9f7df new file mode 100644 index 0000000..a83e270 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0956.fb35140cb684b750a0b652251bf9f7df @@ -0,0 +1,367 @@ +From fork-admin@xent.com Sat Oct 5 17:22:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6DB7B16F16 + for ; Sat, 5 Oct 2002 17:22:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 17:22:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g95E6SK11973 for ; + Sat, 5 Oct 2002 15:06:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 246ED29418A; Sat, 5 Oct 2002 07:06:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mta5.snfc21.pbi.net (mta5.snfc21.pbi.net [206.13.28.241]) + by xent.com (Postfix) with ESMTP id 4673F29409A for ; + Sat, 5 Oct 2002 07:05:41 -0700 (PDT) +Received: from endeavors.com ([66.126.120.174]) by mta5.snfc21.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3I00GDEHTZ6T@mta5.snfc21.pbi.net> for fork@xent.com; Sat, + 05 Oct 2002 07:06:00 -0700 (PDT) +From: Gregory Alan Bolcer +Subject: Re: Apple Sauced...again +Cc: fork@example.com +Reply-To: gbolcer@endeavors.com +Message-Id: <3D9EEF77.CBAE56C@endeavors.com> +Organization: Endeavors Technology, Inc. +MIME-Version: 1.0 +X-Mailer: Mozilla 4.79 [en] (X11; U; IRIX 6.5 IP32) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en, pdf +References: + <200210022317.13639.eh@mad.scientist.com> + +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 05 Oct 2002 06:56:07 -0700 +X-Spam-Status: No, hits=-14.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,MISSING_HEADERS, + NOSPAM_INC,QUOTED_EMAIL_TEXT,RCVD_IN_UNCONFIRMED_DSBL, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_50_60, + USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Gary Lawrence Murphy wrote: +> R. Buckminster Fuller +> +> "It was only /after/ I'd completed the geodesic dome that I noticed it +> was beautiful" --- R. Buckminster Fuller + + +I had cited the information theoretic concept of "elegance" +in my dissertation & did a Google to find the reference and instead +found a really great tech report for UoT Knoxville by Bruce +MacLennan. He cites Efficiency, Economy, and Elegance, but +I think he's wrong. The middle E should be Effectiveness. +Otherwise kudos. + + +Efficiency is the relation of output to input effectiveness is +the total output. In information theory, something is both elegant +and efficient if no smaller or less costly something can product the +same output in the same amount of time. + +Greg + +[1] http://www.cs.utk.edu/~mclennan/anon-ftp/Elegance.html + +``Who Cares About Elegance?'' + + The Role of Aesthetics in Programming Language Design + + Technical Report UT-CS-97-344 + + Bruce J. MacLennan + + Computer Science Department + University of Tennessee, Knoxville + MacLennan@cs.utk.edu + +Abstract + +The crucial role played by aesthetics in programming language design and the importance of elegance in +programming languages are defended on the basis of analogies with structural engineering, as presented in +Billington's The Tower and the Bridge. + +This report may be used for any nonprofit purpose provided that its source is acknowledged. It will be adapted +for +inclusion in the third edition of my Principles of Programming Languages. + + + 1.The Value of Analogies + 2.Efficiency Seeks to Minimize Resources Used + 3.Economy Seeks to Maximize Benefit versus Cost + 4.Elegance Symbolizes Good Design + 1.For the Designer + 2.For the User + 5.The Programming Language as Work Environment + 6.Acquiring a Sense of Elegance + 7.References + + + +The Value of Analogies + +Programming language design is a comparatively new activity - it has existed for less than half a century, so +it is +often worthwhile to look to older design disciplines to understand better this new activity. Thus, my book +Principles of Programming Languages: Design, Evaluation, and Implementation, grew out of a study of teaching +methods in architecture, primarily, but also of pedagogy in other disciplines, such as aircraft design. +Perhaps you +have also seen analogies drawn between programming languages and cars (FORTRAN = Model T, C = dune +buggy, etc.). + +These analogies can be very informative, and can serve as ``intuition pumps'' to enhance our creativity, but +they +cannot be used uncritically because they are, in the end, just analogies. Ultimately our design decisions must +be +based on more than analogies, since analogies can be misleading as well as informative. + +In this essay I'll address the role of aesthetics in programming language design, but I will base my remarks +on a +book about structural engineering, The Tower and the Bridge, by David P. Billington. Although there are many +differences between bridges and programming languages, we will find that many ideas and insights transfer +rather +directly. + +According to Billington, there are three values common to many technological activities, which we can call +``the +three E's'': Efficiency, Economy and Elegance. These values correspond to three dimensions of technology, +which +Billington calls the scientific, social and symbolic dimensions (the three S's). We will consider each in +turn. + + +Efficiency Seeks to Minimize Resources Used + +In structural engineering, efficiency deals with the amount of material used; the basic criterion is safety +and the +issues are scientific (strength of materials, disposition of forces, etc.). Similarly, in programming language +design, +efficiency is a scientific question dealing with the use of resources. There are many examples where +efficiency +considerations influenced programming language design (some are reviewed in my Principles of Programming +Languages). In the early days, the resources to be minimized were often runtime memory usage and processing +time, although compile-time resource utilization was also relevant. In other cases the resource economized was +programmer typing time, and there are well-known cases in which this compromised safety (e.g. FORTRAN's +implicit declarations). There are also many well-known cases in which security (i.e. safety) was sacrificed +for the +sake of efficiency by neglecting runtime error checking (e.g. array bounds checking). + +Efficiency issues often can be quantified in terms of computer memory or time, but we must be careful that we +are +not comparing apples and oranges. Compile time is not interchangeable run time, and neither one is the same as +programmer time. Similarly, computer memory cannot be traded off against computer time unless both are +reduced to a common denominator, such as money, but this brings in economic considerations, to which we now +turn. + + +Economy Seeks to Maximize Benefit versus Cost + +Whereas efficiency is a scientific issue, economy is a social issue. In structural engineering, economy seeks +to +maximize social benefit compared to its cost. (This is especially appropriate since structures like bridges +are +usually built at public expense for the benefit of the public.) In programming language design, the ``public'' +that +must be satisfied is the programming community that will use the language and the institutions for which these +programmers work. + +Economic tradeoffs are hard to make because economic values change and are difficult to predict. For example, +the shift from first to second generation programming languages was largely a result of a decrease in the cost +of +computer time compared to programmer time, the shift from the second to the third generation involved the +increasing cost of residual bugs in programs, and the fourth generation reflected the increasing cost of +program +maintenance compared to program development. + +Other social factors involved in the success or failure of a programming language include: whether major +manufacturers support the language, whether prestigious universities teach it, whether it is approved in some +way +by influential organizations (such as the US Department of Defense), whether it has been standardized, whether +it +comes to be perceived as a ``real'' language (used by ``real programmers'') or as a ``toy'' language (used by +novices +or dilettantes), and so forth. As can be seen from the historical remarks in my Principles, social factors are +frequently more important than scientific factors in determining the success or failure of a programming +language. + +Often economic issues can be quantified in terms of money, but the monetary values of costs and benefits are +often +unstable and unpredictable because they depend on changing market forces. Also, many social issues, from +dissatisfaction with poorly designed software to human misery resulting from system failures, are inaccurately +represented by the single dimension of monetary cost. All kinds of ``cost'' and ``benefit'' must be considered +in +seeking an economical design. + + +Elegance Symbolizes Good Design + +``Elegance? Who cares about elegance?'' snorts the hard-nosed engineer, but Billington shows clearly the +critical +role of elegance in ``hard-nosed'' engineering. + +For the Designer + +It is well-known that feature interaction poses a serious problem for language designers because of the +difficulty +of analyzing all the possible interactions of features in a language (see my Principles for examples). +Structural +engineers face similar problems of analytic complexity, but Billington observes that the best designers don't +make +extensive use of computer models and calculation. + +One reason is that mathematical analysis is always incomplete. The engineer must make a decision about which +variables are significant and which are not, and an analysis may lead to incorrect conclusions if this +decision is not +made well. Also, equations are often simplified (e.g., made linear) to make their analysis feasible, and this +is +another potential source of error. Because of these limitations, engineers that depend on mathematical +analysis +may overdesign a structure to compensate for unforeseen effects left out of the analysis. Thus the price of +safety is +additional material and increased cost (i.e. decreased efficiency and economy). + +Similarly in programming language design, the limitations of the analytic approach often force us to make a +choice between an under-engineered design, in which we run the risk of unanticipated interactions, and an +over-engineered design, in which we have confidence, but which is inefficient or uneconomical. + +Many people have seen the famous film of the collapse in 1940 of the four-month-old Tacoma Narrows bridge; it +vibrated itself to pieces in a storm because aerodynamical stability had not been considered in its design. +Billington explains that this accident, along with a number of less dramatic bridge failures, was a +consequence of +an increasing use of theoretical analyses that began in the 1920s. However, the very problem that destroyed +the +Tacoma Narrows bridge had been anticipated and avoided a century before by bridge designers who were guided +by aesthetic principles. + +According to Billington, the best structural engineers do not rely on mathematical analysis (although they do +not +abandon it altogether). Rather, their design activity is guided by a sense of elegance. This is because +solutions to +structural engineering problems are usually greatly underdetermined, that is, there are many possible +solutions to a +particular problem, such as bridging a particular river. Therefore, expert designers restrict their attention +to +designs in which the interaction of the forces is easy to see. The design looks unbalanced if the forces are +unbalanced, and the design looks stable if it is stable. + +The general principle is that designs that look good will also be good, and therefore the design process can +be +guided by aesthetics without extensive (but incomplete) mathematical analysis. Billington expresses this idea +by +inverting the old architectural maxim and asserting that, in structural design, function follows form. He adds +(p. +21), ``When the form is well chosen, its analysis becomes astoundingly simple.'' In other words, the choice of +form is open and free, so we should pick forms where elegant design expresses good design (i.e. efficient and +economical design). If we do so, then we can let aesthetics guide design. + +The same applies to programming language design. By restricting our attention to designs in which the +interaction +of features is manifest - in which good interactions look good, and bad interactions look bad - we can let our +aesthetic sense guide our design and we can be much more confident that we have a good design, without having +to +check all the possible interactions. + +For the User + +In this case, what's good for the designer also is good for the user. Nobody is comfortable crossing a bridge +that +looks like it will collapse at any moment, and nobody is comfortable using a programming language in which +features may ``explode'' if combined in the wrong way. The manifest balance of forces in a well-designed +bridge +gives us confidence when we cross it. So also, the manifestly good design of our programming language should +reinforce our confidence when we program in it, because we have (well-justified) confidence in the +consequences +of our actions. + +We accomplish little by covering an unbalanced structure in a beautiful facade. When the bridge is unable to +sustain the load for which it was designed, and collapses, it won't much matter that it was beautiful on the +outside. +So also in programming languages. If the elegance is only superficial, that is, if it is not the manifestation +of a +deep coherence in the design, then programmers will quickly see through the illusion and loose their +(unwarranted) +confidence. + +In summary, good designers choose to work in a region of the design space where good designs look good. As a +consequence, these designers can rely on their aesthetic sense, as can the users of the structures (bridges or +programming languages) they design. We may miss out on some good designs this way, but they are of limited +value unless both the designer and the user can be confident that they are good designs. We may summarize the +preceding discussion in a maxim analogous to those in my Principles of Programming Languages: + The Elegance Principle + + Confine your attention to designs that look good because they are good. + + + +The Programming Language as Work Environment + +There are other reasons that elegance is relevant to a well-engineered programming language. The programming +language is something the professional programmer will live with - even live in. It should feel comfortable +and +safe, like a well-designed home or office; in this way it can contribute to the quality of the activities that +take +place within it. Would you work better in an oriental garden or a sweatshop? + +A programming language should be a joy to use. This will encourage its use and decrease the programmer's +fatigue +and frustration. The programming language should not be a hindrance, but should serve more as a collaborator, +encouraging programmers to do their jobs better. As some automobiles are ``driving machines'' and work as a +natural extension of the driver, so a programming language should be a ``programming machine'' by encouraging +the programmer to acquire the smooth competence and seemingly effortless skill of a virtuoso. The programming +language should invite the programmer to design elegant, efficient and economical programs. + +Through its aesthetic dimension a programming language symbolizes many values. For example, in the variety of +its features it may symbolize profligate excess, sparing economy or asceticism; the kind of its features may +represent intellectual sophistication, down-to-earth practicality or ignorant crudeness. Thus a programming +language can promote a set of values. By embodying certain values, it encourages us to think about them; by +neglecting or negating other values, it allows them to recede into the background and out of our attention. +Out of +sight, out of mind. + + +Acquiring a Sense of Elegance + +Aesthetics is notoriously difficult to teach, so you may wonder how you are supposed to acquire that refined +sense +of elegance necessary to good design. Billington observes that this sense is acquired through extensive +experience +in design, which, especially in Europe, is encouraged by a competitive process for choosing bridge designers. +Because of it, structural engineers design many more bridges than they build, and they learn from each +competition they loose by comparing their own designs with those of the winner and other losers. The public +also +critiques the competing designs, and in this way becomes more educated; their sense of elegance develops along +with that of the designers. + +So also, to improve as a programming language designer you should design many languages - design obsessively - +and criticize, revise and discard your designs. You should also evaluate and criticize other people's designs +and try +to improve them. In this way you will acquire the body of experience you will need when the ``real thing'' +comes +along. + + +References + + 1.Billington, David P., The Tower and the Bridge: The New Art of Structural Engineering, Princeton: + Princeton University Press, 1983. Chapters 1 and 6 are the most relevant. + + 2.MacLennan, Bruce J., Principles of Programming Languages: Design, Evaluation, and Implementation, + second edition, New York: Holt, Rinehart & Winston (now Oxford University Press), 1987. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0957.5f66d7beec0698b8ff48735f2477c7fe b/machine-learning-ex6/ex6/easy_ham/0957.5f66d7beec0698b8ff48735f2477c7fe new file mode 100644 index 0000000..db779ab --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0957.5f66d7beec0698b8ff48735f2477c7fe @@ -0,0 +1,72 @@ +From fork-admin@xent.com Sun Oct 6 22:56:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5C4E816F6D + for ; Sun, 6 Oct 2002 22:54:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:39 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g963uMK08866 for ; + Sun, 6 Oct 2002 04:56:23 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 633D729409F; Sat, 5 Oct 2002 20:56:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 0FBAE29409A for ; Sat, + 5 Oct 2002 20:55:44 -0700 (PDT) +Received: (qmail 9260 invoked from network); 6 Oct 2002 03:56:01 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 6 Oct 2002 03:56:01 -0000 +Reply-To: +From: "John Hall" +To: "FoRK" +Subject: Our friends the Palestinians, Our servants in government. +Message-Id: <003001c26cec$49505bc0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 5 Oct 2002 20:56:01 -0700 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + + +Hijacker High (8/30) +Dalal Mughrabi was a Palestinian woman who participated in a 1978 bus +hijacking in which 36 Israelis and an American nature photographer, Gail +Ruban, were killed. Mughrabi has a Palestinian high school named after +her, and it's apparently starting to show signs of wear. Fortunately, +the United States Agency for International Development has stepped in +with money to help renovate it. + +http://reason.com/brickbats/bb-april.shtml + +Links to: + +http://www.cnsnews.com/ViewForeignBureaus.asp?Page=\ForeignBureaus\archi +ve\200208\FOR20020807e.html + +Praeterea censeo Palestininem esse delendam. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0958.f564af86e1a1c10e2f7428899c8543e7 b/machine-learning-ex6/ex6/easy_ham/0958.f564af86e1a1c10e2f7428899c8543e7 new file mode 100644 index 0000000..8e13229 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0958.f564af86e1a1c10e2f7428899c8543e7 @@ -0,0 +1,100 @@ +From fork-admin@xent.com Sun Oct 6 22:56:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3617216F6E + for ; Sun, 6 Oct 2002 22:54:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g964aHK10100 for ; + Sun, 6 Oct 2002 05:36:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BE1372940AD; Sat, 5 Oct 2002 21:36:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id D238429409A for ; + Sat, 5 Oct 2002 21:35:24 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17y38u-0007QB-00; Sun, 06 Oct 2002 00:35:48 -0400 +From: "Geege Schuman" +To: , "FoRK" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: <003001c26cec$49505bc0$0200a8c0@JMHALL> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 00:34:38 -0400 +X-Spam-Status: No, hits=-5.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_00_10,T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +she read the links. what must it be like, she wondered, to devote ones life +to pointing out neighbors' mistakes, mishaps, inconsistencies and +frailties? + +gloating is definitely underrated in the good book - eh, john? + +bring it on, +gg + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Hall +Sent: Saturday, October 05, 2002 11:56 PM +To: FoRK +Subject: Our friends the Palestinians, Our servants in government. + + + + +Hijacker High (8/30) +Dalal Mughrabi was a Palestinian woman who participated in a 1978 bus +hijacking in which 36 Israelis and an American nature photographer, Gail +Ruban, were killed. Mughrabi has a Palestinian high school named after +her, and it's apparently starting to show signs of wear. Fortunately, +the United States Agency for International Development has stepped in +with money to help renovate it. + +http://reason.com/brickbats/bb-april.shtml + +Links to: + +http://www.cnsnews.com/ViewForeignBureaus.asp?Page=\ForeignBureaus\archi +ve\200208\FOR20020807e.html + +Praeterea censeo Palestininem esse delendam. + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0959.2ff04e46681e4aa8f3be0f186d6a408e b/machine-learning-ex6/ex6/easy_ham/0959.2ff04e46681e4aa8f3be0f186d6a408e new file mode 100644 index 0000000..c39dff4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0959.2ff04e46681e4aa8f3be0f186d6a408e @@ -0,0 +1,140 @@ +From fork-admin@xent.com Sun Oct 6 22:56:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7F57716F19 + for ; Sun, 6 Oct 2002 22:54:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g967ORK14317 for ; + Sun, 6 Oct 2002 08:24:27 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 595B72940C8; Sun, 6 Oct 2002 00:24:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from axiom.braindust.com (axiom.braindust.com [64.69.71.79]) by + xent.com (Postfix) with ESMTP id 6ADB129409A for ; + Sun, 6 Oct 2002 00:23:45 -0700 (PDT) +X-Envelope-To: +Received: from ianbell.com (194125.aebc.com [209.53.194.125]) + (authenticated (0 bits)) by axiom.braindust.com (8.12.5/8.11.6) with ESMTP + id g967O4GT006034 for ; Sun, 6 Oct 2002 00:24:04 -0700 +Subject: Re: Our friends the Palestinians, Our servants in government. +Content-Type: text/plain; delsp=yes; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +From: Ian Andrew Bell +To: "'FoRK'" +Content-Transfer-Encoding: 7bit +In-Reply-To: <003c01c26cfd$ce23e5e0$0200a8c0@JMHALL> +Message-Id: +X-Mailer: Apple Mail (2.546) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 00:25:36 -0700 +X-Spam-Status: No, hits=-6.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_NONSENSE_FROM_00_10, + T_OUTLOOK_REPLY,T_QUOTE_TWICE_1,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +I propose they rename it "Charlie Heston High" and maybe the students +will learn to take AR-15s with extended military-spec scopes and .223 +high-velocity ammo and start plinking innocent civilians at random in +the suburbs of Washington. That's far more effectual than blowing +oneself up in a bus. + +In America these days, it seems that violence ascribed to any political +doctrine foreign to Bushism is vile and repugnant. But random violence +is entertainment and intrigue. + +A couple of ex-FBI "consultants" speaking on the shootings in DC were +quoted as saying the shooters, presumed to be a pair, were getting a +"heroin-like high" from each successful kill and that they "for +whatever reason decided to level the playing field, thumbing their nose +at law enforcement and society." + +See? Just a couple of kids having fun with Daddy's semi-automatic +hunting rifle. Harmless! + +-Ian. + +On Saturday, October 5, 2002, at 11:01 PM, John Hall wrote: + +> +> It wasn't gloating, it was one for the horror file. +> +> And of course for the Palestinians it wasn't a mistake, which is a key +> part of the horror. +> +> I'm not against American taxpayers remodeling a school honoring a +> killer +> if we do it with a daisy cutter. +> +> +> +>> -----Original Message----- +>> From: Geege Schuman [mailto:geege@barrera.org] +>> Sent: Saturday, October 05, 2002 9:35 PM +>> To: johnhall@evergo.net; FoRK +>> Subject: RE: Our friends the Palestinians, Our servants in government. +>> +>> she read the links. what must it be like, she wondered, to devote ones +>> life +>> to pointing out neighbors' mistakes, mishaps, inconsistencies and +>> frailties? +>> +>> gloating is definitely underrated in the good book - eh, john? +>> +>> bring it on, +>> gg +>> +>> -----Original Message----- +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +> John +>> Hall +>> Sent: Saturday, October 05, 2002 11:56 PM +>> To: FoRK +>> Subject: Our friends the Palestinians, Our servants in government. +>> +>> +>> +>> +>> Hijacker High (8/30) +>> Dalal Mughrabi was a Palestinian woman who participated in a 1978 bus +>> hijacking in which 36 Israelis and an American nature photographer, +> Gail +>> Ruban, were killed. Mughrabi has a Palestinian high school named after +>> her, and it's apparently starting to show signs of wear. Fortunately, +>> the United States Agency for International Development has stepped in +>> with money to help renovate it. +>> +>> http://reason.com/brickbats/bb-april.shtml +>> +>> Links to: +>> +>> +> http://www.cnsnews.com/ +> ViewForeignBureaus.asp?Page=\ForeignBureaus\archi +>> ve\200208\FOR20020807e.html +>> +>> Praeterea censeo Palestininem esse delendam. +>> +>> +>> +>> +>> +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/0960.ef7ed4755c4f2630aea5bf4074829bbb b/machine-learning-ex6/ex6/easy_ham/0960.ef7ed4755c4f2630aea5bf4074829bbb new file mode 100644 index 0000000..8a9b6ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0960.ef7ed4755c4f2630aea5bf4074829bbb @@ -0,0 +1,118 @@ +From fork-admin@xent.com Sun Oct 6 22:56:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BC61716F6F + for ; Sun, 6 Oct 2002 22:54:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:42 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9662JK12335 for ; + Sun, 6 Oct 2002 07:02:20 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BCAC62940C5; Sat, 5 Oct 2002 23:02:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 3821C29409A for ; Sat, + 5 Oct 2002 23:01:05 -0700 (PDT) +Received: (qmail 15528 invoked from network); 6 Oct 2002 06:01:25 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 6 Oct 2002 06:01:25 -0000 +Reply-To: +From: "John Hall" +To: "'Geege Schuman'" , "'FoRK'" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: <003c01c26cfd$ce23e5e0$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sat, 5 Oct 2002 23:01:25 -0700 +X-Spam-Status: No, hits=-7.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + + +It wasn't gloating, it was one for the horror file. + +And of course for the Palestinians it wasn't a mistake, which is a key +part of the horror. + +I'm not against American taxpayers remodeling a school honoring a killer +if we do it with a daisy cutter. + + + +> -----Original Message----- +> From: Geege Schuman [mailto:geege@barrera.org] +> Sent: Saturday, October 05, 2002 9:35 PM +> To: johnhall@evergo.net; FoRK +> Subject: RE: Our friends the Palestinians, Our servants in government. +> +> she read the links. what must it be like, she wondered, to devote ones +> life +> to pointing out neighbors' mistakes, mishaps, inconsistencies and +> frailties? +> +> gloating is definitely underrated in the good book - eh, john? +> +> bring it on, +> gg +> +> -----Original Message----- +> From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of +John +> Hall +> Sent: Saturday, October 05, 2002 11:56 PM +> To: FoRK +> Subject: Our friends the Palestinians, Our servants in government. +> +> +> +> +> Hijacker High (8/30) +> Dalal Mughrabi was a Palestinian woman who participated in a 1978 bus +> hijacking in which 36 Israelis and an American nature photographer, +Gail +> Ruban, were killed. Mughrabi has a Palestinian high school named after +> her, and it's apparently starting to show signs of wear. Fortunately, +> the United States Agency for International Development has stepped in +> with money to help renovate it. +> +> http://reason.com/brickbats/bb-april.shtml +> +> Links to: +> +> +http://www.cnsnews.com/ViewForeignBureaus.asp?Page=\ForeignBureaus\archi +> ve\200208\FOR20020807e.html +> +> Praeterea censeo Palestininem esse delendam. +> +> +> +> +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0961.06496acb4b3a9db5434d7c68ff5376e0 b/machine-learning-ex6/ex6/easy_ham/0961.06496acb4b3a9db5434d7c68ff5376e0 new file mode 100644 index 0000000..261bc1c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0961.06496acb4b3a9db5434d7c68ff5376e0 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Sun Oct 6 22:57:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A8CDB16F70 + for ; Sun, 6 Oct 2002 22:54:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96GvOK28498 for ; + Sun, 6 Oct 2002 17:57:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 294642940AC; Sun, 6 Oct 2002 09:57:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (dav55.law15.hotmail.com [64.4.22.63]) by + xent.com (Postfix) with ESMTP id B76A529409A for ; + Sun, 6 Oct 2002 09:56:29 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Sun, 6 Oct 2002 09:56:52 -0700 +X-Originating-Ip: [207.202.171.254] +From: "Mr. FoRK" +To: "'FoRK'" +References: <003c01c26cfd$ce23e5e0$0200a8c0@JMHALL> +Subject: Re: Our friends the Palestinians, Our servants in government. +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Message-Id: +X-Originalarrivaltime: 06 Oct 2002 16:56:52.0759 (UTC) FILETIME=[5EAB3270:01C26D59] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 10:02:04 -0700 +X-Spam-Status: No, hits=-33.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_NONSENSE_FROM_00_10,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + + +----- Original Message ----- +From: "John Hall" +> +> I'm not against American taxpayers remodeling a school honoring a killer +> if we do it with a daisy cutter. +With or without occupants? + + diff --git a/machine-learning-ex6/ex6/easy_ham/0962.2fb2ffd2e80f2dc290149d36a47cef24 b/machine-learning-ex6/ex6/easy_ham/0962.2fb2ffd2e80f2dc290149d36a47cef24 new file mode 100644 index 0000000..abaed97 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0962.2fb2ffd2e80f2dc290149d36a47cef24 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Sun Oct 6 22:56:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4255716F20 + for ; Sun, 6 Oct 2002 22:54:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96DHOK23147 for ; + Sun, 6 Oct 2002 14:17:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B24812940BD; Sun, 6 Oct 2002 06:17:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 9A14629409A for + ; Sun, 6 Oct 2002 06:16:26 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17yB8T-0003iK-00; Sun, 06 Oct 2002 10:07:53 -0300 +Message-Id: <3DA038A5.6080408@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: johnhall@evergo.net +Cc: "'Geege Schuman'" , "'FoRK'" +Subject: Re: Our friends the Palestinians, Our servants in government. +References: <003c01c26cfd$ce23e5e0$0200a8c0@JMHALL> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 06 Oct 2002 10:20:37 -0300 +X-Spam-Status: No, hits=-13.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_00_10,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +John Hall wrote: + +>It wasn't gloating, it was one for the horror file. +> +>And of course for the Palestinians it wasn't a mistake, which is a key +>part of the horror. +> +>I'm not against American taxpayers remodeling a school honoring a killer +>if we do it with a daisy cutter. +> +> +> +> +I'm sure the plan is that it will be renamed for the settler who kills +the last Palestinian in a few years. + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0963.5c8f4d192ae6da76be5fcf3d63a7124e b/machine-learning-ex6/ex6/easy_ham/0963.5c8f4d192ae6da76be5fcf3d63a7124e new file mode 100644 index 0000000..25351ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0963.5c8f4d192ae6da76be5fcf3d63a7124e @@ -0,0 +1,98 @@ +From fork-admin@xent.com Sun Oct 6 22:57:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8E08716F03 + for ; Sun, 6 Oct 2002 22:54:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96JS2K32212 for ; + Sun, 6 Oct 2002 20:28:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 285A12940C6; Sun, 6 Oct 2002 12:26:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 925F72940C3 for ; + Sun, 6 Oct 2002 12:25:21 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17yH1x-0003G9-00; Sun, 06 Oct 2002 15:25:33 -0400 +From: "Geege Schuman" +To: "Owen Byrne" , +Cc: "'Geege Schuman'" , "'FoRK'" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: <3DA038A5.6080408@permafrost.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 15:24:16 -0400 +X-Spam-Status: No, hits=-8.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + T_MSGID_GOOD_EXCHANGE,T_NONSENSE_FROM_00_10, + T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +see my first line: I READ THE LINKS. brickbats. idiot. + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of Owen +Byrne +Sent: Sunday, October 06, 2002 9:21 AM +To: johnhall@evergo.net +Cc: 'Geege Schuman'; 'FoRK' +Subject: Re: Our friends the Palestinians, Our servants in government. + + +John Hall wrote: + +>It wasn't gloating, it was one for the horror file. +> +>And of course for the Palestinians it wasn't a mistake, which is a key +>part of the horror. +> +>I'm not against American taxpayers remodeling a school honoring a killer +>if we do it with a daisy cutter. +> +> +> +> +I'm sure the plan is that it will be renamed for the settler who kills +the last Palestinian in a few years. + +Owen + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0964.d2bb65180b5827292fc3e54a44a02fdd b/machine-learning-ex6/ex6/easy_ham/0964.d2bb65180b5827292fc3e54a44a02fdd new file mode 100644 index 0000000..f1738c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0964.d2bb65180b5827292fc3e54a44a02fdd @@ -0,0 +1,84 @@ +From fork-admin@xent.com Sun Oct 6 22:57:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2295016F71 + for ; Sun, 6 Oct 2002 22:54:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96JNOK32161 for ; + Sun, 6 Oct 2002 20:23:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E66932940AA; Sun, 6 Oct 2002 12:23:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 5831E29409A for ; Sun, + 6 Oct 2002 12:22:19 -0700 (PDT) +Received: (qmail 20672 invoked from network); 6 Oct 2002 19:22:41 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 6 Oct 2002 19:22:41 -0000 +Reply-To: +From: "John Hall" +To: "'FoRK'" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: <002601c26d6d$be14c410$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <3DA038A5.6080408@permafrost.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 12:22:42 -0700 +X-Spam-Status: No, hits=-9.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +When a settler goes postal and kills some Palestinians they are treated +as a criminal, not celebrated in word and song. + +But you knew that. + +When a Palestinian sets out, to great rejoicing, to attempt to target +children with a homicide-bomb, they are careful to dip the shrapnel in +rat poison. It helps prevent blood clotting in the victims, you see. + +I'm sure all those Jewish homicide-bombers do the same. Oh wait, there +aren't any. + +If the Palestinians are driven completely out, either by expulsion or +death, they will have nobody to blame but themselves. That won't stop +them or you from pretending otherwise. + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Owen +> Byrne + + +> I'm sure the plan is that it will be renamed for the settler who kills +> the last Palestinian in a few years. +> +> Owen +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0965.ba396065e5cc872d89cb197e4773f372 b/machine-learning-ex6/ex6/easy_ham/0965.ba396065e5cc872d89cb197e4773f372 new file mode 100644 index 0000000..ad69c20 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0965.ba396065e5cc872d89cb197e4773f372 @@ -0,0 +1,95 @@ +From fork-admin@xent.com Sun Oct 6 22:57:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6E3E516F73 + for ; Sun, 6 Oct 2002 22:54:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96LVOK03617 for ; + Sun, 6 Oct 2002 22:31:24 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 58E2C2940C3; Sun, 6 Oct 2002 14:31:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from homer.perfectpresence.com (unknown [209.123.207.194]) by + xent.com (Postfix) with ESMTP id 17E092940C2 for ; + Sun, 6 Oct 2002 14:30:27 -0700 (PDT) +Received: from adsl-17-226-227.jax.bellsouth.net ([68.17.226.227] + helo=regina) by homer.perfectpresence.com with smtp (Exim 3.36 #1) id + 17yIzF-0006lO-00; Sun, 06 Oct 2002 17:30:53 -0400 +From: "Geege Schuman" +To: +Cc: "'FoRK'" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +In-Reply-To: <003c01c26d7b$b82ac190$0200a8c0@JMHALL> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - homer.perfectpresence.com +X-Antiabuse: Original Domain - xent.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - barrera.org +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 17:29:35 -0400 +X-Spam-Status: No, hits=-8.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,T_MSGID_GOOD_EXCHANGE, + T_NONSENSE_FROM_00_10,T_ORIGINAL_MESSAGE,T_OUTLOOK_REPLY + version=2.50-cvs +X-Spam-Level: + +when brickbats or fox exposes the folly of government they do so to +accomplish a specific end; dumping truckload after truckload of bad acts +proves their point: stupidity and greed typify government, therefore any +government is too much government. + + + +-----Original Message----- +From: fork-admin@xent.com [mailto:fork-admin@xent.com]On Behalf Of John +Hall +Sent: Sunday, October 06, 2002 5:03 PM +Cc: 'FoRK' +Subject: RE: Our friends the Palestinians, Our servants in government. + + +Yes, you read the links. + +Sorry, but exposing folly is not only humorous but also instructive. It +is only by exposing folly to ridicule that you stop it in the first +place. + +'Brickbats' leans heavily on both, though the item I highlighted was a +'horror' item not a 'gee that is stupid' item. For an example of the +latter, see the city that wanted a woman to pay a ticket for parking in +an UNmarked no-parking space. + +> From: Geege Schuman [mailto:geege@barrera.org] +> +> see my first line: I READ THE LINKS. brickbats. idiot. + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0966.20a99be33fcc43b63c8b082d9348ee02 b/machine-learning-ex6/ex6/easy_ham/0966.20a99be33fcc43b63c8b082d9348ee02 new file mode 100644 index 0000000..be24bb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0966.20a99be33fcc43b63c8b082d9348ee02 @@ -0,0 +1,70 @@ +From fork-admin@xent.com Sun Oct 6 22:57:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 424A616F72 + for ; Sun, 6 Oct 2002 22:54:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:54:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g96L3PK02803 for ; + Sun, 6 Oct 2002 22:03:25 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BA5F329409E; Sun, 6 Oct 2002 14:03:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id DA55E29409A for ; Sun, + 6 Oct 2002 14:02:21 -0700 (PDT) +Received: (qmail 26059 invoked from network); 6 Oct 2002 21:02:45 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 6 Oct 2002 21:02:45 -0000 +Reply-To: +From: "John Hall" +Cc: "'FoRK'" +Subject: RE: Our friends the Palestinians, Our servants in government. +Message-Id: <003c01c26d7b$b82ac190$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 6 Oct 2002 14:02:45 -0700 +X-Spam-Status: No, hits=-10.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Yes, you read the links. + +Sorry, but exposing folly is not only humorous but also instructive. It +is only by exposing folly to ridicule that you stop it in the first +place. + +'Brickbats' leans heavily on both, though the item I highlighted was a +'horror' item not a 'gee that is stupid' item. For an example of the +latter, see the city that wanted a woman to pay a ticket for parking in +an UNmarked no-parking space. + +> From: Geege Schuman [mailto:geege@barrera.org] +> +> see my first line: I READ THE LINKS. brickbats. idiot. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0967.4e58795717c8348425fd06d48c7acc9e b/machine-learning-ex6/ex6/easy_ham/0967.4e58795717c8348425fd06d48c7acc9e new file mode 100644 index 0000000..87c45e7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0967.4e58795717c8348425fd06d48c7acc9e @@ -0,0 +1,99 @@ +From fork-admin@xent.com Mon Oct 7 20:37:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F8FC16F03 + for ; Mon, 7 Oct 2002 20:37:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 20:37:00 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97JKSK13730 for ; + Mon, 7 Oct 2002 20:20:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E4C8B2940D2; Mon, 7 Oct 2002 12:20:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from dream.darwin.nasa.gov (betlik.darwin.nasa.gov + [198.123.160.11]) by xent.com (Postfix) with ESMTP id 7975629409A for + ; Mon, 7 Oct 2002 12:19:14 -0700 (PDT) +Received: from cse.ucsc.edu (paperweight.darwin.nasa.gov [198.123.160.27]) + by dream.darwin.nasa.gov ( -- Info omitted by ASANI Solutions, + LLC.) with ESMTP id g97JJdh14958 for ; Mon, 7 Oct 2002 + 12:19:41 -0700 (PDT) +Message-Id: <3DA1DE4B.7080401@cse.ucsc.edu> +From: Elias Sinderson +Reply-To: fork@example.com +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: fork@example.com +Subject: Re: The absurdities of life. +References: <3283394680.20021007145936@magnesium.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 07 Oct 2002 12:19:39 -0700 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + REFERENCES,T_NONSENSE_FROM_30_40,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +I call PacBell/SBC every two or three months about a recurring problem +we have at my house: + +We get a phone bill every month for someone who no longer lives at our +house for a phone line which has been disconnected for over three years +and the account balance is (drum roll please) $0.00! Sometimes the +people I talk to cannot locate the account in their system and tell me +that the phone number doesn't exist. Some people are able to locate the +account but say that it has been disconnected and there is no way we +could get a bill sent to us for that account. Some people can locate the +account and verify that the line has been disconnected for three years +and that the amount owed is $0.00 and then they say somthing along the +lines of "Huh?" or "I'm not sure what's going on... Hold please." And +eventually I have similar conversations with their managers and the +account representatives and billing people and their managers and their +managers' managers ad naseum. + +The outcome of every phone call is that they'll "look into it" and fix +the problem and I might receive one or two more bills depending on when +it's resolved. So I wait a month or two and send the bills back marked +"Not at this address, please fsck off." and then eventually call them +back and go through the whole process again. Lately I just explain to +the phone jockeys that I know it's not their fault and I'm not mad at +them and it's just not their day because I'm about to give them hell. +Then I give them the opportunity to have me yell at their boss which +they seem all too happy to do. + +At least it gives me a positive way to vent my aggressions and it's a +lot cheaper than seeing a therapist. + +Perplexed, +Elias + + +bitbitch@magnesium.net wrote: + +> +>So I get a check from Pac Bell today (SBC as they're called now). +>Turns out, they went to the trouble of printing out, signing, sealing +>and stamping a check just to refund me for a whole $0.33. +> +>[...] +> + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0968.0be9064c59a1e2ff57a88a6254fc5c27 b/machine-learning-ex6/ex6/easy_ham/0968.0be9064c59a1e2ff57a88a6254fc5c27 new file mode 100644 index 0000000..e1fa7d1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0968.0be9064c59a1e2ff57a88a6254fc5c27 @@ -0,0 +1,86 @@ +From fork-admin@xent.com Mon Oct 7 20:37:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 290C316F16 + for ; Mon, 7 Oct 2002 20:37:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 20:37:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97JOmK13925 for ; + Mon, 7 Oct 2002 20:24:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5AE5E2940D6; Mon, 7 Oct 2002 12:21:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id B46D32940D5 for + ; Mon, 7 Oct 2002 12:20:17 -0700 (PDT) +Received: (qmail 28151 invoked by uid 501); 7 Oct 2002 19:20:33 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Oct 2002 19:20:33 -0000 +From: CDale +To: bitbitch@magnesium.net +Cc: fork@example.com +Subject: Re: The absurdities of life. +In-Reply-To: <3283394680.20021007145936@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 14:20:33 -0500 (CDT) +X-Spam-Status: No, hits=-8.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_30_40,T_QUOTE_TWICE_1,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +It was a kick when an apt manager kept mailing me a notice that I owed +them .08. I just waited to see how many times they'd mail me a notice. 7 +times by the time I left and paid them the .08. Funny thing was, I lived +right behind the office where it was mailed from. (: +Cindy + +On Mon, 7 Oct 2002 bitbitch@magnesium.net wrote: + +> +> +> So I get a check from Pac Bell today (SBC as they're called now). +> Turns out, they went to the trouble of printing out, signing, sealing +> and stamping a check just to refund me for a whole $0.33. +> +> They easily spent more than this just getting the materials together. +> Why the hell do companies bother to do this crap? I mean, isn't there +> a bottom line in terms of cost effectiveness? I don't think I missed +> the .33, but I sure as hell would have appreciated lower rates in lieu +> of being returned pennies. +> +> I'm truly stuck on this though. I don't know whether to frame the +> check, burn it, or cash it in. Maybe I should find a way to return to +> sender, so they have to spend -more- money on giving me my .33 dues. +> +> +> Does .33 even buy anything anymore? Funny bit of it, is I couldn't +> even make a phone call these days. +> +> *boggled* +> BB. +> +> + +-- +"I don't take no stocks in mathematics, anyway" --Huckleberry Finn + + diff --git a/machine-learning-ex6/ex6/easy_ham/0969.c872e57098d18f1588a9e0b1307cee42 b/machine-learning-ex6/ex6/easy_ham/0969.c872e57098d18f1588a9e0b1307cee42 new file mode 100644 index 0000000..6eae452 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0969.c872e57098d18f1588a9e0b1307cee42 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Mon Oct 7 20:37:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7945216F03 + for ; Mon, 7 Oct 2002 20:37:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 20:37:04 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97JQnK13955 for ; + Mon, 7 Oct 2002 20:26:49 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E97FC2940DD; Mon, 7 Oct 2002 12:25:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 580372940DA for ; Mon, + 7 Oct 2002 12:24:54 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 9CAA83ED70; + Mon, 7 Oct 2002 15:30:11 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 9B28D3ED6B; Mon, 7 Oct 2002 15:30:11 -0400 (EDT) +From: Tom +To: bitbitch@magnesium.net +Cc: fork@example.com +Subject: Re: The absurdities of life. +In-Reply-To: <3283394680.20021007145936@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 15:30:11 -0400 (EDT) +X-Spam-Status: No, hits=-17.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_30_40,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Mon, 7 Oct 2002 bitbitch@magnesium.net wrote: + +--]I'm truly stuck on this though. I don't know whether to frame the +--]check, burn it, or cash it in. + +I framed my 2$ check from mp3.com. Someone bought the Cd I have up there +some years back and it is my real and actual proof in saying I am a paid +musician. Of course I never cashed the check so techinaly I never did get +paid...but thats another matter alltogther. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0970.f10c0a8d0caea18d4fe49bef77099b7e b/machine-learning-ex6/ex6/easy_ham/0970.f10c0a8d0caea18d4fe49bef77099b7e new file mode 100644 index 0000000..c2a7cf8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0970.f10c0a8d0caea18d4fe49bef77099b7e @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Oct 7 20:37:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B8B4F16F16 + for ; Mon, 7 Oct 2002 20:37:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 20:37:05 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97JUQK14006 for ; + Mon, 7 Oct 2002 20:30:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9D9B02940E1; Mon, 7 Oct 2002 12:27:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id 07B122940E0 for ; + Mon, 7 Oct 2002 12:26:21 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 07 Oct 2002 15:26:20 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <171284997644.20021007152619@magnesium.net> +To: fork@example.com +Subject: And yet more absurdity. +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 15:26:19 -0400 +X-Spam-Status: No, hits=-5.4 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NO_REAL_NAME,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +I knew it'd be a day for insanity. + +so anyway, news.com decided to write up two wonderful articles on the +DMCA and decided to link to decss.exe, the very verboten code that +ended up getting 2600 (but none of the other news services that +originally linked) spanked. + +Slashdot, of course, links to them. + +So now, I link to slashdot. + +http://slashdot.org/articles/02/10/07/1331217.shtml?tid=123 + +I find this all incredibly funny really. Congress _and_ the courts +relaly do need to be considering how laws such as the DMCA are +applied. For the most part, these rules are coming down to whose +friend you happen to be, how nefarious the defendant party is, and how +asleep the judge is behind the case (asleep/self-interested/bought). +Its giving me a real cynical view on being a lawyer, thats for sure. + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0971.0442a60e9294a07934b67f751cb1177e b/machine-learning-ex6/ex6/easy_ham/0971.0442a60e9294a07934b67f751cb1177e new file mode 100644 index 0000000..e80093d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0971.0442a60e9294a07934b67f751cb1177e @@ -0,0 +1,102 @@ +From fork-admin@xent.com Mon Oct 7 21:56:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D86A616F18 + for ; Mon, 7 Oct 2002 21:56:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 21:56:13 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97JjsK14541 for ; + Mon, 7 Oct 2002 20:45:55 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 793592940D5; Mon, 7 Oct 2002 12:45:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 4FCB52940D4 for + ; Mon, 7 Oct 2002 12:44:19 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.36 #1 (Debian)) id + 17ydfa-00074D-00; Mon, 07 Oct 2002 16:35:58 -0300 +Message-Id: <3DA1E514.9080807@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1) Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Dave Long +Cc: fork@example.com +Subject: Re: erratum [Re: no matter ...] & errors +References: <200210071841.LAA25074@maltesecat> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 07 Oct 2002 16:48:36 -0300 +X-Spam-Status: No, hits=-15.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_00_10, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Dave Long wrote: + +>> +>> +>> +>>>"The United States is the only country in the world to tax its citizens +>>>on a worldwide basis, ... +>>> +>>> +> +>I am told this is also true (at least) +>for Australia. I suppose I shouldn't +>rely upon editorial fact-checking. +> +>:::::: +> +> +> +>> If they manage to emulate the process +>>that occurred in Northern Ireland, then maybe in 20 years or so +>>they'll be yelling at each other across the floor of some legislative +>>assembly instead. Label me an optimist. +>> +>> +> +>Since "let's you and him fight" worked +>so remarkably poorly in Ireland, there +>must've been plenty of places it worked +>well for the British to have tried it +>again in Israel. What were they? +> +>-Dave +> +> +I'm not sure what you mean by "let's you and him fight", but it is +important to remember that England was in control of Ireland +for 300 years, and that it was only thanks to the distraction of WW I +that the south managed to gain its independence. If you mean +splitting countries upon arbitrary lines and assigning different groups +to opposite sides of the line, it also seems to have not worked in +India/Pakistan. +I suppose Canada, which is supposed to be a "loose confederation" of 2 +founding nations (French and English) can be cited as a success. The +jury is still out, but so far only a few brief rebellions and +referendums and such, still together after 130+ years. + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0972.58234e68337a7a333ca40560900f82d9 b/machine-learning-ex6/ex6/easy_ham/0972.58234e68337a7a333ca40560900f82d9 new file mode 100644 index 0000000..70bebf9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0972.58234e68337a7a333ca40560900f82d9 @@ -0,0 +1,62 @@ +From fork-admin@xent.com Mon Oct 7 21:56:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A4B316F19 + for ; Mon, 7 Oct 2002 21:56:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 21:56:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97KeUK16207 for ; + Mon, 7 Oct 2002 21:40:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 97CB52940D7; Mon, 7 Oct 2002 13:40:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id E93522940D3 for ; Mon, + 7 Oct 2002 13:39:44 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 1A2773ED52; + Mon, 7 Oct 2002 16:45:03 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 18AC83EBCC for ; Mon, + 7 Oct 2002 16:45:03 -0400 (EDT) +From: Tom +To: fork@example.com +Subject: Quick, Outlaw Touching +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 16:45:02 -0400 (EDT) +X-Spam-Status: No, hits=-18.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_30_40, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +I know I heard of this a few years back but Wired and Slashyrot are both +running stories on 10mbs data transfer via human touch. + +Oh I can see it now, The first bicostal file exchange system that will see +the newsest Offspring tunes distribute by handshake, copulation and +moshpiting. + +http://www.newscientist.com/news/news.jsp?id=ns99992891 +http://www.news.com.au/common/story_page/0,4057,5239758%255E13762,00.html +http://slashdot.org/articles/02/10/07/0238234.shtml?tid=100 + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0973.89427fb666841ff5794e403f199002af b/machine-learning-ex6/ex6/easy_ham/0973.89427fb666841ff5794e403f199002af new file mode 100644 index 0000000..35990af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0973.89427fb666841ff5794e403f199002af @@ -0,0 +1,82 @@ +From fork-admin@xent.com Mon Oct 7 21:56:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A5C3F16F1A + for ; Mon, 7 Oct 2002 21:56:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 21:56:16 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97KkXK16440 for ; + Mon, 7 Oct 2002 21:46:33 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5E6252940E0; Mon, 7 Oct 2002 13:46:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id A446F2940DF for ; + Mon, 7 Oct 2002 13:45:36 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 07 Oct 2002 16:45:43 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <16289760343.20021007164541@magnesium.net> +To: Tom +Cc: fork@example.com +Subject: Re: Quick, Outlaw Touching +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 16:45:41 -0400 +X-Spam-Status: No, hits=-8.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +Hello Tom, + +Monday, October 7, 2002, 4:45:02 PM, you wrote: + + +T> I know I heard of this a few years back but Wired and Slashyrot are both +T> running stories on 10mbs data transfer via human touch. + +T> Oh I can see it now, The first bicostal file exchange system that will see +T> the newsest Offspring tunes distribute by handshake, copulation and +T> moshpiting. + +T> http://www.newscientist.com/news/news.jsp?id=ns99992891 +T> http://www.news.com.au/common/story_page/0,4057,5239758%255E13762,00.html +T> http://slashdot.org/articles/02/10/07/0238234.shtml?tid=100 + + + +Wow. I'm just wondering how the earliest adopter of all new +technologies, the porn market will spin this one... + + "New... Now you can transfer porn while you screw!' Talk about + exchanging energy. + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0974.12d5f785a949c7cd9c0c81a34a370842 b/machine-learning-ex6/ex6/easy_ham/0974.12d5f785a949c7cd9c0c81a34a370842 new file mode 100644 index 0000000..381b742 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0974.12d5f785a949c7cd9c0c81a34a370842 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Mon Oct 7 22:40:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 238AF16F03 + for ; Mon, 7 Oct 2002 22:40:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 22:40:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97L3ZK16898 for ; + Mon, 7 Oct 2002 22:03:36 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3664D2940D8; Mon, 7 Oct 2002 14:03:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id E8F6D2940A1 for ; Mon, + 7 Oct 2002 14:02:03 -0700 (PDT) +Received: (qmail 10982 invoked from network); 7 Oct 2002 21:02:27 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 7 Oct 2002 21:02:27 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: The absurdities of life. +Message-Id: <000001c26e44$d8780150$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +Importance: Normal +In-Reply-To: <3283394680.20021007145936@magnesium.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 14:02:28 -0700 +X-Spam-Status: No, hits=-17.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +They are legally required to do that. I got a similar check because an +insurance company didn't pay a claim quickly enough. It might have been +$.02. + +Although they spent lots more than $.33 to mail you the check, the +alternative seems to be to keep the money. Do you really want companies +to have a financial incentive to over-bill you 'just a bit' so they +could keep it? For a company with millions of customers, $.33/customer +starts adding up. + + + + + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +> bitbitch@magnesium.net + +> So I get a check from Pac Bell today (SBC as they're called now). +> Turns out, they went to the trouble of printing out, signing, sealing +> and stamping a check just to refund me for a whole $0.33. +> +> They easily spent more than this just getting the materials together. +> Why the hell do companies bother to do this crap? I mean, isn't there +> a bottom line in terms of cost effectiveness? I don't think I missed +> the .33, but I sure as hell would have appreciated lower rates in lieu +> of being returned pennies. +> +> I'm truly stuck on this though. I don't know whether to frame the +> check, burn it, or cash it in. Maybe I should find a way to return to +> sender, so they have to spend -more- money on giving me my .33 dues. +> +> +> Does .33 even buy anything anymore? Funny bit of it, is I couldn't +> even make a phone call these days. +> +> *boggled* +> BB. +> +> -- +> Best regards, +> bitbitch mailto:bitbitch@magnesium.net + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0975.e49c2453f33ce748a8d9128708ce0a81 b/machine-learning-ex6/ex6/easy_ham/0975.e49c2453f33ce748a8d9128708ce0a81 new file mode 100644 index 0000000..2410637 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0975.e49c2453f33ce748a8d9128708ce0a81 @@ -0,0 +1,118 @@ +From fork-admin@xent.com Mon Oct 7 22:40:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E520916F17 + for ; Mon, 7 Oct 2002 22:40:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 22:40:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97LBtK17261 for ; + Mon, 7 Oct 2002 22:11:57 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 743AF2940DF; Mon, 7 Oct 2002 14:11:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from 192.168.1.2 (smtp.piercelaw.edu [216.204.12.219]) by + xent.com (Postfix) with ESMTP id E8C3B2940A1 for ; + Mon, 7 Oct 2002 14:10:19 -0700 (PDT) +Received: from 192.168.30.220 ([192.168.30.220]) by 192.168.1.2; + Mon, 07 Oct 2002 17:10:17 -0400 +From: bitbitch@magnesium.net +X-Mailer: The Bat! (v1.61) Educational +Reply-To: bitbitch@magnesium.net +X-Priority: 3 (Normal) +Message-Id: <157291235594.20021007171017@magnesium.net> +To: John Hall +Cc: fork@example.com +Subject: Re[2]: The absurdities of life. +In-Reply-To: <000001c26e44$d8780150$0200a8c0@JMHALL> +References: <000001c26e44$d8780150$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 17:10:17 -0400 +X-Spam-Status: No, hits=-9.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + + +JH> They are legally required to do that. I got a similar check because an +JH> insurance company didn't pay a claim quickly enough. It might have been +JH> $.02. + +JH> Although they spent lots more than $.33 to mail you the check, the +JH> alternative seems to be to keep the money. Do you really want companies +JH> to have a financial incentive to over-bill you 'just a bit' so they +JH> could keep it? For a company with millions of customers, $.33/customer +JH> starts adding up. + + +Christ, you sound worse than me. + +What I -said- in my post, John, was that instead of having to dole out +stupid refunds, I'd rather they save the costs incurred, knock off one +of those bullshit surcharges that they inevitably charge for promoting +services like these, and move on. SOmething tells me, it'd balance +out. Problem is, they're silly, they don't want to do this, and +rather than the legislation coming up with an affective means of +controlling the situation (overcharging) they impose silly +requirements like this. + + + + + + +>> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +>> bitbitch@magnesium.net + +>> So I get a check from Pac Bell today (SBC as they're called now). +>> Turns out, they went to the trouble of printing out, signing, sealing +>> and stamping a check just to refund me for a whole $0.33. +>> +>> They easily spent more than this just getting the materials together. +>> Why the hell do companies bother to do this crap? I mean, isn't there +>> a bottom line in terms of cost effectiveness? I don't think I missed +>> the .33, but I sure as hell would have appreciated lower rates in lieu +>> of being returned pennies. +>> +>> I'm truly stuck on this though. I don't know whether to frame the +>> check, burn it, or cash it in. Maybe I should find a way to return to +>> sender, so they have to spend -more- money on giving me my .33 dues. +>> +>> +>> Does .33 even buy anything anymore? Funny bit of it, is I couldn't +>> even make a phone call these days. +>> +>> *boggled* +>> BB. +>> +>> -- +>> Best regards, +>> bitbitch mailto:bitbitch@magnesium.net + + + + + +-- +Best regards, + bitbitch mailto:bitbitch@magnesium.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/0976.3da1d276c9603bdf777d80e0e74ec148 b/machine-learning-ex6/ex6/easy_ham/0976.3da1d276c9603bdf777d80e0e74ec148 new file mode 100644 index 0000000..c6f17d6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0976.3da1d276c9603bdf777d80e0e74ec148 @@ -0,0 +1,106 @@ +From fork-admin@xent.com Tue Oct 8 00:32:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 07AF716F03 + for ; Tue, 8 Oct 2002 00:32:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 00:32:02 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97NQTK21525 for ; + Tue, 8 Oct 2002 00:26:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id EF30E2940A1; Mon, 7 Oct 2002 16:26:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id A152A29409A for ; + Mon, 7 Oct 2002 16:25:44 -0700 (PDT) +Received: (qmail 59714 invoked by uid 19621); 7 Oct 2002 23:23:42 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 7 Oct 2002 23:23:42 -0000 +Subject: Re: erratum [Re: no matter ...] & errors +From: James Rogers +To: fork@example.com +In-Reply-To: <3DA1E514.9080807@permafrost.net> +References: <200210071841.LAA25074@maltesecat> + <3DA1E514.9080807@permafrost.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1034034330.14068.144.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 07 Oct 2002 16:45:30 -0700 +X-Spam-Status: No, hits=-8.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 12:48, Owen Byrne wrote: +> I suppose Canada, which is supposed to be a "loose confederation" of 2 +> founding nations (French and English) can be cited as a success. The +> jury is still out, but so far only a few brief rebellions and +> referendums and such, still together after 130+ years. + + +Alberta, and to a lesser extent some of the other Western provinces, is +definitely not happy with the current arrangement. Some of this has to +do with the strange way the Canadian government is structured. When I +was last up in Alberta (a month ago), the newspapers were reporting +something like 70% of Albertans favor separating from Canada, and over +several distinct issues. + +The problem is basically that while Alberta is an economic powerhouse +that is propping up the weaker economies of the Eastern provinces, their +interests are openly and unapologetically ignored by the government in +Ottawa. While Alberta sends something like twice the tax dollars to +Ottawa per capita of the average Canadian, they only have token +representation in the federal government. While I'm not clear on +exactly how the government works up there, representation is not +entirely based on population, and it works out that some eastern +provinces with populations smaller than the city of Calgary alone have +substantially more representatives in the legislature than the entire +province of Alberta. + +The long and the short of it is that the eastern provinces use Alberta +as a personal ATM machine for their social programs while not even so +much as throwing Alberta a bone, and are able to do so because even the +sparsely populated eastern provinces can out-vote Alberta despite having +fewer people. Or something like that. The Canadian government is less +restricted than the US government, so they can do strange things, like +having restrictive regulations that only apply to certain provinces, +Alberta being on the receiving end of many such obscenities. It is +essentially a much worse version of what is happening in the +inter-mountain West of the US. Unlike the US case though, the rest of +Canada would really be hurting if they weren't receiving all those tax +dollars from Alberta. OTOH, Alberta would probably thrive. + +I have friends in Alberta, and visit occasionally, but I'm not totally +clear on everything that goes on in that country, due to my partial +unfamiliarity with how the government works up there, so I'm a little +fuzzy on some of the details. What I do know is that on average the +Albertans are quite unhappy with their current position in Canada and +the sentiment has been getting worse over the years. + +Cheers, + +-James Rogers + jamesr@best.com + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0977.d0e3f4e7fd0a8c2bdd26888af1ca3a0b b/machine-learning-ex6/ex6/easy_ham/0977.d0e3f4e7fd0a8c2bdd26888af1ca3a0b new file mode 100644 index 0000000..32d0d35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0977.d0e3f4e7fd0a8c2bdd26888af1ca3a0b @@ -0,0 +1,80 @@ +From fork-admin@xent.com Tue Oct 8 10:56:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CCC2316F16 + for ; Tue, 8 Oct 2002 10:56:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:56:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g989KUK08679 for ; + Tue, 8 Oct 2002 10:20:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 431202940AE; Tue, 8 Oct 2002 02:20:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from gremlin.ics.uci.edu (gremlin.ics.uci.edu [128.195.1.70]) by + xent.com (Postfix) with ESMTP id D50442940AE; Tue, 8 Oct 2002 02:19:38 + -0700 (PDT) +Received: from localhost (godzilla.ics.uci.edu [128.195.1.58]) by + gremlin.ics.uci.edu (8.12.5/8.12.5) with ESMTP id g989JCgB000573; + Tue, 8 Oct 2002 02:19:12 -0700 (PDT) +Subject: why is decentralization worth worrying about? +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Rohit Khare +To: fork@example.com +Message-Id: <2583F1FA-DA52-11D6-B1B1-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +X-Mailscanner: Found to be clean +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Mon, 7 Oct 2002 17:09:00 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g989KUK08679 +X-Spam-Status: No, hits=-5.2 required=5.0 + tests=AWL,DATE_IN_PAST_06_12,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_30_40,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +Why am I so passionate about decentralization? Because I believe some of +today’s most profound problems with networked applications are caused by +centralization. + +Generically, a centralized political or economic system permits only one +answer to a question, while decentralization permits many separate +agents to hold different opinions of the same matter. In the specific +context of software, centralized variables can only contain one valid +value at a time. That limits us to only representing information A) +according to the beliefs of a single agency, and B) that changes more +slowly than it takes to propagate. Nevertheless, centralization is the +basis for today’s most popular architectural style for developing +network applications: client-server interaction using request-response +communication protocols. + +I believe these are profound limitations, which we are already +encountering in practice. Spam, for example, is in the eye of the +beholder, yet our email protocols and tools do not acknowledge the +separate interests of senders and receivers. Slamming, for another, +unfairly advantages the bidder with the lowest-latency connection to a +centralized auction server. Sharing ad-hoc wireless networks is yet a +third example of decentralized resource allocation. Furthermore, as +abstract as centralization-induced failures might seem today, these +limits will _not_ improve as the cost of computing, storage, and +communication bandwidth continue to plummet. Instead, the speed of light +and human independence constitute _fundamental_ limits to centralized +information representation, and hence centralized software architecture. + + diff --git a/machine-learning-ex6/ex6/easy_ham/0978.3abc52be262e3631f31cd4aee5a1b901 b/machine-learning-ex6/ex6/easy_ham/0978.3abc52be262e3631f31cd4aee5a1b901 new file mode 100644 index 0000000..96a58a3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0978.3abc52be262e3631f31cd4aee5a1b901 @@ -0,0 +1,139 @@ +From fork-admin@xent.com Thu Aug 22 16:37:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5DB9843F99 + for ; Thu, 22 Aug 2002 11:37:40 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:37:40 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MFbVZ12617 for ; + Thu, 22 Aug 2002 16:37:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D8D5029409A; Thu, 22 Aug 2002 08:35:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 3703F294099 for + ; Thu, 22 Aug 2002 08:34:40 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17htxj-0008Ad-00 for ; Thu, 22 Aug 2002 12:33:31 -0300 +Message-Id: <3D6505C3.2020405@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: The case for spam +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:39:47 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=DISCLAIMER,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +SpamAssassin is hurting democracy! +Owen +--------------------------------------------------------------------------------------------------------------------- + +http://www.bayarea.com/mld/mercurynews/news/opinion/3900215.htm + +Internet can level the political playing field +By Mike McCurry and Larry Purpuro + +NOT many months from now, people across the country will experience one +of the great recurring features of American democracy. At shopping +malls, on factory floors, at church socials and even on our front +stoops, we will be approached by individuals who want to represent us in +public office. While chances are high that we won't know them +personally, they will walk up to us, offer a handshake and a flier and +ask for our votes. + +Just as technology is affecting every other area of communication, it +has begun to affect the way political candidates communicate with voters. + +In this year's GOP gubernatorial primary, California Secretary of State +Bill Jones, who faced better-funded candidates, acquired the e-mail +addresses of more than a million potential California voters and sent +each an unsolicited e-mail asking for support. + +That day, he might have chosen any of the more traditional -- and more +expensive -- methods of contacting voters, such as direct mail, radio +spots or TV ads. But he spent only about 2 cents per message, instead of +35 cents or more per message for direct mail or in another medium. + +Had Jones chosen direct mail, radio or TV, that communication would have +been equally ``unsolicited,'' as defined in the e-mail world. Few voters +would have ``opted in'' to receive campaign information from Jones +through any of those channels. + +The response to Jones' e-mail effort, however, was swift and intense. He +was lambasted by anti-spam advocates, and media coverage was almost +entirely negative. To be fair, some of Jones' tactics could have been +refined. He used a less-than-perfect list and no standard-practice +``paid for'' disclaimer in the message. + +His detractors, however, attacked him not for his tactical miscues but +because the e-mail was sent unsolicited. In fact, Jones' online campaign +may have been his most visible asset. In an era of cynicism toward money +in politics -- money typically spent on other unsolicited communication +mediums -- Jones tried to level the playing field. + +No one likes commercial spam. It is irrelevant and untargeted and can be +highly intrusive and even offensive. But as a sophisticated society, +it's time to differentiate commercial spam from very different +unsolicited e-mail sent by political candidates to voters. + +The debate is particularly relevant in light of legislation in Congress +that would constitute the first federal law to directly address spam. We +believe e-mail is no more intrusive than direct mail, telemarketing or +TV advertising when it comes to politicians seeking to reach voters. A +simple link in good e-mail campaigns allows recipients to opt out of +future mailings. Direct mail takes at least a phone call or stamp to be +taken off a list, and viewers must repeatedly endure TV ads. + +When a candidate lacks a large campaign war chest, he or she can use the +Internet to provide constituents with information to better prepare them +to perform their civic duty of casting educated votes. With more than 60 +percent of all potential voters in this country possessing e-mail +accounts, it makes sense that political candidates use this medium. + +Candidates might avoid some of the tactical problems encountered by the +Jones campaign if they use the technologies available today that better +ensure quality of e-mail lists and target content to specific recipient +groups. + +But the broader point remains. When a political candidate sends a voter +an e-mail, that recipient can choose to delete the message without +opening it, unsubscribe from the list, read it or even reply and engage +the sender. That choice should belong to the voter -- not to anti-spam +advocates whose efforts are better focused on commercial e-mail. +Political candidates should be free to communicate with voters as best +they can, and let voters decide what to do with that information. + + +-------------------------------------------------------------------------------- +Mike McCurry, former press secretary for President Clinton, is CEO of an +advocacy management and communications software company. Larry Purpuro, +the former Republican National Committee deputy chief of staff, is +founder and president of a political e-marketing firm. This was written +for the Los Angeles Times. + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0979.d3eaa275a74abc971eabaf1650d97bda b/machine-learning-ex6/ex6/easy_ham/0979.d3eaa275a74abc971eabaf1650d97bda new file mode 100644 index 0000000..96cf918 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0979.d3eaa275a74abc971eabaf1650d97bda @@ -0,0 +1,122 @@ +From fork-admin@xent.com Fri Aug 23 11:08:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 93D8944160 + for ; Fri, 23 Aug 2002 06:06:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:44 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MIPTZ19588 for ; + Thu, 22 Aug 2002 19:25:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 94BC22940D4; Thu, 22 Aug 2002 11:23:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm7-32.sba1.netlojix.net + [207.71.222.128]) by xent.com (Postfix) with ESMTP id 8C7AD294099 for + ; Thu, 22 Aug 2002 11:22:33 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA21283; + Thu, 22 Aug 2002 11:11:58 -0700 +Message-Id: <200208221811.LAA21283@maltesecat> +To: fork@example.com +Subject: RE: The Curse of India's Socialism +In-Reply-To: Message from fork-request@xent.com of + "Wed, 21 Aug 2002 11:30:03 PDT." + <20020821183003.25673.41476.Mailman@lair.xent.com> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 11:11:57 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + + +> You have multiple generations of +> peasants/squatters that cultivate and live on the lands almost as a +> human parts of the property package. + +When I'd read that "getting legal title +can take 20 years", when I believe that +1 year ought to be more than sufficient, +(and helped by the Cairo reference) I'd +assumed that we were talking about the +urban poor. + +If I see people living in mansions, or +even in suburban subdivisions, I assume +they didn't have too much trouble with +their titles. + +If I see people living in shanties and +haphazard alleyways, I tend to assume +their parcels weren't exactly recorded +on the government maps, or paid for with +a bank loan, especially when nearby vacant +lots have shotgun wielding men presumably +intent on keeping them "development" free. + +Now, it may be that "Manhattanites' view +of America" to say that outside of Metro +Manila, Davao, and maybe another city or +two (Cebu?), everything else (literally) +is the boondocks. But going on that very +broad assumption, I guess I'm describing +the flip side of Mr. Roger's experience: +the paisanos (who leave behind those who +remain on a patron's rural land) move to +Manila, and (the second assumption) squat +in shantytowns there, at least until they +can line up a middle-class job. + +So, going on two large assumptions, I can +come up with a scenario under which title +would take 20 years: a shantytown arises +somewhere in the midst of a section (or +whatever the Spanish used to divvy up the +land) and it takes decades of arguing to +put together a package which somehow can +both compensate the owner and record lots +for the inhabitants. Just transferring +title to an existing lot, between parties +who have money, ought not to be a problem. + +The obvious solution, at least to us +barking farting chihuahuas on FoRK, is +to "introduce market mechanisms". It is +left as an exercise to come up with one +which works when many of the agents (are +perceived to) have negligible NPV. + +-Dave + +> [land reform] meant that all the agricultural producers had +> to plant crops all the time (profitable or not) ... + +What happened to more highly-capitalized +land? Putting in trees instead of crops +sounds like it might sidestep that. + +> Mr. Long, I think you'd particularly enjoy the De Soto work. + +On the "to find" list. Any chance of +an explanation of that "Bell Jar" in +the meantime? + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0980.50625dab89ad0d10dd3f37a4e13bafbf b/machine-learning-ex6/ex6/easy_ham/0980.50625dab89ad0d10dd3f37a4e13bafbf new file mode 100644 index 0000000..78c9c59 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0980.50625dab89ad0d10dd3f37a4e13bafbf @@ -0,0 +1,65 @@ +From fork-admin@xent.com Fri Aug 23 11:08:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CA27244171 + for ; Fri, 23 Aug 2002 06:06:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJHVZ21324 for ; + Thu, 22 Aug 2002 20:17:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id B6BE92940DE; Thu, 22 Aug 2002 12:15:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (unknown [207.5.62.130]) by xent.com (Postfix) + with ESMTP id 8BCBA294099 for ; Thu, 22 Aug 2002 12:14:38 + -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Thu, 22 Aug 2002 19:16:04 -08:00 +Message-Id: <3D653874.8010204@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: Chris Haun +Cc: fork@example.com +Subject: Re: lifegem +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:16:04 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,WHY_WAIT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Chris Haun wrote: +> A LifeGem is a certified, high quality diamond created from the carbon of +> your loved one as a memorial to their unique and wonderful life. + +Why wait until you're dead? I'm sure there's enough carbon in +the fat from your typical liposuction job to make a decent diamond. + +- Joe + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0981.c8d50b71ed6245f895b58c29d60c09be b/machine-learning-ex6/ex6/easy_ham/0981.c8d50b71ed6245f895b58c29d60c09be new file mode 100644 index 0000000..c1352eb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0981.c8d50b71ed6245f895b58c29d60c09be @@ -0,0 +1,61 @@ +From fork-admin@xent.com Fri Aug 23 11:08:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BA70647C68 + for ; Fri, 23 Aug 2002 06:06:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:46 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJOSZ21435 for ; + Thu, 22 Aug 2002 20:24:28 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 532572940E5; Thu, 22 Aug 2002 12:22:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 19BE0294099 for ; Thu, + 22 Aug 2002 12:21:43 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id D1DEE3EC9E; + Thu, 22 Aug 2002 15:25:24 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id D04DE3EC10; Thu, 22 Aug 2002 15:25:24 -0400 (EDT) +From: Tom +To: "Joseph S. Barrera III" +Cc: Chris Haun , +Subject: Re: lifegem +In-Reply-To: <3D653874.8010204@barrera.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:25:24 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_PINE,WHY_WAIT + version=2.40-cvs +X-Spam-Level: + +On Thu, 22 Aug 2002, Joseph S. Barrera III wrote: +--]Why wait until you're dead? I'm sure there's enough carbon in +--]the fat from your typical liposuction job to make a decent diamond. + +So thats why I keep seeing DeBeers agents hovering around me. + +-tom(diamonds in the folds of my flesh)wsmf + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0982.3949b69b4c7d0ce7b5baa3cb1075b965 b/machine-learning-ex6/ex6/easy_ham/0982.3949b69b4c7d0ce7b5baa3cb1075b965 new file mode 100644 index 0000000..0e2de82 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0982.3949b69b4c7d0ce7b5baa3cb1075b965 @@ -0,0 +1,76 @@ +From fork-admin@xent.com Fri Aug 23 11:08:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C348B44163 + for ; Fri, 23 Aug 2002 06:06:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:47 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MJSYZ21645 for ; + Thu, 22 Aug 2002 20:28:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 03FCD2940ED; Thu, 22 Aug 2002 12:26:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 9B3612940EA for + ; Thu, 22 Aug 2002 12:25:08 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17hxYk-00009P-00; Thu, 22 Aug 2002 16:23:58 -0300 +Message-Id: <3D653BBF.3060209@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Joseph S. Barrera III" +Cc: Chris Haun , fork@example.com +Subject: Re: lifegem +References: + <3D653874.8010204@barrera.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:30:07 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.8 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,WHY_WAIT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Joseph S. Barrera III wrote: + +> Chris Haun wrote: +> +>> A LifeGem is a certified, high quality diamond created from the +>> carbon of your loved one as a memorial to their unique and wonderful +>> life. +> +> +> Why wait until you're dead? I'm sure there's enough carbon in +> the fat from your typical liposuction job to make a decent diamond. +> +> - Joe +> +Oh, hell - what about excrement? I'd love to be able to say - No, the +sun doesn't shine out of my ass, but there's the occasional diamond. ;-). + +Owen + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0983.c68392ce03bc95afaf1ef76360ee0a88 b/machine-learning-ex6/ex6/easy_ham/0983.c68392ce03bc95afaf1ef76360ee0a88 new file mode 100644 index 0000000..c182135 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0983.c68392ce03bc95afaf1ef76360ee0a88 @@ -0,0 +1,135 @@ +From fork-admin@xent.com Fri Aug 23 11:08:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BE9C147C69 + for ; Fri, 23 Aug 2002 06:06:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MK4SZ22618 for ; + Thu, 22 Aug 2002 21:04:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E6AD62940D8; Thu, 22 Aug 2002 13:02:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 790A7294099 for ; Thu, + 22 Aug 2002 13:01:08 -0700 (PDT) +Received: (qmail 21546 invoked from network); 22 Aug 2002 20:02:51 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 22 Aug 2002 20:02:51 -0000 +Reply-To: +From: "John Hall" +To: +Subject: Property rights in the 3rd World (De Soto's Mystery of Capital) +Message-Id: <008701c24a16$e3443830$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <200208221811.LAA21283@maltesecat> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 13:02:45 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +Dave +> Long +> Sent: Thursday, August 22, 2002 11:12 AM +> To: fork@example.com +> Subject: RE: The Curse of India's Socialism +> +> +> +> When I'd read that "getting legal title +> can take 20 years", when I believe that +> 1 year ought to be more than sufficient, +> (and helped by the Cairo reference) I'd +> assumed that we were talking about the +> urban poor. +> +> If I see people living in mansions, or +> even in suburban subdivisions, I assume +> they didn't have too much trouble with +> their titles. + +Pg 177: +In another country, a local newspaper, intrigued by our evidence of +extralegal real estate holdings, checked to see if the head of state's +official residence had a recorded title. It did not. + +Pg 92: +The value of land in the formal sector of Lima averages US$50 per square +meter, whereas in the area of Gamarra, where a great deal of Peru's +informal manufacturing sector resides, the value per square meter can go +as high as US$3,000. + +========== + +I'd have made the same assumption you did. De Soto says that isn't +correct. You can find mansions that don't have title. A lot of them, +in fact. But they can't be used for collateral for a loan, or otherwise +participate as 'capital' because of their extra-legal status. + + +> > Mr. Long, I think you'd particularly enjoy the De Soto work. +> +> On the "to find" list. Any chance of +> an explanation of that "Bell Jar" in +> the meantime? + +French historian Fernand Braudel (so Braudel's Bell Jar, not De Soto's) + +==> + +The key problem is to find out why that sector of society of the past, +which I would not hesitate to call capitalist, should have lived as if +in a bell jar, cut off from the rest; why was it not able to expand and +conquer the whole of society? ... [Why was it that] a significant rate +of capital formation was possible only in certain sectors and not in the +whole market economy of the time? ... It would perhaps be teasingly +paradoxial to say that whatever was in short supply, money certainly was +not ... so this was an age where poor land was bought up and magnificent +country residents built ... [How do we] resolve the contradiction ... +between the depressed economic climate and the splendors of Florence +under Lorenzo the Magnificent? + + +-------------- + +De Soto's theory is that the Bell Jar is formed when you segregate those +who have *practical* access to legal property rights and those who do +not. The poor[1] have property -- lots and lots of property. What they +don't have is access to the systems where we turn property into capital +and allow it to start growing. Their property can only be exchanged +with a small section of people who know them personally. + +[1] Actual poor people, not 'poor' Americans with a living standard that +is the envy of most of the world. + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0984.c155c04486f51644804c5e184a8e2a85 b/machine-learning-ex6/ex6/easy_ham/0984.c155c04486f51644804c5e184a8e2a85 new file mode 100644 index 0000000..18cdd21 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0984.c155c04486f51644804c5e184a8e2a85 @@ -0,0 +1,58 @@ +From fork-admin@xent.com Fri Aug 23 11:08:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE73347C6A + for ; Fri, 23 Aug 2002 06:06:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:49 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MKBTZ22948 for ; + Thu, 22 Aug 2002 21:11:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id E9D40294183; Thu, 22 Aug 2002 13:09:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from isolnetsux.techmonkeys.net (isolnetsux.techmonkeys.net + [64.243.46.20]) by xent.com (Postfix) with SMTP id 317F2294099 for + ; Thu, 22 Aug 2002 13:08:01 -0700 (PDT) +Received: (qmail 2336 invoked by uid 500); 22 Aug 2002 20:09:34 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 22 Aug 2002 20:09:34 -0000 +From: Chris Haun +X-X-Sender: chris@isolnetsux.techmonkeys.net +To: fork@example.com +Subject: public mailing list sign up package +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:09:34 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_01_02,SUBJECT_IS_LIST, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Has anyone seen/heard of/used some package that would let a random person +go to a webpage, create a mailing list, then administer that list. Also +of course let ppl sign up for the lists and manage their subscriptions. +Similar to the old listbot.org, but i'd like to have it running on my +server not someone elses :) + +Chris + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0985.1325fda30e2108d0b397796b11234f85 b/machine-learning-ex6/ex6/easy_ham/0985.1325fda30e2108d0b397796b11234f85 new file mode 100644 index 0000000..5b6dd9c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0985.1325fda30e2108d0b397796b11234f85 @@ -0,0 +1,63 @@ +From fork-admin@xent.com Fri Aug 23 11:08:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7EC734415F + for ; Fri, 23 Aug 2002 06:06:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7ML7TZ24823 for ; + Thu, 22 Aug 2002 22:07:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 4DC062940EE; Thu, 22 Aug 2002 14:05:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 2CC18294099 for ; Thu, 22 Aug 2002 14:04:34 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D7039C44E; + Thu, 22 Aug 2002 22:58:34 +0200 (CEST) +To: fork@example.com +Subject: Entrepreneurs +Message-Id: <20020822205834.D7039C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 22:58:34 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +An apparent quote from Dubya, from the Times (sent to me by my Dad): + +http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html + +------------------------------------------------------------------------------ +TONY BLAIR's special relationship with George W. Bush is under +considerable strain. Not only do the two disagree on Yassir Arafat's +tenure as leader of the Palestinian Authority, but Blair has started +telling disparaging anecdotes about the President. + +Baroness Williams of Crosby recalled a story told to her by 'my good +friend Tony Blair' recently in Brighton. Blair, Bush and Jacques +Chirac were discussing economics and, in particular, the decline of +the French economy. 'The problem with the French,' Bush confided in +Blair, 'is that they don't have a word for entrepreneur.' +------------------------------------------------------------------------------ + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0986.1e2f19247a82ecf9458801167232ee0a b/machine-learning-ex6/ex6/easy_ham/0986.1e2f19247a82ecf9458801167232ee0a new file mode 100644 index 0000000..2093a6f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0986.1e2f19247a82ecf9458801167232ee0a @@ -0,0 +1,114 @@ +From fork-admin@xent.com Fri Aug 23 11:08:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 82FE344172 + for ; Fri, 23 Aug 2002 06:06:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:52 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MM5UZ26911 for ; + Thu, 22 Aug 2002 23:05:31 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 055142940C8; Thu, 22 Aug 2002 15:03:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from samosa.chappati.org (ar1-nat-sp.collab.net [63.251.56.5]) + by xent.com (Postfix) with ESMTP id BED1C294099 for ; + Thu, 22 Aug 2002 15:02:43 -0700 (PDT) +Received: by samosa.chappati.org (Postfix, from userid 500) id 4F08E126E69; + Thu, 22 Aug 2002 15:04:02 -0700 (PDT) +From: Manoj Kasichainula +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020822220402.GA504@samosa.chappati.org> +Mail-Followup-To: fork@example.com +References: <20020822205834.D7039C44E@argote.ch> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020822205834.D7039C44E@argote.ch> +User-Agent: Mutt/1.5.1i +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:04:02 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +On Thu, Aug 22, 2002 at 10:58:34PM +0200, Robert Harley wrote: +> An apparent quote from Dubya, from the Times (sent to me by my Dad): +> +> http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html + +http://www.snopes.com/quotes/bush.htm + +Claim: President George W. Bush proclaimed, "The problem with +the French is that they don't have a word for entrepreneur." + +Status: False. + +Origins: Yet another French fried "George W. Bush is dumb" +story has been taken up by those who like their caricatures +drawn in stark, bold lines. According to scuttlebutt that +emerged in the British press in July 2002, President Bush, +Britain's Prime Minister Tony Blair, and France's President +Jacques Chirac were discussing economics and, in particular, +the decline of the French economy. "The problem with the +French," Bush afterwards confided in Blair, "is that they don't +have a word for entrepreneur." + +The source was Shirley Williams, also known as the Baroness +Williams of Crosby, who claimed "my good friend Tony Blair" had +recently regaled her with this anecdote in Brighton. + +Lloyd Grove of The Washington Post was unable to reach Baroness +Williams to gain her confirmation of the tale, but he did +receive a call from Alastair Campbell, Blair's director of +communications and strategy. "I can tell you that the prime +minister never heard George Bush say that, and he certainly +never told Shirley Williams that President Bush did say it," +Campbell told The Post. "If she put this in a speech, it must +have been a joke." + +This is far from the first time Bush has been made the butt of +a jibe meant to showcase what some perceive as his less than +stellar intellectual abilities. Without straining our memories +too hard, we can come up with three other instances we've +chronicled on this site. In the summer of 2001, the joke of the +moment centered upon a supposed study that had resulted in the +ranking of Presidential IQs, with George W. Bush being pegged +as the Chief Executive who scraped the bottom of the +intelligence barrel. In December 2000 it was a fake Nostradamus +quatrain which pontificated that the "village idiot" would win +the 2000 Presidential election. And in the spring of 2002, it +was the story of Bush's waving at Stevie Wonder that set folks +to chortling up their sleeves. + +Stories that illustrate this widely believed intellectual +shortcoming will always waft after George W. Bush because they +seemingly confirm what many already hold as true about this +public figure, that he's not the brightest fellow that's ever +been. It is human nature to revel in yarns that the hearer at +some level agrees with, thus tales of this sort will always +fall upon appreciative ears. + +Barbara "ears of corn" Mikkelson + +Last updated: 29 July 2002 + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0987.4ad8a98bfcc3968dfae0f8c4f1821d2c b/machine-learning-ex6/ex6/easy_ham/0987.4ad8a98bfcc3968dfae0f8c4f1821d2c new file mode 100644 index 0000000..ddeb7f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0987.4ad8a98bfcc3968dfae0f8c4f1821d2c @@ -0,0 +1,67 @@ +From fork-admin@xent.com Fri Aug 23 11:08:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6D38B47C6C + for ; Fri, 23 Aug 2002 06:06:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:53 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7MNQTZ29953 for ; + Fri, 23 Aug 2002 00:26:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 02B56294186; Thu, 22 Aug 2002 16:24:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail1.panix.com (mail1.panix.com [166.84.1.72]) by xent.com + (Postfix) with ESMTP id 403D8294099 for ; Thu, + 22 Aug 2002 16:23:54 -0700 (PDT) +Received: from 159-98.nyc.dsl.access.net (159-98.nyc.dsl.access.net + [166.84.159.98]) by mail1.panix.com (Postfix) with ESMTP id 414A54877A for + ; Thu, 22 Aug 2002 19:25:38 -0400 (EDT) +From: Lucas Gonze +X-X-Sender: lgonze@localhost.localdomain +Cc: "Fork@Xent.Com" +Subject: Re: The case for spam +In-Reply-To: <3D6556DC.5070408@permafrost.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 19:18:12 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_HEADERS, + SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + +Political mail (the snail kind) doesn't bother me. I like it a lot of the +time, because as crap as it is at least it's not the kind of info you get +on TV. Particularly for small time local politics, it's the best way to +get information. + +but what matters is that mail is speech, and political email has to be as +well protected as any other political speech. Spam is *the* tool for +dissident news, since the face that it's unsolicited means that recipients +can't be blamed for being on a mailing list. + + + + + + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0988.0743b9293ec2636dbc6065acd9b646fb b/machine-learning-ex6/ex6/easy_ham/0988.0743b9293ec2636dbc6065acd9b646fb new file mode 100644 index 0000000..5dbd209 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0988.0743b9293ec2636dbc6065acd9b646fb @@ -0,0 +1,74 @@ +From fork-admin@xent.com Fri Aug 23 11:08:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3AE1947C6D + for ; Fri, 23 Aug 2002 06:06:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N16TZ03375 for ; + Fri, 23 Aug 2002 02:06:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6F482940E1; Thu, 22 Aug 2002 18:04:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id DE0D3294099 for ; Thu, 22 Aug 2002 18:03:05 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D63AEC44E; + Fri, 23 Aug 2002 02:57:05 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823005705.D63AEC44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 02:57:05 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Manoj Kasichainula wrote; +>http://www.snopes.com/quotes/bush.htm +> +>Claim: President George W. Bush proclaimed, "The problem with +>the French is that they don't have a word for entrepreneur." +> +>Status: False. + +Status: Crap. + + +>Lloyd Grove of The Washington Post was unable to reach Baroness +>Williams to gain her confirmation of the tale, but he did +>receive a call from Alastair Campbell, Blair's director of +>communications and strategy. "I can tell you that the prime +>minister never heard George Bush say that, and he certainly +>never told Shirley Williams that President Bush did say it," +>Campbell told The Post. "If she put this in a speech, it must +>have been a joke." + +So some guy failed to reach the source, but instead got spin doctor to +deny it. Wot, is he thick enough to expect official confirmation +that, yes, Blair is going around casting aspersions on Bush??? + +It's an amusing anecdote, I don't know if it's true or not, but certainly +nothing here supports the authoritative sounding conclusion "Status: False". + + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0989.5c5812e631227a1a0873bc3fc9455c10 b/machine-learning-ex6/ex6/easy_ham/0989.5c5812e631227a1a0873bc3fc9455c10 new file mode 100644 index 0000000..a1a5fd4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0989.5c5812e631227a1a0873bc3fc9455c10 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Fri Aug 23 11:08:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1FC0647C6E + for ; Fri, 23 Aug 2002 06:06:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N1LTZ03723 for ; + Fri, 23 Aug 2002 02:21:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6D262940E7; Thu, 22 Aug 2002 18:19:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hotmail.com (f160.law15.hotmail.com [64.4.23.160]) by + xent.com (Postfix) with ESMTP id 95D1D294099 for ; + Thu, 22 Aug 2002 18:18:38 -0700 (PDT) +Received: from mail pickup service by hotmail.com with Microsoft SMTPSVC; + Thu, 22 Aug 2002 18:20:23 -0700 +Received: from 216.30.74.2 by lw15fd.law15.hotmail.msn.com with HTTP; + Fri, 23 Aug 2002 01:20:23 GMT +X-Originating-Ip: [216.30.74.2] +From: "Russell Turpin" +To: fork@example.com +Subject: Re: The case for spam +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed +Message-Id: +X-Originalarrivaltime: 23 Aug 2002 01:20:23.0609 (UTC) FILETIME=[41265290:01C24A43] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:20:23 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=HOTMAIL_FOOTER5,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Lucas Gonze: +>Spam is *the* tool for dissident news, since the fact that it's unsolicited +>means that recipients can't be blamed for being on a mailing list. + +That depends on how the list is collected, or +even on what the senders say about how the list +is collected. Better to just put it on a website, +and that way it can be surfed anonymously. AND +it doesn't clutter my inbox. + + +_________________________________________________________________ +Chat with friends online, try MSN Messenger: http://messenger.msn.com + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0990.7c68a426e051d8f04aa42d1c2d2e6cf4 b/machine-learning-ex6/ex6/easy_ham/0990.7c68a426e051d8f04aa42d1c2d2e6cf4 new file mode 100644 index 0000000..1ea6b20 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0990.7c68a426e051d8f04aa42d1c2d2e6cf4 @@ -0,0 +1,65 @@ +From fork-admin@xent.com Fri Aug 23 11:08:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D741B47C6F + for ; Fri, 23 Aug 2002 06:06:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:55 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N1jTZ04367 for ; + Fri, 23 Aug 2002 02:45:29 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6A11E2940F5; Thu, 22 Aug 2002 18:43:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id 2D0CE294099 for + ; Thu, 22 Aug 2002 18:42:41 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVZFFzJmsb6CFx8j2lnFk529F6pHVq8zxRebZ/rkY9nOITB+/+3fN03H5gv+GHxViF4= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17i3Uv-0007Lj-00 for fork@xent.com; Thu, 22 Aug 2002 21:44:25 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: Entrepreneurs +Message-Id: <3D655B37.2901.1DB12A@localhost> +Priority: normal +In-Reply-To: <20020823005705.D63AEC44E@argote.ch> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 21:44:23 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY, + IN_REP_TO,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On 23 Aug 2002 at 2:57, Robert Harley wrote: + +> It's an amusing anecdote, I don't know if it's true or not, +> but certainly nothing here supports the authoritative +> sounding conclusion "Status: False". + +I actually thought it was pretty funny and quite accurate. Who cares if the spinmeisters are denying it? +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0991.f273a70df275a44e46f4544897eaee23 b/machine-learning-ex6/ex6/easy_ham/0991.f273a70df275a44e46f4544897eaee23 new file mode 100644 index 0000000..5e2c460 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0991.f273a70df275a44e46f4544897eaee23 @@ -0,0 +1,72 @@ +From fork-admin@xent.com Fri Aug 23 11:08:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A091D47C70 + for ; Fri, 23 Aug 2002 06:06:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:56 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N5EVZ11380 for ; + Fri, 23 Aug 2002 06:14:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 0B70E2940D7; Thu, 22 Aug 2002 22:12:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from crank.slack.net (slack.net [166.84.151.181]) by xent.com + (Postfix) with ESMTP id 4A7D2294099 for ; Thu, + 22 Aug 2002 22:11:44 -0700 (PDT) +Received: by crank.slack.net (Postfix, from userid 596) id 8F5E23EDE0; + Fri, 23 Aug 2002 01:15:29 -0400 (EDT) +Received: from localhost (localhost [127.0.0.1]) by crank.slack.net + (Postfix) with ESMTP id 8DD423ECF3; Fri, 23 Aug 2002 01:15:29 -0400 (EDT) +From: Tom +To: Robert Harley +Cc: fork@example.com +Subject: Re: Entrepreneurs +In-Reply-To: <20020823005705.D63AEC44E@argote.ch> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:15:29 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Fri, 23 Aug 2002, Robert Harley wrote: + + +--]It's an amusing anecdote, I don't know if it's true or not, but certainly +--]nothing here supports the authoritative sounding conclusion "Status: False". +--] + +So thats the trick, just let any anecdotal utterances you LIKE be deemed +true until proven false, and then hold other data to the opposite +standard... + +Yeah, I see how that could be a handy tool RH. + + +(before teh lablemongers are out and about, I could give a shit what +BubbaU utters, its all shite. Kill your idols folks, your slips are +showing) + +-tom + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0992.a7884a746d675de27a0ca535685e8d6d b/machine-learning-ex6/ex6/easy_ham/0992.a7884a746d675de27a0ca535685e8d6d new file mode 100644 index 0000000..feb022c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0992.a7884a746d675de27a0ca535685e8d6d @@ -0,0 +1,82 @@ +From fork-admin@xent.com Fri Aug 23 11:09:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6C8BB44161 + for ; Fri, 23 Aug 2002 06:06:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:57 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N8CWZ15864 for ; + Fri, 23 Aug 2002 09:12:32 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 2DDA329418E; Fri, 23 Aug 2002 01:10:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from hughes-fe01.direcway.com (hughes-fe01.direcway.com + [66.82.20.91]) by xent.com (Postfix) with ESMTP id 0EC36294099 for + ; Fri, 23 Aug 2002 01:09:30 -0700 (PDT) +Received: from spinnaker ([64.157.38.84]) by hughes-fe01.direcway.com + (InterMail vK.4.04.00.00 201-232-137 license + dcc4e84cb8fc01ca8f8654c982ec8526) with ESMTP id + <20020823081149.JPJZ17240.hughes-fe01@spinnaker> for ; + Fri, 23 Aug 2002 04:11:49 -0400 +Subject: Re: Entrepreneurs +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Chuck Murcko +To: fork@example.com +Content-Transfer-Encoding: 7bit +In-Reply-To: <20020822205834.D7039C44E@argote.ch> +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 01:11:02 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +According to my son, it was actually Homer Simpson, who claimed the +French had no word for victory. + +Chuck + +On Thursday, August 22, 2002, at 01:58 PM, Robert Harley wrote: + +> An apparent quote from Dubya, from the Times (sent to me by my Dad): +> +> http://www.timesonline.co.uk/printFriendly/0,,1-43-351083,00.html +> +> ------------------------------------------------------------------------------ +> TONY BLAIR's special relationship with George W. Bush is under +> considerable strain. Not only do the two disagree on Yassir Arafat's +> tenure as leader of the Palestinian Authority, but Blair has started +> telling disparaging anecdotes about the President. +> +> Baroness Williams of Crosby recalled a story told to her by 'my good +> friend Tony Blair' recently in Brighton. Blair, Bush and Jacques +> Chirac were discussing economics and, in particular, the decline of +> the French economy. 'The problem with the French,' Bush confided in +> Blair, 'is that they don't have a word for entrepreneur.' +> ------------------------------------------------------------------------------ +> +> R +> http://xent.com/mailman/listinfo/fork +> + +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0993.e9b2fa685c22a3f2977985514c78d9e8 b/machine-learning-ex6/ex6/easy_ham/0993.e9b2fa685c22a3f2977985514c78d9e8 new file mode 100644 index 0000000..753ac59 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0993.e9b2fa685c22a3f2977985514c78d9e8 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Fri Aug 23 11:09:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3CB6743F99 + for ; Fri, 23 Aug 2002 06:06:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:58 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N8rUZ17136 for ; + Fri, 23 Aug 2002 09:53:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 7345F294192; Fri, 23 Aug 2002 01:51:08 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id 308B6294099 for ; Fri, 23 Aug 2002 01:50:40 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id D5070C44E; + Fri, 23 Aug 2002 10:44:35 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823084435.D5070C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 10:44:35 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Whore eructed: +>--]It's an amusing anecdote, I don't know if it's true or not, but +>--]certainly nothing here supports the authoritative sounding conclusion +>--]"Status: False". +> +>So thats the trick, just let any anecdotal utterances you LIKE be deemed +>true [...] + +Exsqueeze me, but what part of "I don't know if it's true or not" +did you fail to grok? I personally doubt it simply because I never +heard of Bush and Chirac going to Brighton. + +Next time I hear a joke, I promise not to laugh until I have checked +out primary sources for confirmation in triplicate, OK? Good thing +we have you around to keep us on the straight and narrow, all the while +inundating us with such erudite profundities as "Kill your idols folks", +"fight the powers that be, from with out and from with in" and innumerable +other dippy bromides. + + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0994.744ef88f9e8a7c41eb69e25950a8fc41 b/machine-learning-ex6/ex6/easy_ham/0994.744ef88f9e8a7c41eb69e25950a8fc41 new file mode 100644 index 0000000..6ead1a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0994.744ef88f9e8a7c41eb69e25950a8fc41 @@ -0,0 +1,53 @@ +From fork-admin@xent.com Fri Aug 23 11:09:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0D1FA47C71 + for ; Fri, 23 Aug 2002 06:06:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7N9vXZ19107 for ; + Fri, 23 Aug 2002 10:57:34 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 1993F294197; Fri, 23 Aug 2002 02:55:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from argote.ch (argote.ch [80.65.224.17]) by xent.com (Postfix) + with ESMTP id D28BB294099 for ; Fri, 23 Aug 2002 02:54:38 + -0700 (PDT) +Received: by argote.ch (Postfix, from userid 500) id ABDF4C44E; + Fri, 23 Aug 2002 11:48:33 +0200 (CEST) +To: fork@example.com +Subject: Re: Entrepreneurs +Message-Id: <20020823094833.ABDF4C44E@argote.ch> +From: harley@argote.ch (Robert Harley) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 11:48:33 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +I wrote: +>I personally doubt it simply because I never heard of Bush and Chirac +>going to Brighton. + +Actually it doesn't say that they did, just that Blair spoke to +Williams there. + +R +http://xent.com/mailman/listinfo/fork + diff --git a/machine-learning-ex6/ex6/easy_ham/0995.9298a05fd3411fb40a7c3b9768b72438 b/machine-learning-ex6/ex6/easy_ham/0995.9298a05fd3411fb40a7c3b9768b72438 new file mode 100644 index 0000000..fb4a8d2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0995.9298a05fd3411fb40a7c3b9768b72438 @@ -0,0 +1,80 @@ +From fork-admin@xent.com Thu Aug 29 16:52:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7996B44155 + for ; Thu, 29 Aug 2002 11:52:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:52:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TFklZ18708 for ; + Thu, 29 Aug 2002 16:46:47 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AA6122940DA; Thu, 29 Aug 2002 08:44:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp1.auracom.net (smtp1.auracom.net [165.154.140.23]) by + xent.com (Postfix) with ESMTP id 1D5E12940DA for ; + Thu, 29 Aug 2002 08:43:15 -0700 (PDT) +Received: from maya.dyndns.org (ts5-038.ptrb.interhop.net + [165.154.190.102]) by smtp1.auracom.net (8.11.2/8.11.2) with ESMTP id + g7TFIpD06133; Thu, 29 Aug 2002 11:18:51 -0400 (EDT) +Received: by maya.dyndns.org (Postfix, from userid 501) id 72BCA1C38A; + Thu, 29 Aug 2002 11:19:27 -0400 (EDT) +To: Eirikur Hallgrimsson +Cc: FoRK +Subject: Re: Internet saturation (but not in Iceland) +References: <200208290358.03815.eh@mad.scientist.com> +From: Gary Lawrence Murphy +X-Home-Page: http://www.teledyn.com +Organization: TCI Business Innovation through Open Source Computing +Message-Id: +Reply-To: Gary Lawrence Murphy +X-Url: http://www.teledyn.com/ +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 29 Aug 2002 11:19:27 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +>>>>> "E" == Eirikur Hallgrimsson writes: + + E> Gary's news service at teledyn.com has an article on Internet + E> Saturation. Let me ask you....If you were on a rock in the + E> middle of the Atlantic, mostly in the dark for half the year, + E> wouldn't *you* like a bit of internet distraction? They've + E> already done the obvious and fiber-ringed the island. + +There's lots of similar places. Saskatchewan, for example, once +shared with Iceland the distinction of most telephone connections per +capita, and for a long time shared the internet penetration lead with +Iceland (Sask is a land-locked massive expanse of ultra-flat dust with +only two rivers and farm sizes measured in the +hundred-thousand-hectares). + +It's still curious Iceland leads. Maybe there's just a deep cultural +curiousity and fascination with watching advertising from the rest of +the world. Maybe they're downloading Bjork videos. + +-- +Gary Lawrence Murphy TeleDynamics Communications Inc + Business Advantage through Community Software : http://www.teledyn.com +"Computers are useless. They can only give you answers."(Pablo Picasso) + + diff --git a/machine-learning-ex6/ex6/easy_ham/0996.a6ea93af44bc21fb704aecfd1bc4d57a b/machine-learning-ex6/ex6/easy_ham/0996.a6ea93af44bc21fb704aecfd1bc4d57a new file mode 100644 index 0000000..da4ff20 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0996.a6ea93af44bc21fb704aecfd1bc4d57a @@ -0,0 +1,70 @@ +From fork-admin@xent.com Thu Aug 29 16:32:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C408E43F9B + for ; Thu, 29 Aug 2002 11:32:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:32:25 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7TFU0Z18213 for ; + Thu, 29 Aug 2002 16:30:03 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id BDDE12940F6; Thu, 29 Aug 2002 08:27:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mx.spiritone.com (mx.spiritone.com [216.99.221.5]) by + xent.com (Postfix) with SMTP id 2E151294099 for ; + Thu, 29 Aug 2002 08:26:08 -0700 (PDT) +Received: (qmail 28639 invoked from network); 29 Aug 2002 15:28:11 -0000 +Received: (ofmipd 216.99.213.165); 29 Aug 2002 15:27:49 -0000 +Message-Id: +From: "RossO" +To: fork@example.com +Subject: Re: Computational Recreations +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Content-Transfer-Encoding: 7bit +In-Reply-To: +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 29 Aug 2002 08:28:13 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +On Monday, August 26, 2002, at 09:59 AM, Tom wrote: + +> Post MG in the 80's there were the colums by A K Dewdney that I dug a +> bunch put into a book called Turing Omnibus and then there is , of +> course, all the goodens put out by Dougy Hoffstadler. + +A.K. Dewdney was the name I was looking for and the column was "Computer +Recreations". Turns out he's still in Ontario and even has some homemade +Sci-Fi online... + +http://www.csd.uwo.ca/faculty/akd/TALES/index.html + +Vat Man +Programming Roger +The Homunculids +Alphie & Omega + + +...Ross... + + diff --git a/machine-learning-ex6/ex6/easy_ham/0997.df0c214721243248b9421e3c0ba9e453 b/machine-learning-ex6/ex6/easy_ham/0997.df0c214721243248b9421e3c0ba9e453 new file mode 100644 index 0000000..2212765 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0997.df0c214721243248b9421e3c0ba9e453 @@ -0,0 +1,74 @@ +From fork-admin@xent.com Mon Sep 2 13:14:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E05BF47C87 + for ; Mon, 2 Sep 2002 07:46:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:46:45 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g8206tZ09311 for ; + Mon, 2 Sep 2002 01:06:56 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9687C2940D2; Sun, 1 Sep 2002 17:04:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 1A70F294099 for + ; Sun, 1 Sep 2002 17:03:55 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Sun, 01 Sep 2002 23:51:54 -08:00 +Message-Id: <3D72A81A.1010901@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: FoRK +Subject: Re: revocation of grlygrl201@ +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 16:51:54 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +bitbitch@magnesium.net wrote: + > Well Beberg, unless you're really into Anime and actually hold true + > that dead people can send email, I think Geege's subject is just + > dandy. + +Funny you should mention that, as I just came back from refilling +the green coolant in my Navi. + + > (bonus FoRK points if Adam knows what anime i'm refering to) + +I guess I don't get any points, do I? No, didn't think so. + +- Joe + +P.S. We've just started watching Boogiepop Phantom... + +-- +The Combatant State is your father and your mother, your only +protector, the totality of your interests. No discipline can +be stern enough for the man who denies that by word or deed. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0998.9b9e34483f3588514be24dd97961764b b/machine-learning-ex6/ex6/easy_ham/0998.9b9e34483f3588514be24dd97961764b new file mode 100644 index 0000000..2570a12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0998.9b9e34483f3588514be24dd97961764b @@ -0,0 +1,76 @@ +From fork-admin@xent.com Mon Sep 2 13:12:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0CE9D47C88 + for ; Mon, 2 Sep 2002 07:47:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:47:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g820ExZ12578 for ; + Mon, 2 Sep 2002 01:15:00 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9F3192940C3; Sun, 1 Sep 2002 17:12:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id E4F93294099 for ; + Sun, 1 Sep 2002 17:11:08 -0700 (PDT) +Received: (qmail 2889 invoked by uid 1111); 2 Sep 2002 00:13:25 -0000 +From: "Adam L. Beberg" +To: +Cc: +Subject: Re: revocation of grlygrl201@ +In-Reply-To: <6464589899.20020901193917@magnesium.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 17:13:25 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sun, 1 Sep 2002 bitbitch@magnesium.net wrote: + +> Well Beberg, unless you're really into Anime and actually hold true +> that dead people can send email, I think Geege's subject is just dandy. +> Especially since she removed herself from the hive that is aol (and +> placed herself unto another, but hey :-)) + +Bandwidth is bandwidth. AOL is still the only mom-friendly place to get it. + +> *ducks and runs* + +What, like i'm not skilled with a bow? You better run really fast :-P + +> (bonus FoRK points if Adam knows what anime i'm refering to) + +Well lets see, about 99% of all anime? In anime dead people can talk, email, +hang out, and generally lead normal lives. Come to think of it they tend to +be the primary characters ;) + +But I suspect you mean Serial Experiments Lain, in which the initial "i'm +not dead yet" is via email. + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/0999.693cdb369d548fedfd9ad794b8b6b882 b/machine-learning-ex6/ex6/easy_ham/0999.693cdb369d548fedfd9ad794b8b6b882 new file mode 100644 index 0000000..34ef372 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/0999.693cdb369d548fedfd9ad794b8b6b882 @@ -0,0 +1,66 @@ +From fork-admin@xent.com Mon Sep 2 16:22:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7E0254415B + for ; Mon, 2 Sep 2002 11:21:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:21:59 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g823UQZ18033 for ; + Mon, 2 Sep 2002 04:30:26 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6CDC1294178; Sun, 1 Sep 2002 20:24:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from barrera.org (cpe-65-172-233-109.sanbrunocable.com + [65.172.233.109]) by xent.com (Postfix) with ESMTP id 4E8C529410A for + ; Sun, 1 Sep 2002 20:23:56 -0700 (PDT) +Received: from (127.0.0.1 [127.0.0.1]) by MailEnable Inbound Mail Agent + with ESMTP; Mon, 02 Sep 2002 01:07:29 -08:00 +Message-Id: <3D72B9D1.20101@barrera.org> +From: "Joseph S. Barrera III" +Organization: Wings over the World +User-Agent: Mutt 5.00.2919.6900 DM (Nigerian Scammer Special Edition) +X-Accept-Language: en-us, en, ja +MIME-Version: 1.0 +To: rbfar@ebuilt.com +Cc: Robert Harley , fork@example.com +Subject: Re: Java is for kiddies +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 18:07:29 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Reza B'Far (eBuilt) wrote: +> problems.... Why do most computer scientists insist on solving the same +> problems over and over again when there are some many more important and +> interesting problems (high level) to be solved ????? + +Amen! + +Doing it in an (unecessarily) harder way does NOT make you more of a man +(or less of a kiddie). + +- Joe + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1000.348e8a82897b05d584de019f4dd5c7e2 b/machine-learning-ex6/ex6/easy_ham/1000.348e8a82897b05d584de019f4dd5c7e2 new file mode 100644 index 0000000..8fef7a9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1000.348e8a82897b05d584de019f4dd5c7e2 @@ -0,0 +1,89 @@ +From fork-admin@xent.com Mon Sep 2 16:22:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E450743F9B + for ; Mon, 2 Sep 2002 11:21:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:21:54 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g822MpZ16361 for ; + Mon, 2 Sep 2002 03:22:51 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 5EB982940DE; Sun, 1 Sep 2002 19:20:02 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 6E01D294099 for ; + Sun, 1 Sep 2002 19:19:16 -0700 (PDT) +Received: (qmail 3268 invoked by uid 1111); 2 Sep 2002 02:21:33 -0000 +From: "Adam L. Beberg" +To: "Reza B'Far (eBuilt)" +Cc: +Subject: RE: Java is for kiddies +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Sun, 1 Sep 2002 19:21:33 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Sun, 1 Sep 2002, Reza B'Far (eBuilt) wrote: + +> 2. C and C++ forces the developer to solve problems such as memory +> management over and over again. IMHO, Java is superior because the problem +> of programming in the future is not about 0's and 1's, making the compiler +> 2% faster, or making your code take 5% less memory... It's about design +> patterns, architecture, high level stuff... + +Considering 90% of the fake job posting I see are for embedded systems or +device drivers - C still rules the world. + +> 3. Java is not just a programming language! It's also a platform... There +> is NOTHING like the standard API's in Java in C and C++. Everyone defines +> their own API's, people end up solving the same problems ten different ways + +The problem is the problem you're trying to solve is never the same. Java +will soon suffer API-rot (alot of poeple are already complaining about it), +it's just new. C was clean in the beginning too. API-rot is PURELY a +function of age. + +> 4. If you have a program of any type of high complexity written in C, you +> can't possibly think that you could port it to different platforms within +> the same magnitude of cost as Java.... + +I do this all the time, It's alot easier then you think if the original +programmer had a clue at all... Java does remove the clue requirement tho, +just adds a huge testing requirement, QA guys aren't as cheap ;) + +> 5. Makes no sense for a scientific or a business project to depend on a +> person... Java, IMHO, reduces the dependence of these entities on the +> individual developer as it is much easier to reverse engineer Java as it is +> to reverse engineer C (large applications). + +No it's not, but you can hire teams of Javites for cheap at your local high +school. Java is about cutting costs and commoditizing programming - and it's +working! + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/1001.6d9880fcc649355d3c7faebf01c61d42 b/machine-learning-ex6/ex6/easy_ham/1001.6d9880fcc649355d3c7faebf01c61d42 new file mode 100644 index 0000000..680288d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1001.6d9880fcc649355d3c7faebf01c61d42 @@ -0,0 +1,83 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 15:46:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 67C3247C68 + for ; Thu, 22 Aug 2002 10:46:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 15:46:29 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MEknZ10703 for ; Thu, 22 Aug 2002 15:46:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htDp-0003Z5-00; Thu, + 22 Aug 2002 07:46:05 -0700 +Received: from neo.pittstate.edu ([198.248.208.13]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17htDE-0003e0-00 for ; + Thu, 22 Aug 2002 07:45:28 -0700 +Received: from [198.248.208.11] (macdaddy.pittstate.edu [198.248.208.11]) + by neo.pittstate.edu (8.12.2/8.12.2) with ESMTP id g7MEisW7023315; + Thu, 22 Aug 2002 09:44:54 -0500 +MIME-Version: 1.0 +Message-Id: +In-Reply-To: <5.1.0.14.0.20020821203325.031d5d60@imap.greenberg.org> +References: <5.1.0.14.0.20020821203325.031d5d60@imap.greenberg.org> +To: Ed Greenberg , + spamassassin-talk@lists.sourceforge.net +From: Justin Shore +Subject: Re: [SAtalk] SA and Patented Ideas (was: SA In The News) +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 09:45:16 -0500 +Date: Thu, 22 Aug 2002 09:45:16 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03,SUBJECT_IS_NEWS + version=2.40-cvs +X-Spam-Level: + +At 8:43 PM -0700 8/21/02, Ed Greenberg wrote: +>At 11:19 PM 8/20/2002 -0700, dan@dankohn.com wrote: +> +>>The nature of our patent is about putting a warrant mark in RFC 2822 +>>X-headers (or in the body) to allow senders to warrant their mail as +>>*not-spam*, and then to use copyright and trademark infringement to +>>enable Habeas to enforce that warranty. + +Why is it that I envision Verisign doing something like this. Yeah, +like I want Verisign to sign all my spam, er, mail for me. Pay them +enough and they'd probably sign spam too. ;) + +J +-- + +-- +Justin Shore, ES-SS ES-SSR Pittsburg State University +Network & Systems Manager http://www.pittstate.edu/ois/ + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1002.e8313d6b4c83d4bc3ae6c1e1ed210b29 b/machine-learning-ex6/ex6/easy_ham/1002.e8313d6b4c83d4bc3ae6c1e1ed210b29 new file mode 100644 index 0000000..63b05fe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1002.e8313d6b4c83d4bc3ae6c1e1ed210b29 @@ -0,0 +1,85 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 16:17:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 163C943F99 + for ; Thu, 22 Aug 2002 11:17:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:17:09 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MFDmZ11714 for ; Thu, 22 Aug 2002 16:13:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htdx-00014Y-00; Thu, + 22 Aug 2002 08:13:05 -0700 +Received: from moonbase.zanshin.com ([167.160.213.139]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htdj-0006PE-00 for + ; Thu, 22 Aug 2002 08:12:52 -0700 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g7MFCoW07498; Thu, 22 Aug 2002 08:12:50 -0700 +From: Bart Schaefer +To: SpamAssassin Talk ML +Subject: Re: [SAtalk] SA In The News +In-Reply-To: <200208202047.45470.matt@nightrealms.com> +Message-Id: +Mail-Followup-To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 08:12:50 -0700 (PDT) +Date: Thu, 22 Aug 2002 08:12:50 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=BULK_EMAIL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05, + SUBJECT_IS_NEWS,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Tue, 20 Aug 2002, Matthew Cline wrote: + +> On Tuesday 20 August 2002 07:57 pm, Harold Hallikainen wrote: +> > http://www.wired.com/news/technology/0,1282,54645,00.html +> +> Summary: a company will offer short snippets of original, copyrighted +> and trademarked text that can be inserted into email message headers, +> and email filters can recognize this as a "not-spam" indicator. Any +> spammers who use the text will be sued for copyright and trademark +> infringement. + +They may be in for a patent fight before any of this goes forward: + +http://www.eweek.com/article2/0,3959,476558,00.asp + +"Banking on the fact that few enterprises sending commercial mail want to +be associated with spam, IronPort Systems Inc., in San Bruno, Calif., has +developed the Bonded Sender program in an effort to give legitimate bulk +e-mailers some credibility." + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1003.c7f304574ba9fc075adee3caff7d770c b/machine-learning-ex6/ex6/easy_ham/1003.c7f304574ba9fc075adee3caff7d770c new file mode 100644 index 0000000..733f40b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1003.c7f304574ba9fc075adee3caff7d770c @@ -0,0 +1,76 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 16:27:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5B79347C67 + for ; Thu, 22 Aug 2002 11:27:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:27:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MFN5Z12029 for ; Thu, 22 Aug 2002 16:23:05 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htji-00023z-00; Thu, + 22 Aug 2002 08:19:02 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htj3-00077f-00 for + ; Thu, 22 Aug 2002 08:18:21 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17htjs-0005OZ-00 for spamassassin-devel@lists.sourceforge.net; + Thu, 22 Aug 2002 08:19:12 -0700 +Message-Id: <3D65009B.4080707@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: spamassassin-devel@example.sourceforge.net +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [SAdev] Body Test Question /d ? +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 08:17:47 -0700 +Date: Thu, 22 Aug 2002 08:17:47 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Suppose I created a rule that was in this form: + +body RULE_NAME /text to delete/d + +Would the "/d" delete this text from the body and mask it from the rest of the +rules? If so - I'm thinking about applying it to Yahoo and SN and Juno ads so +that FPs are reduced. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1004.5929fd886f8e9544a98c383b41f554bb b/machine-learning-ex6/ex6/easy_ham/1004.5929fd886f8e9544a98c383b41f554bb new file mode 100644 index 0000000..e8cbdf7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1004.5929fd886f8e9544a98c383b41f554bb @@ -0,0 +1,99 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 16:27:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 772C543F99 + for ; Thu, 22 Aug 2002 11:27:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:27:26 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MFLfZ11996 for ; Thu, 22 Aug 2002 16:21:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htlf-00036z-00; Thu, + 22 Aug 2002 08:21:03 -0700 +Received: from neo.pittstate.edu ([198.248.208.13]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17htky-0007J7-00 for ; + Thu, 22 Aug 2002 08:20:21 -0700 +Received: from [198.248.208.11] (macdaddy.pittstate.edu [198.248.208.11]) + by neo.pittstate.edu (8.12.2/8.12.2) with ESMTP id g7MFJfW7024986; + Thu, 22 Aug 2002 10:19:42 -0500 +MIME-Version: 1.0 +Message-Id: +In-Reply-To: <20020822145952.A3C2E43F99@phobos.labs.netnoteinc.com> +References: <20020822145952.A3C2E43F99@phobos.labs.netnoteinc.com> +To: yyyy@example.com (Justin Mason) +From: Justin Shore +Subject: Re: [SAtalk] Highest-scoring false positive +Cc: SpamAssassin List +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 10:20:06 -0500 +Date: Thu, 22 Aug 2002 10:20:06 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +At 3:59 PM +0100 8/22/02, Justin Mason wrote: +>Justin Shore said: +> +>> I just ran across a false positive that scored 8.6. The message was +>> a solicited ad from Apple.com on educator deals. I can send a copy +>> if anyone wants it. +> +>Yes, please do send it on, and I'll add it to the non-spam corpus. + +To any particular address? I checked the lists page but didn't see +an address to see a FP to. + +>To date, the scores evolved by SpamAssassin are very biased towards +>non-HTML, non-newsletter-ish mail. This release should be different, as +>I've been spending the last month signing up a "nonspamtrap" to every +>legit newsletter I can find ;) + +That's understandable. HTML mail is the worst thing since female +shoe sales at the mall. ;-) Signup for the cruisercustomizing.com +newsletter. Great place to find and review motorcycle parts. :) + +>This should mean that tests which match common-enough newsletter practices +>will no longer get such high scores once we re-run the GA. + +Sound pretty slick. If I come across any more legit newsletters, +I'll send them your way. + +Thanks for the info + Justin +-- + +-- +Justin Shore, ES-SS ES-SSR Pittsburg State University +Network & Systems Manager http://www.pittstate.edu/ois/ + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1005.aaca009bb6cf75da8456c570bad6ad08 b/machine-learning-ex6/ex6/easy_ham/1005.aaca009bb6cf75da8456c570bad6ad08 new file mode 100644 index 0000000..20f9e15 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1005.aaca009bb6cf75da8456c570bad6ad08 @@ -0,0 +1,120 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 17:19:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B977147C6C + for ; Thu, 22 Aug 2002 12:19:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 17:19:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MGIHZ14209 for ; Thu, 22 Aug 2002 17:18:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hudv-00041d-00; Thu, + 22 Aug 2002 09:17:07 -0700 +Received: from dsl-175-112.web-ster.com ([12.111.175.112] + helo=mail.hotp.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17hudn-0004s1-00 for + ; Thu, 22 Aug 2002 09:16:59 -0700 +Received: from gilmanhunt (russ@RussGilmanHunt.hotp.com [10.10.10.220]) by + mail.hotp.com (8.12.4/8.12.4) with SMTP id g7MG8hQI004189 for + ; Thu, 22 Aug 2002 09:08:43 -0700 +Content-Type: text/plain; charset="iso-8859-1" +From: Russ Gilman-Hunt +To: SpamAssassin List +X-Mailer: KMail [version 1.2] +MIME-Version: 1.0 +Message-Id: <0208220909120B.13454@gilmanhunt> +Content-Transfer-Encoding: 8bit +Subject: [SAtalk] procmail help +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 09:09:12 -0700 +Date: Thu, 22 Aug 2002 09:09:12 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.3 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +I'm fairly confused here, with Procmail. +I know this isn't a procmail list per-se; feel free to answer my questions in +private email to r_gilmanhunt@hotp.com. + +I've looked for web-stuff to answer this question but I can't find anything +specific on this scenario. + +Here's the situation. +I have a global /etc/procmailrc file. It works, and when I insert stuff into +it for logging (LOGFILE=/root/procmail.log, VERBOSE=yeah. LOGABSTRACT=all) it +shows up where I expect it to (the log in /root/procmail.log) At the end of +this file, I use + :0fw + | spamc +to call spamassassin. + +Also in it is a carboncopy recipe (yes, I know, it's one of the evils we do +for our corporate masters) (at the top) (to their credit, I am instructed +that they are not interested in the actual contents, but are concerned about +future lawsuits and their culpability, so they want a record made. Discussion +on this point is immaterial) +:0 + * ? test -d $ARCHIVEDIR/$DATEDIR || mkdir -p --mode=750 $ARCHIVEDIR/$DATEDIR + { } +:0 c + $SAVEAT + +I have several users where I forward certain spams to /dev/null . . .their +procmailrc file (/home/$user/.procmailrc) looks like this: +:0 + * ^From: .*spermfun.com + /dev/null + +Now I've got a person who needs a copy of her inbound emails sent to another +email address (outside the company), so I've got this recipe in her +/home/$user/.procmailrc file: +:0 c + !user@domain.tld + +It almost looks like procmail's not running a user's copy recipe after a +global copy recipe, except that I can replace that user's one with +:0 + * ^Subject: .*test + procmail.holder +and get the same result. + +The result, to put it succinctly, is "nothing". No forwards go out, no files +are made, if I try to log information, no logs are set up. I've modified the +user/group and permissions to match known-working recipes (the spermfun +example above) and still nothing. However, I can redirect those other +messages. In other words- just this user's procmailrc file is not working- +other users have no problems. + +Any suggestions would be helpful :) + +-Russ + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1006.ab21b649d018df12f9f4c5691be621d3 b/machine-learning-ex6/ex6/easy_ham/1006.ab21b649d018df12f9f4c5691be621d3 new file mode 100644 index 0000000..b3c354e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1006.ab21b649d018df12f9f4c5691be621d3 @@ -0,0 +1,86 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 18:41:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 947DD47C67 + for ; Thu, 22 Aug 2002 13:41:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 18:41:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MHYcZ17839 for ; Thu, 22 Aug 2002 18:34:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hvqO-0002io-00; Thu, + 22 Aug 2002 10:34:04 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hvpz-0007Ng-00 for ; + Thu, 22 Aug 2002 10:33:39 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17hvpw-0000t6-00; Thu, 22 Aug 2002 13:33:36 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id 5399CA3FEB; + Thu, 22 Aug 2002 10:33:32 -0700 (PDT) +Subject: Re: [SAtalk] Highest-scoring false positive +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: SpamAssassin List +To: "Karsten M. Self" +From: "Craig R.Hughes" +In-Reply-To: <20020822000239.GJ30870@miles.freerun.com> +Message-Id: <47DAEAB9-B5F5-11D6-A91E-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 10:33:33 -0700 +Date: Thu, 22 Aug 2002 10:33:33 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +Interesting. It's possible, of course, that the shitty economy +is hurting the spammers as much as anyone else. But if you've +been aggressively reporting, then it could just be that. Could +be your upstream ISP is being more aggressive too... + +C + +On Wednesday, August 21, 2002, at 05:02 PM, Karsten M. Self wrote: + +> ...what these plots *don't* show is the drop from ~55 +> mails/daily to ~30 +> daily that I've seen at work, since 1st week of May, when spam receipts +> peaked. Not sure if it's aggressive reporting that's getting us off +> lists, or if other people are seeing similar. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1007.b3eb1e8894835634935873cecdb4e845 b/machine-learning-ex6/ex6/easy_ham/1007.b3eb1e8894835634935873cecdb4e845 new file mode 100644 index 0000000..83804dd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1007.b3eb1e8894835634935873cecdb4e845 @@ -0,0 +1,83 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 18:41:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ABFAA43F99 + for ; Thu, 22 Aug 2002 13:41:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 18:41:26 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MHZUZ17861 for ; Thu, 22 Aug 2002 18:35:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hvqN-0002iI-00; Thu, + 22 Aug 2002 10:34:03 -0700 +Received: from p995.as3.adl.dublin.eircom.net ([159.134.231.227] + helo=mandark.labs.netnoteinc.com) by usw-sf-list1.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hvpg-0006xf-00 for + ; Thu, 22 Aug 2002 10:33:24 + -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7MHWi800961; Thu, 22 Aug 2002 18:32:44 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + D54CB47C67; Thu, 22 Aug 2002 13:30:52 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 62B8B33D8C; + Thu, 22 Aug 2002 18:30:52 +0100 (IST) +To: Theo Van Dinter +Cc: Justin Mason , + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] 2.40 RELEASE PROCESS: mass-check status, folks? +In-Reply-To: Message from Theo Van Dinter of + "Thu, 22 Aug 2002 13:20:30 EDT." + <20020822172030.GC16421@kluge.net> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +Message-Id: <20020822173052.D54CB47C67@phobos.labs.netnoteinc.com> +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 18:30:45 +0100 +Date: Thu, 22 Aug 2002 18:30:45 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.9 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + + +Theo Van Dinter said: + +> > nonspam-theo.log +> +> Hmmm. I did re-run mass-check and resubmit... I sort the log by score, +> so the timestamp is at the end: + +ah, OK. didn't see that. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1008.87e9d3ab2ce099480e2704aaa5cbd493 b/machine-learning-ex6/ex6/easy_ham/1008.87e9d3ab2ce099480e2704aaa5cbd493 new file mode 100644 index 0000000..f7bf237 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1008.87e9d3ab2ce099480e2704aaa5cbd493 @@ -0,0 +1,87 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 18:41:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E307F47C68 + for ; Thu, 22 Aug 2002 13:41:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 18:41:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MHbqZ17896 for ; Thu, 22 Aug 2002 18:37:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hvtH-0003kF-00; Thu, + 22 Aug 2002 10:37:03 -0700 +Received: from neo.pittstate.edu ([198.248.208.13]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hvsH-0008RU-00 for ; + Thu, 22 Aug 2002 10:36:01 -0700 +Received: from [198.248.208.11] (macdaddy.pittstate.edu [198.248.208.11]) + by neo.pittstate.edu (8.12.2/8.12.2) with ESMTP id g7MHZLW7031540; + Thu, 22 Aug 2002 12:35:23 -0500 +MIME-Version: 1.0 +Message-Id: +In-Reply-To: <20020822171604.GB16421@kluge.net> +References: <200208221905.33723@malte.stretz.eu.org> + <20020822171604.GB16421@kluge.net> +To: Theo Van Dinter , + "Malte S. Stretz" +From: Justin Shore +Subject: Re: [SAtalk] 2800 sightings this month +Cc: SpamAssassin Talk ML +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 12:35:46 -0500 +Date: Thu, 22 Aug 2002 12:35:46 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +At 1:16 PM -0400 8/22/02, Theo Van Dinter wrote: +>On Thu, Aug 22, 2002 at 07:05:33PM +0200, Malte S. Stretz wrote: +>> Ummm... has somebody noticed that spamassassin-sightings is the fourth most +>> active list for this month on [1]? There is more sighting than talk and +>> devel together ;-) +> +>hmmm. do people know that they should only send false negatives there? +>either there's a lot of stuff SA is missing, or some people are just +>sending all their spam there. + +I've sent in some spam that either didn't score or scored practically +nothing, like below 5. I figure that most people run at 5 so if it +scores less than that, a rule needs to be honed to catch it. + +Justin +-- + +-- +Justin Shore, ES-SS ES-SSR Pittsburg State University +Network & Systems Manager http://www.pittstate.edu/ois/ + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1009.7c9b90533c1766f51b93cb4c940d7317 b/machine-learning-ex6/ex6/easy_ham/1009.7c9b90533c1766f51b93cb4c940d7317 new file mode 100644 index 0000000..46f4339 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1009.7c9b90533c1766f51b93cb4c940d7317 @@ -0,0 +1,57 @@ +From tony@svanstrom.com Fri Aug 23 11:05:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0E44B4416B + for ; Fri, 23 Aug 2002 06:04:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:16 +0100 (IST) +Received: from moon.campus.luth.se (root@moon.campus.luth.se + [130.240.202.158]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MLQGZ25558 for ; Thu, 22 Aug 2002 22:26:16 +0100 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7MLQHMg068923; Thu, 22 Aug 2002 23:26:17 +0200 (CEST) (envelope-from + tony@svanstrom.com) +Date: Thu, 22 Aug 2002 23:26:17 +0200 (CEST) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Justin Mason +Cc: patrick@vonderhagen.de, + +Subject: Re: [SAdev] Integrating SA with Mail::CheckUser ? +In-Reply-To: <32932.194.125.172.55.1030050447.squirrel@example.com> +Message-Id: <20020822232458.L68187-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=IN_REP_TO,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Thu, 22 Aug 2002 the voices made Justin Mason write: + +> > The perl-module Mail::CheckUser implements a smtp-callback and I hope +> > it might be integrated rather easily. +> > Has this extension been discussed before (and perhaps rejected)? +> > Or perhaps someone is already planning to implement it? +> > Or would you be interested to integrate a smtp-callback-patch in +> > SpamAssassin if contributed by my department? We would not be to happy +> > about such a patch which we had to manage and integrate with SA in the +> > future, but I believe a one-time contribution would be no problem. + + How'd this deal with you running SA on an account where all the mail from some +domain on another server ends up? + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + diff --git a/machine-learning-ex6/ex6/easy_ham/1010.1bc4545387a6a526b351a330b4aca16c b/machine-learning-ex6/ex6/easy_ham/1010.1bc4545387a6a526b351a330b4aca16c new file mode 100644 index 0000000..b58fea8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1010.1bc4545387a6a526b351a330b4aca16c @@ -0,0 +1,424 @@ +From fork-admin@xent.com Wed Aug 28 10:50:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B246644158 + for ; Wed, 28 Aug 2002 05:50:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:50:12 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RM2tZ27575 for ; + Tue, 27 Aug 2002 23:02:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 6595D2940EA; Tue, 27 Aug 2002 15:00:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from alumnus.caltech.edu (alumnus.caltech.edu [131.215.49.51]) + by xent.com (Postfix) with ESMTP id CB93729409A; Tue, 27 Aug 2002 14:59:09 + -0700 (PDT) +Received: from localhost (localhost [127.0.0.1]) by alumnus.caltech.edu + (8.12.3/8.12.3) with ESMTP id g7RM0Gfw020877; Tue, 27 Aug 2002 15:00:17 + -0700 (PDT) +Subject: DataPower announces XML-in-silicon +Content-Type: text/plain; charset=WINDOWS-1252; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Rohit Khare +To: fork@example.com +Message-Id: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Apple Mail (2.482) +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 15:00:13 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7RM2tZ27575 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.1 required=7.0 + tests=GAPPY_TEXT,INVESTMENT,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + USER_AGENT_APPLEMAIL,US_DOLLARS_2,US_DOLLARS_4 + version=2.40-cvs +X-Spam-Level: + +No analysis yet... don't know what to make of it yet. But here's the raw +bits for all to peruse and check out what's really going on... Best, +Rohit + +=========================================================== + +DataPower delivers XML acceleration device +By Scott Tyler Shafer +August 27, 2002 5:46 am PT + +DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +specifically to process XML data. Unlike competing solutions that +process XML data in software, DataPower's device processes the data in +hardware -- a technology achievement that provides greater performance, +according to company officials. + +The new device, dubbed DataPower XA35 XML Accelerator, is the first in a +family of products expected from the Cambridge, Mass.-based startup. The +DataPower family is based on a proprietary processing core technology +called XG3 that does the analysis, parsing, and processing of the XML +data. + +According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +conceived to meet the steady adoption of XML, the anticipated future +proliferation of Web services, and as a means to share data between two +businesses. + +"Our vision is to build out an XML-aware infrastructure," Kelly said. +"The XA35 is the first of a family." + +Kelly explained that converting data into XML increases the file size up +to 20 times. This, he said, makes processing the data very taxing on +application servers; DataPower believes an inline device is the best +alternative. + +In addition to the large file sizes, security is also of paramount +importance in the world of XML. + +"Today's firewalls are designed to inspect HTTP traffic only," Kelly +said. "A SOAP packet with XML will go straight through a firewall. +Firewalls are blind to XML today." + +Future products in DataPowers family will focus more specifically on +security, especially as Web services proliferate, Kelly said. + +According to DataPower, most existing solutions to offload XML +processing are homegrown and done in software -- an approach the company +itself tried initially and found to be inadequate with regards to speed +and security. After trying the software path, the company turned to +creating a solution that would process XML in hardware. + +"Our XG3 execution core converts XML to machine code," said Kelly, +adding that to his knowledge no other company's solution does. Kelly +said in the next few months he expects the market to be flooded with +technologies that claim to do XML processing -- claims that he believes +will be mostly false. +Other content-aware switches, such as SSL (secure socket layer) +accelerators and load balancers, look at the first 64 bytes of a packet, +while the XA35 provides deeper packet inspection, looking at 1,400 bytes +and thus enabling greater processing of XML data, Kelly explained. + +The 1U-high network device has been tested against a large collection of +XML and XSL data types and can learn new flavors of the markup language +as they pass through the device. + +The XA35 can be deployed in proxy mode behind a firewall and a load +balancer, and it will inspect all traffic that passes and will identify +and process those packets that are XML, Kelly said. + +In addition to proxy mode, the device can also be used as an application +co-processor. This deployment method gives administrators more granular +control over what data is inspected and the application server itself +controls the device. + +DataPower is not the only company chasing this emerging market. Startup +Sarvega, based in Burr Ridge, Ill., introduced the Sarvega XPE switch in +May, and earlier this month Tarari, an Intel spin-off, launched with a +focus on content processing and acceleration. +The DataPower device is now available, priced starting at $54,995. The +company has announced one customer to date and says the product is in +field trails at a number of other enterprises. + +========================================================================= + +DataPower has been addressing enterprise networking needs since it was +founded in early 1999 by Eugene Kuznetsov, a technology visionary who +foresaw the adverse effects XML and other next generation protocols +would have on enterprise networks. Long before industry interest in XML +grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +designed the industry's first solutions to address the unique +requirements for processing XML. The first such solution was a software +interpreter called DGXT. This software-based approach to XML processing +is still licensed by many companies for use in their own products today. + +Leveraging the detailed knowledge and customer experience gained from +developing software-based accelerators, Kuznetsov's team raised the bar +and designed a system for processing XML in purpose-built hardware. In +2001, DataPower's effort produced XML Generation Three (XG3™), the +industry's fastest technology for XML processing, bar none. + +Today, XG3™ technology powers the industry's first wire-speed XML +network devices, enabling secure, high-speed applications and XML Web +Services. While other companies are just now marketing first versions of +products, DataPower is delivering its third generation of technology, +providing an immediate return on technology investments to +industry-leading customers and partners. + +DataPower's M.I.T. heritage is complemented by a management team that +brings decades of experience in the networking and computing industries, +drawing veteran leaders from several successful companies including +Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. + +========================================================================= + +DataPower Technology Secures $9.5 Million in Funding + +Venrock Associates, Mobius Venture Capital and Seed Capital Back Pioneer +in XML-Aware Networking for Web Services + +CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +leading provider of XML-Aware network infrastructure, today announced +that it has secured $9.5 million in series B financing. Investors for +this round include Venrock Associates, Mobius Venture Capital and Seed +Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, of Mobius, +and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +Directors. + +DataPower will use this funding to accelerate development, marketing and +sales of the company’s breakthrough technology for XML-Aware networking. +Founded in 1999, DataPower invented the world’s first intelligent XML +networking devices, capable of transforming XML traffic and transactions +at the wire-speed enterprises need to effectively embrace Web services +and other XML-centric initiatives. DataPower’s solutions are based on +its patent-pending XML Generation Three (XG3™) technology. + +"Enterprises are adopting XML at rapid rate to facilitate inter-and +intra-company communications but their network infrastructure is ill +prepared to support the requirements of this new traffic type. +DataPower’s XML-acceleration devices enable the wirespeed processing of +XML that is required to support next generation enterprise +applications," said Eugene Kuznetsov, CTO and founder of DataPower +Technology. + +"DataPower gives companies the ability to use XML that’s critical to Web +services projects without sacrificing an ounce of performance." A single +DataPower acceleration engine delivers the processing power of 10 +servers—breaking the performance bottleneck associated with XML +processing and delivering an extraordinary return on investment. In +addition, the DataPower platform provides enhanced XML security, +protection against XML-based denial-of-service attacks, connection of +e-business protocols for incompatible XML data streams, load balancing +between back-end servers and real-time statistics reports. + +"In the post-bubble economy, technology investment decisions require +laser-focused scrutiny. DataPower’s patent-pending technology addresses +a very real and growing pain point for enterprises," said Michael +Tyrrell of Venrock Associates. "By turbo-charging their networks with +DataPower’s unique XML-Aware networking technology, companies will be +free to adopt next generation Web services without encountering +performance and security pitfalls." + +"We looked long and hard for a company capable of addressing the rapidly +growing problems surrounding XML message processing performance and +security," said Bill Burnham of Mobius Venture Capital. "DataPower is on +their third generation of technology. Their patent pending XML +Generation Three (XG3) technology was quite simply the single most +compelling technology solution we have seen to date." + +"XML is not a nice-to-have, it is a must have for enterprises serious +about optimizing application efficiency. Since 1999, DataPower has been +developing solutions to facilitate enterprise use of XML and Web +services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +XML-acceleration devices are a key requirement for enterprises that rely +on XML for mission critical applications." + +About Venrock Associates +Venrock Associates was founded as the venture capital arm of the +Rockefeller Family and continues a tradition of funding entrepreneurs +that now spans over seven decades. Laurance S. Rockefeller pioneered +early stage venture financing in the 1930s. With over 300 investments +over a span of more than 70 years, the firm has an established a track +record of identifying and supporting promising early stage, technology- +based enterprises. As one of most experienced venture firms in the +United States, Venrock maintains a tradition of collaboration with +talented entrepreneurs to establish successful, enduring companies. +Venrock's continuing goal is to create long-term value by assisting +entrepreneurs in building companies from the formative stages. Their +consistent focus on Information Technology and Life Sciences-related +opportunities provides a reservoir of knowledge and a network of +contacts that have proven to be a catalyst for the growth of developing +organizations. Venrock's investments have included CheckPoint Software, +USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +Media Metrix, 3COM, Intel, and Apple Computer. With offices in New York +City, Cambridge, MA, and Menlo Park, CA, Venrock is well positioned to +respond to opportunities in any locale. For more information on Venrock +Associates, please visit www.venrock.com + +About Mobius Venture Capital +Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +billion U.S.-based private equity venture capital firm managed by an +unparalleled team of former CEOs and entrepreneurs, technology pioneers, +senior executives from major technology corporations, and leaders from +the investment banking community. Mobius Venture Capital specializes +primarily in early-stage investments in the areas of: communications +systems software and services; infrastructure software and services; +professional services; enterprise applications; healthcare informatics; +consumer and small business applications; components; and emerging +technologies. Mobius Venture Capital combines its technology expertise +and broad financial assets with the industry's best entrepreneurs to +create a powerhouse portfolio of over 100 of the world's leading high +technology companies. Mobius Venture Capital can be contacted by +visiting their web site www.mobiusvc.com. + +About Seed Capital Partners +Seed Capital Partners is an early-stage venture fund affiliated with +SoftBank Corporation, one of the world's leading Internet market forces. +Seed Capital manages funds focused primarily on companies addressing +Internet-enabled business-to-business digital information technology +opportunities, which are located in the Northeastern U.S., the +southeastern region of the Province of Ontario, Canada, and Israel. Seed +Capital’s portfolio includes Spearhead Technologies, Concentric Visions +and CompanyDNA. For more information on Seed Capital Partners, please +visit www.seedcp.com. + +About DataPower Technology +DataPower Technology provides enterprises with intelligent XML-Aware +network infrastructure to ensure unparalleled performance, security and +manageability of next-generation protocols. DataPower’s patent-pending +XML Generation Three (XG3™) technology powers the industry’s first +wirespeed XML network devices, enabling secure, high-speed applications +and XML Web Services. Founded in 1999, DataPower is now delivering its +third generation of technology, providing immediate return on technology +investments to industry-leading customers and partners. DataPower is +privately held and based in Cambridge, MA. Investors include Mobius +Venture Capital, Seed Capital Partners, and Venrock Associates. + +CONTACT: + +DataPower Technology, Inc. +Kieran Taylor +617-864-0455 +kieran@datapower.com + +Schwartz Communications +John Moran/Heather Chichakly +781-684-0770 +datapower@schwartz-pr.com + +======================================================================== + +Steve Kelly, chairman and CEO + +During over twenty years in the technology industry, Steve Kelly has +built and managed global enterprise networks, provided consulting +services to Fortune 50 businesses, and been involved in the launch of +several start-ups. Prior to DataPower, Kelly was an +entrepreneur-in-residence at Venrock Associates, and was co-founder of +Castle Networks, where he led the company's sales, service and marketing +functions. Castle was acquired by Siemens AG in 1999 to create Unisphere +Networks, which was subsequently purchased by Juniper Networks. Kelly +was an early contributor at Cascade Communications, where he built and +managed the company's core switching business; Cascade's annual revenues +grew from $2 million to $300 million annually during Kelly's tenure. +Kelly also worked at Digital Equipment Corporation where he managed and +grew their corporate network to 50,000+ nodes in 28 countries, the +largest in the world at the time. Kelly has a B.S. in Information +Systems from Bentley College. + +Eugene Kuznetsov, founder, president and CTO + +Eugene Kuznetsov is a technology visionary that has been working to +address enterprise XML issues since the late 90s. Kuznetsov founded +DataPower Technology, Inc. in 1999 to provide enterprises with an +intelligent, XML-aware network infrastructure to support next-generation +applications. Prior to starting DataPower, Kuznetsov led the Java JIT +Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +was also part of the team which developed one of the first clean room +Java VM's. This high-speed runtime technology was licensed by some of +the industry's largest technology companies, including Apple Computer. +He has consulted to numerous companies and worked on a variety of +hardware and software engineering problems in the areas of memory +management, power electronics, optimized execution engines and +application integration. Kuznetsov holds a B.S. in electrical +engineering from MIT. + +Steve Willis, vice president of advanced technology + +Steve Willis is an accomplished entrepreneur and a pioneer in protocol +optimization. Prior to joining DataPower, Willis was co-founder and CTO +of Argon Networks, a provider of high-performance switching routers that +was acquired by Siemens AG in 1999 to create Unisphere Networks; +Unisphere was subsequently purchased by Juniper Networks. Before Argon, +Steve was vice president of advanced technology at Bay Networks (now +Nortel Networks) where he led both IP and ATM-related technology +development and managed a group that generated 24 patent applications, +developed a 1 Mbps forwarding engine and led the specification of the +ATM Forum's PNNI routing protocol. Most notably, Steve was co-founder, +original software director and architect for Wellfleet Communications, a +leading pioneer of multi-protocol routers. Wellfleet was rated as the +fastest growing company in the U.S. for two consecutive years by Fortune +magazine. Willis is currently a member of the Institute of Electrical +and Electronics Engineers (IEEE) and the Internet Research Task Force +(IRTF) Routing Research Group. Willis has a B.D.I.C. in Computer Science +from the University of Massachusetts. + +Bill Tao, vice president of engineering + +With a vast understanding of network optimization technologies and +extensive experience in LAN and WAN networking, Bill Tao brings over 25 +years of critical knowledge to lead DataPower's engineering efforts. +Prior to DataPower, Tao was the vice president of engineering for +Sycamore Networks, developing a family of metro/regional optical network +switches. He is also well acquainted with network optimization +techniques as he was previously vice president of engineering at +InfoLibria, where he led development and software quality assurance +engineering for a family of network caching products. Tao has held +senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +received a B.S. in Electrical Engineering from the University of +Connecticut and an M.S. in Computer Science from the University of +Illinois. + +Kieran Taylor, director of product marketing + +Kieran Taylor has an accomplished record as a marketing professional, +industry analyst and journalist. Prior to joining DataPower, Taylor was +the director of product management and marketing for Akamai Technologies +(NASDAQ: AKAM). As an early contributor at Akamai, he helped develop the +company's initial positioning and led the technical development and +go-to-market activities for Akamai's flagship EdgeSuite service. +Taylor's early contribution helped position the service provider to +secure a $12.6 billion IPO. He has also held senior marketing management +positions at Nortel Networks, Inc. and Bay Networks. Taylor was +previously an analyst at TeleChoice, Inc. and the Wide Area Networks +editor for Data Communications, a McGraw Hill publication. Taylor holds +a B.A. in Print Journalism from the Pennsylvania State University School +of Communications. + +================================================================= +Board of Advisors + +Mark Hoover +Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +accelerator. With over 20 years experience in the networking industry, +Hoover's expertise spans product development, marketing, and business +development. Before launching Acuitive, Hoover worked at AT&T Bell +Laboratories, AT&T Computer Systems, SynOptics, and Bay Networks, where +he played a role in the development of key technologies, such as +10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +traffic management, and edge WAN switch industries. + +George Kassabgi +Currently Vice President of Engineering at BEA Systems, Mr. Kassabgi has +held executive-level positions in engineering, sales and marketing, and +has spearheaded leading-edge developments in the application server +marketplace since 1996. He is widely known for his regular speaking +engagements at JavaOne, as well as columns and contributions in JavaPro, +Java Developer's Journal and other publications. In addition to being a +venerated Java expert, George Kassabgi holds a patent on SmartObject +Technology, and authored the technical book Progress V8. + +Marshall T. Rose +Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +formerly held the position of the Internet Engineering Task Force (IETF) +Area Director for Network Management, one of a dozen individuals who +oversaw the Internet's standardization process. Rose is the author of +several professional texts on subjects such as Internet Management, +Electronic Mail, and Directory Services, which have been published in +four languages. He is well known for his implementations of core +Internet technologies (such as POP, SMTP, and SNMP) and OSI technologies +(such as X.500 and FTAM). Rose received a PhD in Information and +Computer Science from the University of California, Irvine, in 1984. + + diff --git a/machine-learning-ex6/ex6/easy_ham/1011.82f644586fced13704dd79e22c3d8fb9 b/machine-learning-ex6/ex6/easy_ham/1011.82f644586fced13704dd79e22c3d8fb9 new file mode 100644 index 0000000..3390ab7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1011.82f644586fced13704dd79e22c3d8fb9 @@ -0,0 +1,102 @@ +From fork-admin@xent.com Wed Aug 28 10:50:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id CBC6A44156 + for ; Wed, 28 Aug 2002 05:50:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:50:08 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RLFhZ26129 for ; + Tue, 27 Aug 2002 22:15:43 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id AE7E42940D8; Tue, 27 Aug 2002 14:13:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.evergo.net (unknown [206.191.151.2]) by xent.com + (Postfix) with SMTP id 94B3729409A for ; Tue, + 27 Aug 2002 14:12:25 -0700 (PDT) +Received: (qmail 2729 invoked from network); 27 Aug 2002 21:14:27 -0000 +Received: from dsl.206.191.151.102.evergo.net (HELO JMHALL) + (206.191.151.102) by mail.evergo.net with SMTP; 27 Aug 2002 21:14:27 -0000 +Reply-To: +From: "John Hall" +To: +Subject: RE: The Curse of India's Socialism +Message-Id: <007001c24e0e$b4e9e010$0200a8c0@JMHALL> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2627 +In-Reply-To: <1030396738.2767.162.camel@avalon> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 14:14:18 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +> From: fork-admin@xent.com [mailto:fork-admin@xent.com] On Behalf Of +James +> Rogers + +> Subject: Re: The Curse of India's Socialism +> +> On Tue, 2002-08-20 at 15:01, Ian Andrew Bell wrote: + +> > They +> > finished their routine with the a quadruple lutz -- laying off +> > hundreds of thousands of workers when it all came crashing down. +> +> So what? Nobody is guaranteed employment. Laying people off is not a +> crime nor is it immoral. Companies don't exist to provide employment, +> nor should they. The closest we have to such a thing in the US is a +> Government Job, and look at the quality THAT breeds. + +And further, why focus on the fact they were laid off and not on the +fact they were hired in the first place? + +BTW: I saw someone claim that aside from the efficiency of the market +there were also gains to society from irrational behavior. + +If a society has business people that systematically overestimate their +chances, that is bad for the businessmen but on net a big gain for +society. On the social level, the law of averages works to societies +benefit in a manner it can't for an individual. + +A key reason, in this view, that the US wound up outperforming England +was that the English investors were too rational for their societies own +good. + +(Except, of course, when US investors were bilking them to build canals +and railroads over here. Thanks, guys.) + +===================== + +Applied to telecom: a lot of dark wire (glass) and innovation will +eventually be used for pennies on the dollar, the benefits to society +and the costs to the investors. + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1012.71b3b80343e48636bae04ff93a4446bf b/machine-learning-ex6/ex6/easy_ham/1012.71b3b80343e48636bae04ff93a4446bf new file mode 100644 index 0000000..b1d3035 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1012.71b3b80343e48636bae04ff93a4446bf @@ -0,0 +1,67 @@ +From fork-admin@xent.com Wed Aug 28 10:50:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ED32243F9B + for ; Wed, 28 Aug 2002 05:50:41 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:50:41 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMUiZ28625 for ; + Tue, 27 Aug 2002 23:30:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D88112940B5; Tue, 27 Aug 2002 15:28:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id 4CE5B29409A for + ; Tue, 27 Aug 2002 15:27:59 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVZS1MQn43DX+mF8g/trLv8mynH5s/LrEHehkhaZqH3TtcK5PDdI09YGwM0XUAYWOKM= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17joqW-0005wP-00 for fork@xent.com; Tue, 27 Aug 2002 18:30:00 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: DataPower announces XML-in-silicon +Message-Id: <3D6BC527.28671.1437E0A@localhost> +Priority: normal +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:29:59 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.5 required=7.0 + tests=FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On 27 Aug 2002 at 15:00, Rohit Khare wrote: +> +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device +> designed specifically to process XML data. Unlike competing +> solutions that process XML data in software, DataPower's +> device processes the data in hardware -- a technology +> achievement that provides greater performance, according to +> company officials. +> +Sarvega seems to have a similar product. http://www.sarvega.com. + diff --git a/machine-learning-ex6/ex6/easy_ham/1013.8355d120301841c6b601bee02bb4c14f b/machine-learning-ex6/ex6/easy_ham/1013.8355d120301841c6b601bee02bb4c14f new file mode 100644 index 0000000..83086af --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1013.8355d120301841c6b601bee02bb4c14f @@ -0,0 +1,546 @@ +From fork-admin@xent.com Wed Aug 28 10:50:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 301BA43F99 + for ; Wed, 28 Aug 2002 05:50:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:50:34 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMJvZ28133 for ; + Tue, 27 Aug 2002 23:19:58 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 058882940E9; Tue, 27 Aug 2002 15:17:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from usilms55.ca.com (mail3.cai.com [141.202.248.42]) by + xent.com (Postfix) with ESMTP id 3BE0D29409A for ; + Tue, 27 Aug 2002 15:16:36 -0700 (PDT) +Received: from usilms27.ca.com ([141.202.201.27]) by usilms55.ca.com with + Microsoft SMTPSVC(5.0.2195.4905); Tue, 27 Aug 2002 18:18:37 -0400 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Subject: RE: DataPower announces XML-in-silicon +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: DataPower announces XML-in-silicon +Thread-Index: AcJOFaOfnL+c8iYjSPGX6aQl6iGg7wAAdJ+g +From: "Meltsner, Kenneth" +To: "Rohit Khare" , +X-Originalarrivaltime: 27 Aug 2002 22:18:37.0915 (UTC) FILETIME=[B0EA3AB0:01C24E17] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:18:37 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7RMJvZ28133 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=BALANCE_FOR_LONG_20K,GAPPY_TEXT,INVESTMENT, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01, + US_DOLLARS_2,US_DOLLARS_4 + version=2.40-cvs +X-Spam-Level: + +If it's not stateful, it wouldn't seem to be worth the effort, although I guess it might help with DDoS attacks. + +Sounds snake-oilish to me, but I'm biased by lots of experience with firewalls and proxy servers, and the limitations thereof. + +Ken + + +> -----Original Message----- +> From: Rohit Khare [mailto:khare@alumni.caltech.edu] +> Sent: Tuesday, August 27, 2002 5:00 PM +> To: fork@example.com +> Subject: DataPower announces XML-in-silicon +> +> +> No analysis yet... don't know what to make of it yet. But +> here's the raw +> bits for all to peruse and check out what's really going on... Best, +> Rohit +> +> =========================================================== +> +> DataPower delivers XML acceleration device +> By Scott Tyler Shafer +> August 27, 2002 5:46 am PT +> +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +> specifically to process XML data. Unlike competing solutions that +> process XML data in software, DataPower's device processes +> the data in +> hardware -- a technology achievement that provides greater +> performance, +> according to company officials. +> +> The new device, dubbed DataPower XA35 XML Accelerator, is the +> first in a +> family of products expected from the Cambridge, Mass.-based +> startup. The +> DataPower family is based on a proprietary processing core technology +> called XG3 that does the analysis, parsing, and processing of the XML +> data. +> +> According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +> conceived to meet the steady adoption of XML, the anticipated future +> proliferation of Web services, and as a means to share data +> between two +> businesses. +> +> "Our vision is to build out an XML-aware infrastructure," Kelly said. +> "The XA35 is the first of a family." +> +> Kelly explained that converting data into XML increases the +> file size up +> to 20 times. This, he said, makes processing the data very taxing on +> application servers; DataPower believes an inline device is the best +> alternative. +> +> In addition to the large file sizes, security is also of paramount +> importance in the world of XML. +> +> "Today's firewalls are designed to inspect HTTP traffic only," Kelly +> said. "A SOAP packet with XML will go straight through a firewall. +> Firewalls are blind to XML today." +> +> Future products in DataPowers family will focus more specifically on +> security, especially as Web services proliferate, Kelly said. +> +> According to DataPower, most existing solutions to offload XML +> processing are homegrown and done in software -- an approach +> the company +> itself tried initially and found to be inadequate with +> regards to speed +> and security. After trying the software path, the company turned to +> creating a solution that would process XML in hardware. +> +> "Our XG3 execution core converts XML to machine code," said Kelly, +> adding that to his knowledge no other company's solution does. Kelly +> said in the next few months he expects the market to be flooded with +> technologies that claim to do XML processing -- claims that +> he believes +> will be mostly false. +> Other content-aware switches, such as SSL (secure socket layer) +> accelerators and load balancers, look at the first 64 bytes +> of a packet, +> while the XA35 provides deeper packet inspection, looking at +> 1,400 bytes +> and thus enabling greater processing of XML data, Kelly explained. +> +> The 1U-high network device has been tested against a large +> collection of +> XML and XSL data types and can learn new flavors of the +> markup language +> as they pass through the device. +> +> The XA35 can be deployed in proxy mode behind a firewall and a load +> balancer, and it will inspect all traffic that passes and +> will identify +> and process those packets that are XML, Kelly said. +> +> In addition to proxy mode, the device can also be used as an +> application +> co-processor. This deployment method gives administrators +> more granular +> control over what data is inspected and the application server itself +> controls the device. +> +> DataPower is not the only company chasing this emerging +> market. Startup +> Sarvega, based in Burr Ridge, Ill., introduced the Sarvega +> XPE switch in +> May, and earlier this month Tarari, an Intel spin-off, +> launched with a +> focus on content processing and acceleration. +> The DataPower device is now available, priced starting at +> $54,995. The +> company has announced one customer to date and says the product is in +> field trails at a number of other enterprises. +> +> ============================================================== +> =========== +> +> DataPower has been addressing enterprise networking needs +> since it was +> founded in early 1999 by Eugene Kuznetsov, a technology visionary who +> foresaw the adverse effects XML and other next generation protocols +> would have on enterprise networks. Long before industry +> interest in XML +> grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +> designed the industry's first solutions to address the unique +> requirements for processing XML. The first such solution was +> a software +> interpreter called DGXT. This software-based approach to XML +> processing +> is still licensed by many companies for use in their own +> products today. +> +> Leveraging the detailed knowledge and customer experience gained from +> developing software-based accelerators, Kuznetsov's team +> raised the bar +> and designed a system for processing XML in purpose-built +> hardware. In +> 2001, DataPower's effort produced XML Generation Three (XG3™), the +> industry's fastest technology for XML processing, bar none. +> +> Today, XG3™ technology powers the industry's first wire-speed XML +> network devices, enabling secure, high-speed applications and XML Web +> Services. While other companies are just now marketing first +> versions of +> products, DataPower is delivering its third generation of technology, +> providing an immediate return on technology investments to +> industry-leading customers and partners. +> +> DataPower's M.I.T. heritage is complemented by a management team that +> brings decades of experience in the networking and computing +> industries, +> drawing veteran leaders from several successful companies including +> Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. +> +> ============================================================== +> =========== +> +> DataPower Technology Secures $9.5 Million in Funding +> +> Venrock Associates, Mobius Venture Capital and Seed Capital +> Back Pioneer +> in XML-Aware Networking for Web Services +> +> CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +> leading provider of XML-Aware network infrastructure, today announced +> that it has secured $9.5 million in series B financing. Investors for +> this round include Venrock Associates, Mobius Venture Capital +> and Seed +> Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, +> of Mobius, +> and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +> Directors. +> +> DataPower will use this funding to accelerate development, +> marketing and +> sales of the company’s breakthrough technology for XML-Aware +> networking. +> Founded in 1999, DataPower invented the world’s first intelligent XML +> networking devices, capable of transforming XML traffic and +> transactions +> at the wire-speed enterprises need to effectively embrace Web +> services +> and other XML-centric initiatives. DataPower’s solutions are based on +> its patent-pending XML Generation Three (XG3™) technology. +> +> "Enterprises are adopting XML at rapid rate to facilitate inter-and +> intra-company communications but their network infrastructure is ill +> prepared to support the requirements of this new traffic type. +> DataPower’s XML-acceleration devices enable the wirespeed +> processing of +> XML that is required to support next generation enterprise +> applications," said Eugene Kuznetsov, CTO and founder of DataPower +> Technology. +> +> "DataPower gives companies the ability to use XML that’s +> critical to Web +> services projects without sacrificing an ounce of +> performance." A single +> DataPower acceleration engine delivers the processing power of 10 +> servers—breaking the performance bottleneck associated with XML +> processing and delivering an extraordinary return on investment. In +> addition, the DataPower platform provides enhanced XML security, +> protection against XML-based denial-of-service attacks, connection of +> e-business protocols for incompatible XML data streams, load +> balancing +> between back-end servers and real-time statistics reports. +> +> "In the post-bubble economy, technology investment decisions require +> laser-focused scrutiny. DataPower’s patent-pending technology +> addresses +> a very real and growing pain point for enterprises," said Michael +> Tyrrell of Venrock Associates. "By turbo-charging their networks with +> DataPower’s unique XML-Aware networking technology, companies will be +> free to adopt next generation Web services without encountering +> performance and security pitfalls." +> +> "We looked long and hard for a company capable of addressing +> the rapidly +> growing problems surrounding XML message processing performance and +> security," said Bill Burnham of Mobius Venture Capital. +> "DataPower is on +> their third generation of technology. Their patent pending XML +> Generation Three (XG3) technology was quite simply the single most +> compelling technology solution we have seen to date." +> +> "XML is not a nice-to-have, it is a must have for enterprises serious +> about optimizing application efficiency. Since 1999, +> DataPower has been +> developing solutions to facilitate enterprise use of XML and Web +> services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +> XML-acceleration devices are a key requirement for +> enterprises that rely +> on XML for mission critical applications." +> +> About Venrock Associates +> Venrock Associates was founded as the venture capital arm of the +> Rockefeller Family and continues a tradition of funding entrepreneurs +> that now spans over seven decades. Laurance S. Rockefeller pioneered +> early stage venture financing in the 1930s. With over 300 investments +> over a span of more than 70 years, the firm has an +> established a track +> record of identifying and supporting promising early stage, +> technology- +> based enterprises. As one of most experienced venture firms in the +> United States, Venrock maintains a tradition of collaboration with +> talented entrepreneurs to establish successful, enduring companies. +> Venrock's continuing goal is to create long-term value by assisting +> entrepreneurs in building companies from the formative stages. Their +> consistent focus on Information Technology and Life Sciences-related +> opportunities provides a reservoir of knowledge and a network of +> contacts that have proven to be a catalyst for the growth of +> developing +> organizations. Venrock's investments have included CheckPoint +> Software, +> USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +> Media Metrix, 3COM, Intel, and Apple Computer. With offices +> in New York +> City, Cambridge, MA, and Menlo Park, CA, Venrock is well +> positioned to +> respond to opportunities in any locale. For more information +> on Venrock +> Associates, please visit www.venrock.com +> +> About Mobius Venture Capital +> Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +> billion U.S.-based private equity venture capital firm managed by an +> unparalleled team of former CEOs and entrepreneurs, +> technology pioneers, +> senior executives from major technology corporations, and +> leaders from +> the investment banking community. Mobius Venture Capital specializes +> primarily in early-stage investments in the areas of: communications +> systems software and services; infrastructure software and services; +> professional services; enterprise applications; healthcare +> informatics; +> consumer and small business applications; components; and emerging +> technologies. Mobius Venture Capital combines its technology +> expertise +> and broad financial assets with the industry's best entrepreneurs to +> create a powerhouse portfolio of over 100 of the world's leading high +> technology companies. Mobius Venture Capital can be contacted by +> visiting their web site www.mobiusvc.com. +> +> About Seed Capital Partners +> Seed Capital Partners is an early-stage venture fund affiliated with +> SoftBank Corporation, one of the world's leading Internet +> market forces. +> Seed Capital manages funds focused primarily on companies addressing +> Internet-enabled business-to-business digital information technology +> opportunities, which are located in the Northeastern U.S., the +> southeastern region of the Province of Ontario, Canada, and +> Israel. Seed +> Capital’s portfolio includes Spearhead Technologies, +> Concentric Visions +> and CompanyDNA. For more information on Seed Capital Partners, please +> visit www.seedcp.com. +> +> About DataPower Technology +> DataPower Technology provides enterprises with intelligent XML-Aware +> network infrastructure to ensure unparalleled performance, +> security and +> manageability of next-generation protocols. DataPower’s +> patent-pending +> XML Generation Three (XG3™) technology powers the industry’s first +> wirespeed XML network devices, enabling secure, high-speed +> applications +> and XML Web Services. Founded in 1999, DataPower is now +> delivering its +> third generation of technology, providing immediate return on +> technology +> investments to industry-leading customers and partners. DataPower is +> privately held and based in Cambridge, MA. Investors include Mobius +> Venture Capital, Seed Capital Partners, and Venrock Associates. +> +> CONTACT: +> +> DataPower Technology, Inc. +> Kieran Taylor +> 617-864-0455 +> kieran@datapower.com +> +> Schwartz Communications +> John Moran/Heather Chichakly +> 781-684-0770 +> datapower@schwartz-pr.com +> +> ============================================================== +> ========== +> +> Steve Kelly, chairman and CEO +> +> During over twenty years in the technology industry, Steve Kelly has +> built and managed global enterprise networks, provided consulting +> services to Fortune 50 businesses, and been involved in the launch of +> several start-ups. Prior to DataPower, Kelly was an +> entrepreneur-in-residence at Venrock Associates, and was +> co-founder of +> Castle Networks, where he led the company's sales, service +> and marketing +> functions. Castle was acquired by Siemens AG in 1999 to +> create Unisphere +> Networks, which was subsequently purchased by Juniper Networks. Kelly +> was an early contributor at Cascade Communications, where he +> built and +> managed the company's core switching business; Cascade's +> annual revenues +> grew from $2 million to $300 million annually during Kelly's tenure. +> Kelly also worked at Digital Equipment Corporation where he +> managed and +> grew their corporate network to 50,000+ nodes in 28 countries, the +> largest in the world at the time. Kelly has a B.S. in Information +> Systems from Bentley College. +> +> Eugene Kuznetsov, founder, president and CTO +> +> Eugene Kuznetsov is a technology visionary that has been working to +> address enterprise XML issues since the late 90s. Kuznetsov founded +> DataPower Technology, Inc. in 1999 to provide enterprises with an +> intelligent, XML-aware network infrastructure to support +> next-generation +> applications. Prior to starting DataPower, Kuznetsov led the Java JIT +> Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +> was also part of the team which developed one of the first clean room +> Java VM's. This high-speed runtime technology was licensed by some of +> the industry's largest technology companies, including Apple +> Computer. +> He has consulted to numerous companies and worked on a variety of +> hardware and software engineering problems in the areas of memory +> management, power electronics, optimized execution engines and +> application integration. Kuznetsov holds a B.S. in electrical +> engineering from MIT. +> +> Steve Willis, vice president of advanced technology +> +> Steve Willis is an accomplished entrepreneur and a pioneer in +> protocol +> optimization. Prior to joining DataPower, Willis was +> co-founder and CTO +> of Argon Networks, a provider of high-performance switching +> routers that +> was acquired by Siemens AG in 1999 to create Unisphere Networks; +> Unisphere was subsequently purchased by Juniper Networks. +> Before Argon, +> Steve was vice president of advanced technology at Bay Networks (now +> Nortel Networks) where he led both IP and ATM-related technology +> development and managed a group that generated 24 patent +> applications, +> developed a 1 Mbps forwarding engine and led the specification of the +> ATM Forum's PNNI routing protocol. Most notably, Steve was +> co-founder, +> original software director and architect for Wellfleet +> Communications, a +> leading pioneer of multi-protocol routers. Wellfleet was rated as the +> fastest growing company in the U.S. for two consecutive years +> by Fortune +> magazine. Willis is currently a member of the Institute of Electrical +> and Electronics Engineers (IEEE) and the Internet Research Task Force +> (IRTF) Routing Research Group. Willis has a B.D.I.C. in +> Computer Science +> from the University of Massachusetts. +> +> Bill Tao, vice president of engineering +> +> With a vast understanding of network optimization technologies and +> extensive experience in LAN and WAN networking, Bill Tao +> brings over 25 +> years of critical knowledge to lead DataPower's engineering efforts. +> Prior to DataPower, Tao was the vice president of engineering for +> Sycamore Networks, developing a family of metro/regional +> optical network +> switches. He is also well acquainted with network optimization +> techniques as he was previously vice president of engineering at +> InfoLibria, where he led development and software quality assurance +> engineering for a family of network caching products. Tao has held +> senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +> received a B.S. in Electrical Engineering from the University of +> Connecticut and an M.S. in Computer Science from the University of +> Illinois. +> +> Kieran Taylor, director of product marketing +> +> Kieran Taylor has an accomplished record as a marketing professional, +> industry analyst and journalist. Prior to joining DataPower, +> Taylor was +> the director of product management and marketing for Akamai +> Technologies +> (NASDAQ: AKAM). As an early contributor at Akamai, he helped +> develop the +> company's initial positioning and led the technical development and +> go-to-market activities for Akamai's flagship EdgeSuite service. +> Taylor's early contribution helped position the service provider to +> secure a $12.6 billion IPO. He has also held senior marketing +> management +> positions at Nortel Networks, Inc. and Bay Networks. Taylor was +> previously an analyst at TeleChoice, Inc. and the Wide Area Networks +> editor for Data Communications, a McGraw Hill publication. +> Taylor holds +> a B.A. in Print Journalism from the Pennsylvania State +> University School +> of Communications. +> +> ================================================================= +> Board of Advisors +> +> Mark Hoover +> Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +> accelerator. With over 20 years experience in the networking +> industry, +> Hoover's expertise spans product development, marketing, and business +> development. Before launching Acuitive, Hoover worked at AT&T Bell +> Laboratories, AT&T Computer Systems, SynOptics, and Bay +> Networks, where +> he played a role in the development of key technologies, such as +> 10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +> traffic management, and edge WAN switch industries. +> +> George Kassabgi +> Currently Vice President of Engineering at BEA Systems, Mr. +> Kassabgi has +> held executive-level positions in engineering, sales and +> marketing, and +> has spearheaded leading-edge developments in the application server +> marketplace since 1996. He is widely known for his regular speaking +> engagements at JavaOne, as well as columns and contributions +> in JavaPro, +> Java Developer's Journal and other publications. In addition +> to being a +> venerated Java expert, George Kassabgi holds a patent on SmartObject +> Technology, and authored the technical book Progress V8. +> +> Marshall T. Rose +> Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +> formerly held the position of the Internet Engineering Task +> Force (IETF) +> Area Director for Network Management, one of a dozen individuals who +> oversaw the Internet's standardization process. Rose is the author of +> several professional texts on subjects such as Internet Management, +> Electronic Mail, and Directory Services, which have been published in +> four languages. He is well known for his implementations of core +> Internet technologies (such as POP, SMTP, and SNMP) and OSI +> technologies +> (such as X.500 and FTAM). Rose received a PhD in Information and +> Computer Science from the University of California, Irvine, in 1984. +> +> + diff --git a/machine-learning-ex6/ex6/easy_ham/1014.8262a256b8f2e481dcae966b0c5088e8 b/machine-learning-ex6/ex6/easy_ham/1014.8262a256b8f2e481dcae966b0c5088e8 new file mode 100644 index 0000000..3263814 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1014.8262a256b8f2e481dcae966b0c5088e8 @@ -0,0 +1,69 @@ +From fork-admin@xent.com Wed Aug 28 10:50:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 77A5C44155 + for ; Wed, 28 Aug 2002 05:50:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:50:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7RMhiZ29101 for ; + Tue, 27 Aug 2002 23:43:44 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 17EAF294183; Tue, 27 Aug 2002 15:41:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from smtp03.mrf.mail.rcn.net (smtp03.mrf.mail.rcn.net + [207.172.4.62]) by xent.com (Postfix) with ESMTP id D2F5129409A for + ; Tue, 27 Aug 2002 15:40:27 -0700 (PDT) +X-Info: This message was accepted for relay by smtp03.mrf.mail.rcn.net as + the sender used SMTP authentication +X-Trace: UmFuZG9tSVa87sYWrSluYXSK7DPiKMqonQmSCJAzc+sc8Ru+zPNZzmuJmF6sE0EFamayqye2fwY= +Received: from eb-174121.od.nih.gov ([156.40.174.121] + helo=TOSHIBA-L8QYR7M) by smtp03.mrf.mail.rcn.net with asmtp (Exim 3.35 #6) + id 17jp2b-0007bg-00 for fork@xent.com; Tue, 27 Aug 2002 18:42:29 -0400 +From: "John Evdemon" +To: fork@example.com +MIME-Version: 1.0 +Subject: Re: DataPower announces XML-in-silicon +Message-Id: <3D6BC814.23250.14EE9A8@localhost> +Priority: normal +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=ISO-8859-1 +Content-Description: Mail message body +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:42:28 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from Quoted-printable to 8bit by dogma.slashnull.org + id g7RMhiZ29101 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY, + IN_REP_TO,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On 27 Aug 2002 at 15:00, Rohit Khare wrote: + +> DataPower delivers XML acceleration device +> By Scott Tyler Shafer +> August 27, 2002 5:46 am PT +> +Intel also had a similar device a couple of years ago (Netstructure). They have, afaik, abandoned it. + +Intel is still in the XML hardware game though. On 8/19 they spun off a company named Tarari. Tarari develops hardware to check the headers of IP packets. Tarari calls +this Layer 7 processing (atop the OSI model). From what I can tell, Tarari plans to combine virus scanning and XML acceleration into a single hardware device. + diff --git a/machine-learning-ex6/ex6/easy_ham/1015.f399ba43c22e3fdb1a22261714062cbd b/machine-learning-ex6/ex6/easy_ham/1015.f399ba43c22e3fdb1a22261714062cbd new file mode 100644 index 0000000..25c8f56 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1015.f399ba43c22e3fdb1a22261714062cbd @@ -0,0 +1,487 @@ +From fork-admin@xent.com Wed Aug 28 10:51:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 27C9E43F9B + for ; Wed, 28 Aug 2002 05:51:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:51:01 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7S0KvZ03252 for ; + Wed, 28 Aug 2002 01:20:59 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 93DD1294216; Tue, 27 Aug 2002 17:18:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mrwhite.privacyright.com (unknown [64.169.55.226]) by + xent.com (Postfix) with ESMTP id 8017829409A for ; + Tue, 27 Aug 2002 17:17:03 -0700 (PDT) +Received: by mrwhite.privacyright.com with Internet Mail Service + (5.5.2650.21) id ; Tue, 27 Aug 2002 17:17:44 -0700 +Message-Id: +From: Paul Sholtz +To: "'Rohit Khare '" , + "'fork@xent.com '" +Subject: RE: DataPower announces XML-in-silicon +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2650.21) +Content-Type: text/plain; charset="windows-1252" +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 17:17:41 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7S0KvZ03252 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.1 required=7.0 + tests=BALANCE_FOR_LONG_20K,EXCHANGE_SERVER,GAPPY_TEXT,INVESTMENT, + KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,US_DOLLARS_2, + US_DOLLARS_4 + version=2.40-cvs +X-Spam-Level: + +Hardware acceleration for SSL makes sense since PKI can slow down a +transaction by as much as 1,000-fold. Per this article, XML formatting only +increases doc size by about 20-fold.. I'm not sure there are enough "powers +of ten" in there to justify hardware acceleration. + +Expect the next major release from DataPower to be the revolutionary new +"email chip" - allows you to offload the sending and receiving of email +messages onto dedicated hardware while you get on w/ more important things +.. like listening to MP3s.. + +Best, +Paul Sholtz + +-----Original Message----- +From: Rohit Khare +To: fork@example.com +Sent: 8/27/02 3:00 PM +Subject: DataPower announces XML-in-silicon + +No analysis yet... don't know what to make of it yet. But here's the raw + +bits for all to peruse and check out what's really going on... Best, +Rohit + +=========================================================== + +DataPower delivers XML acceleration device +By Scott Tyler Shafer +August 27, 2002 5:46 am PT + +DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +specifically to process XML data. Unlike competing solutions that +process XML data in software, DataPower's device processes the data in +hardware -- a technology achievement that provides greater performance, +according to company officials. + +The new device, dubbed DataPower XA35 XML Accelerator, is the first in a + +family of products expected from the Cambridge, Mass.-based startup. The + +DataPower family is based on a proprietary processing core technology +called XG3 that does the analysis, parsing, and processing of the XML +data. + +According to Steve Kelly, CEO of DataPower, the XA35 Accelerator was +conceived to meet the steady adoption of XML, the anticipated future +proliferation of Web services, and as a means to share data between two +businesses. + +"Our vision is to build out an XML-aware infrastructure," Kelly said. +"The XA35 is the first of a family." + +Kelly explained that converting data into XML increases the file size up + +to 20 times. This, he said, makes processing the data very taxing on +application servers; DataPower believes an inline device is the best +alternative. + +In addition to the large file sizes, security is also of paramount +importance in the world of XML. + +"Today's firewalls are designed to inspect HTTP traffic only," Kelly +said. "A SOAP packet with XML will go straight through a firewall. +Firewalls are blind to XML today." + +Future products in DataPowers family will focus more specifically on +security, especially as Web services proliferate, Kelly said. + +According to DataPower, most existing solutions to offload XML +processing are homegrown and done in software -- an approach the company + +itself tried initially and found to be inadequate with regards to speed +and security. After trying the software path, the company turned to +creating a solution that would process XML in hardware. + +"Our XG3 execution core converts XML to machine code," said Kelly, +adding that to his knowledge no other company's solution does. Kelly +said in the next few months he expects the market to be flooded with +technologies that claim to do XML processing -- claims that he believes +will be mostly false. +Other content-aware switches, such as SSL (secure socket layer) +accelerators and load balancers, look at the first 64 bytes of a packet, + +while the XA35 provides deeper packet inspection, looking at 1,400 bytes + +and thus enabling greater processing of XML data, Kelly explained. + +The 1U-high network device has been tested against a large collection of + +XML and XSL data types and can learn new flavors of the markup language +as they pass through the device. + +The XA35 can be deployed in proxy mode behind a firewall and a load +balancer, and it will inspect all traffic that passes and will identify +and process those packets that are XML, Kelly said. + +In addition to proxy mode, the device can also be used as an application + +co-processor. This deployment method gives administrators more granular +control over what data is inspected and the application server itself +controls the device. + +DataPower is not the only company chasing this emerging market. Startup +Sarvega, based in Burr Ridge, Ill., introduced the Sarvega XPE switch in + +May, and earlier this month Tarari, an Intel spin-off, launched with a +focus on content processing and acceleration. +The DataPower device is now available, priced starting at $54,995. The +company has announced one customer to date and says the product is in +field trails at a number of other enterprises. + +======================================================================== += + +DataPower has been addressing enterprise networking needs since it was +founded in early 1999 by Eugene Kuznetsov, a technology visionary who +foresaw the adverse effects XML and other next generation protocols +would have on enterprise networks. Long before industry interest in XML +grew, Kuznetsov assembled a team of world-class M.I.T. engineers and +designed the industry's first solutions to address the unique +requirements for processing XML. The first such solution was a software +interpreter called DGXT. This software-based approach to XML processing +is still licensed by many companies for use in their own products today. + +Leveraging the detailed knowledge and customer experience gained from +developing software-based accelerators, Kuznetsov's team raised the bar +and designed a system for processing XML in purpose-built hardware. In +2001, DataPower's effort produced XML Generation Three (XG3™), the +industry's fastest technology for XML processing, bar none. + +Today, XG3™ technology powers the industry's first wire-speed XML +network devices, enabling secure, high-speed applications and XML Web +Services. While other companies are just now marketing first versions of + +products, DataPower is delivering its third generation of technology, +providing an immediate return on technology investments to +industry-leading customers and partners. + +DataPower's M.I.T. heritage is complemented by a management team that +brings decades of experience in the networking and computing industries, + +drawing veteran leaders from several successful companies including +Akamai, Argon, Cascade, Castle Networks, Sycamore and Wellfleet. + +======================================================================== += + +DataPower Technology Secures $9.5 Million in Funding + +Venrock Associates, Mobius Venture Capital and Seed Capital Back Pioneer + +in XML-Aware Networking for Web Services + +CAMBRIDGE, Mass. - July 8, 2002 - DataPower Technology, Inc., the +leading provider of XML-Aware network infrastructure, today announced +that it has secured $9.5 million in series B financing. Investors for +this round include Venrock Associates, Mobius Venture Capital and Seed +Capital Partners. Michael Tyrrell, of Venrock, Bill Burnham, of Mobius, +and Jeff Fagnan, of Seed Capital, have joined DataPower’s Board of +Directors. + +DataPower will use this funding to accelerate development, marketing and + +sales of the company’s breakthrough technology for XML-Aware networking. + +Founded in 1999, DataPower invented the world’s first intelligent XML +networking devices, capable of transforming XML traffic and transactions + +at the wire-speed enterprises need to effectively embrace Web services +and other XML-centric initiatives. DataPower’s solutions are based on +its patent-pending XML Generation Three (XG3™) technology. + +"Enterprises are adopting XML at rapid rate to facilitate inter-and +intra-company communications but their network infrastructure is ill +prepared to support the requirements of this new traffic type. +DataPower’s XML-acceleration devices enable the wirespeed processing of +XML that is required to support next generation enterprise +applications," said Eugene Kuznetsov, CTO and founder of DataPower +Technology. + +"DataPower gives companies the ability to use XML that’s critical to Web + +services projects without sacrificing an ounce of performance." A single + +DataPower acceleration engine delivers the processing power of 10 +servers—breaking the performance bottleneck associated with XML +processing and delivering an extraordinary return on investment. In +addition, the DataPower platform provides enhanced XML security, +protection against XML-based denial-of-service attacks, connection of +e-business protocols for incompatible XML data streams, load balancing +between back-end servers and real-time statistics reports. + +"In the post-bubble economy, technology investment decisions require +laser-focused scrutiny. DataPower’s patent-pending technology addresses +a very real and growing pain point for enterprises," said Michael +Tyrrell of Venrock Associates. "By turbo-charging their networks with +DataPower’s unique XML-Aware networking technology, companies will be +free to adopt next generation Web services without encountering +performance and security pitfalls." + +"We looked long and hard for a company capable of addressing the rapidly + +growing problems surrounding XML message processing performance and +security," said Bill Burnham of Mobius Venture Capital. "DataPower is on + +their third generation of technology. Their patent pending XML +Generation Three (XG3) technology was quite simply the single most +compelling technology solution we have seen to date." + +"XML is not a nice-to-have, it is a must have for enterprises serious +about optimizing application efficiency. Since 1999, DataPower has been +developing solutions to facilitate enterprise use of XML and Web +services," said Jeff Fagnan of Seed Capital Partners. "DataPower’s +XML-acceleration devices are a key requirement for enterprises that rely + +on XML for mission critical applications." + +About Venrock Associates +Venrock Associates was founded as the venture capital arm of the +Rockefeller Family and continues a tradition of funding entrepreneurs +that now spans over seven decades. Laurance S. Rockefeller pioneered +early stage venture financing in the 1930s. With over 300 investments +over a span of more than 70 years, the firm has an established a track +record of identifying and supporting promising early stage, technology- +based enterprises. As one of most experienced venture firms in the +United States, Venrock maintains a tradition of collaboration with +talented entrepreneurs to establish successful, enduring companies. +Venrock's continuing goal is to create long-term value by assisting +entrepreneurs in building companies from the formative stages. Their +consistent focus on Information Technology and Life Sciences-related +opportunities provides a reservoir of knowledge and a network of +contacts that have proven to be a catalyst for the growth of developing +organizations. Venrock's investments have included CheckPoint Software, +USinternetworking, Caliper Technologies, Illumina, Niku, DoubleClick, +Media Metrix, 3COM, Intel, and Apple Computer. With offices in New York +City, Cambridge, MA, and Menlo Park, CA, Venrock is well positioned to +respond to opportunities in any locale. For more information on Venrock +Associates, please visit www.venrock.com + +About Mobius Venture Capital +Mobius Venture Capital, formerly SOFTBANK Venture Capital, is a $2.5 +billion U.S.-based private equity venture capital firm managed by an +unparalleled team of former CEOs and entrepreneurs, technology pioneers, + +senior executives from major technology corporations, and leaders from +the investment banking community. Mobius Venture Capital specializes +primarily in early-stage investments in the areas of: communications +systems software and services; infrastructure software and services; +professional services; enterprise applications; healthcare informatics; +consumer and small business applications; components; and emerging +technologies. Mobius Venture Capital combines its technology expertise +and broad financial assets with the industry's best entrepreneurs to +create a powerhouse portfolio of over 100 of the world's leading high +technology companies. Mobius Venture Capital can be contacted by +visiting their web site www.mobiusvc.com. + +About Seed Capital Partners +Seed Capital Partners is an early-stage venture fund affiliated with +SoftBank Corporation, one of the world's leading Internet market forces. + +Seed Capital manages funds focused primarily on companies addressing +Internet-enabled business-to-business digital information technology +opportunities, which are located in the Northeastern U.S., the +southeastern region of the Province of Ontario, Canada, and Israel. Seed + +Capital’s portfolio includes Spearhead Technologies, Concentric Visions +and CompanyDNA. For more information on Seed Capital Partners, please +visit www.seedcp.com. + +About DataPower Technology +DataPower Technology provides enterprises with intelligent XML-Aware +network infrastructure to ensure unparalleled performance, security and +manageability of next-generation protocols. DataPower’s patent-pending +XML Generation Three (XG3™) technology powers the industry’s first +wirespeed XML network devices, enabling secure, high-speed applications +and XML Web Services. Founded in 1999, DataPower is now delivering its +third generation of technology, providing immediate return on technology + +investments to industry-leading customers and partners. DataPower is +privately held and based in Cambridge, MA. Investors include Mobius +Venture Capital, Seed Capital Partners, and Venrock Associates. + +CONTACT: + +DataPower Technology, Inc. +Kieran Taylor +617-864-0455 +kieran@datapower.com + +Schwartz Communications +John Moran/Heather Chichakly +781-684-0770 +datapower@schwartz-pr.com + +======================================================================== + +Steve Kelly, chairman and CEO + +During over twenty years in the technology industry, Steve Kelly has +built and managed global enterprise networks, provided consulting +services to Fortune 50 businesses, and been involved in the launch of +several start-ups. Prior to DataPower, Kelly was an +entrepreneur-in-residence at Venrock Associates, and was co-founder of +Castle Networks, where he led the company's sales, service and marketing + +functions. Castle was acquired by Siemens AG in 1999 to create Unisphere + +Networks, which was subsequently purchased by Juniper Networks. Kelly +was an early contributor at Cascade Communications, where he built and +managed the company's core switching business; Cascade's annual revenues + +grew from $2 million to $300 million annually during Kelly's tenure. +Kelly also worked at Digital Equipment Corporation where he managed and +grew their corporate network to 50,000+ nodes in 28 countries, the +largest in the world at the time. Kelly has a B.S. in Information +Systems from Bentley College. + +Eugene Kuznetsov, founder, president and CTO + +Eugene Kuznetsov is a technology visionary that has been working to +address enterprise XML issues since the late 90s. Kuznetsov founded +DataPower Technology, Inc. in 1999 to provide enterprises with an +intelligent, XML-aware network infrastructure to support next-generation + +applications. Prior to starting DataPower, Kuznetsov led the Java JIT +Compiler effort for Microsoft Internet Explorer for Macintosh 4.0. He +was also part of the team which developed one of the first clean room +Java VM's. This high-speed runtime technology was licensed by some of +the industry's largest technology companies, including Apple Computer. +He has consulted to numerous companies and worked on a variety of +hardware and software engineering problems in the areas of memory +management, power electronics, optimized execution engines and +application integration. Kuznetsov holds a B.S. in electrical +engineering from MIT. + +Steve Willis, vice president of advanced technology + +Steve Willis is an accomplished entrepreneur and a pioneer in protocol +optimization. Prior to joining DataPower, Willis was co-founder and CTO +of Argon Networks, a provider of high-performance switching routers that + +was acquired by Siemens AG in 1999 to create Unisphere Networks; +Unisphere was subsequently purchased by Juniper Networks. Before Argon, +Steve was vice president of advanced technology at Bay Networks (now +Nortel Networks) where he led both IP and ATM-related technology +development and managed a group that generated 24 patent applications, +developed a 1 Mbps forwarding engine and led the specification of the +ATM Forum's PNNI routing protocol. Most notably, Steve was co-founder, +original software director and architect for Wellfleet Communications, a + +leading pioneer of multi-protocol routers. Wellfleet was rated as the +fastest growing company in the U.S. for two consecutive years by Fortune + +magazine. Willis is currently a member of the Institute of Electrical +and Electronics Engineers (IEEE) and the Internet Research Task Force +(IRTF) Routing Research Group. Willis has a B.D.I.C. in Computer Science + +from the University of Massachusetts. + +Bill Tao, vice president of engineering + +With a vast understanding of network optimization technologies and +extensive experience in LAN and WAN networking, Bill Tao brings over 25 +years of critical knowledge to lead DataPower's engineering efforts. +Prior to DataPower, Tao was the vice president of engineering for +Sycamore Networks, developing a family of metro/regional optical network + +switches. He is also well acquainted with network optimization +techniques as he was previously vice president of engineering at +InfoLibria, where he led development and software quality assurance +engineering for a family of network caching products. Tao has held +senior engineering positions at NetEdge, Proteon, Codex and Wang. Tao +received a B.S. in Electrical Engineering from the University of +Connecticut and an M.S. in Computer Science from the University of +Illinois. + +Kieran Taylor, director of product marketing + +Kieran Taylor has an accomplished record as a marketing professional, +industry analyst and journalist. Prior to joining DataPower, Taylor was +the director of product management and marketing for Akamai Technologies + +(NASDAQ: AKAM). As an early contributor at Akamai, he helped develop the + +company's initial positioning and led the technical development and +go-to-market activities for Akamai's flagship EdgeSuite service. +Taylor's early contribution helped position the service provider to +secure a $12.6 billion IPO. He has also held senior marketing management + +positions at Nortel Networks, Inc. and Bay Networks. Taylor was +previously an analyst at TeleChoice, Inc. and the Wide Area Networks +editor for Data Communications, a McGraw Hill publication. Taylor holds +a B.A. in Print Journalism from the Pennsylvania State University School + +of Communications. + +================================================================= +Board of Advisors + +Mark Hoover +Mark Hoover is President and co-founder of Acuitive, Inc., a start-up +accelerator. With over 20 years experience in the networking industry, +Hoover's expertise spans product development, marketing, and business +development. Before launching Acuitive, Hoover worked at AT&T Bell +Laboratories, AT&T Computer Systems, SynOptics, and Bay Networks, where +he played a role in the development of key technologies, such as +10-BASET, routing, FDDI, ATM, Ethernet switching, firewall, Internet +traffic management, and edge WAN switch industries. + +George Kassabgi +Currently Vice President of Engineering at BEA Systems, Mr. Kassabgi has + +held executive-level positions in engineering, sales and marketing, and +has spearheaded leading-edge developments in the application server +marketplace since 1996. He is widely known for his regular speaking +engagements at JavaOne, as well as columns and contributions in JavaPro, + +Java Developer's Journal and other publications. In addition to being a +venerated Java expert, George Kassabgi holds a patent on SmartObject +Technology, and authored the technical book Progress V8. + +Marshall T. Rose +Marshall T. Rose runs his own firm, Dover Beach Consulting, Inc. He +formerly held the position of the Internet Engineering Task Force (IETF) + +Area Director for Network Management, one of a dozen individuals who +oversaw the Internet's standardization process. Rose is the author of +several professional texts on subjects such as Internet Management, +Electronic Mail, and Directory Services, which have been published in +four languages. He is well known for his implementations of core +Internet technologies (such as POP, SMTP, and SNMP) and OSI technologies + +(such as X.500 and FTAM). Rose received a PhD in Information and +Computer Science from the University of California, Irvine, in 1984. + diff --git a/machine-learning-ex6/ex6/easy_ham/1016.f520486b0e8f1428af9a9379139fa8a8 b/machine-learning-ex6/ex6/easy_ham/1016.f520486b0e8f1428af9a9379139fa8a8 new file mode 100644 index 0000000..19880b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1016.f520486b0e8f1428af9a9379139fa8a8 @@ -0,0 +1,86 @@ +From fork-admin@xent.com Wed Aug 28 10:51:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 43AC144155 + for ; Wed, 28 Aug 2002 05:51:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:51:15 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7S0T9Z03618 for ; + Wed, 28 Aug 2002 01:29:09 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id D6E5A294220; Tue, 27 Aug 2002 17:21:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mithral.com (watcher.mithral.com [204.153.244.1]) by + xent.com (Postfix) with SMTP id 3F0BC294220 for ; + Tue, 27 Aug 2002 17:20:25 -0700 (PDT) +Received: (qmail 10891 invoked by uid 1111); 28 Aug 2002 00:22:01 -0000 +From: "Adam L. Beberg" +To: Rohit Khare +Cc: +Subject: Re: DataPower announces XML-in-silicon +In-Reply-To: <5D5CC294-BA08-11D6-837F-000393A46DEA@alumni.caltech.edu> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 17:22:01 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Tue, 27 Aug 2002, Rohit Khare wrote: + +> DATAPOWER TECHNOLOGY ON Monday unveiled its network device designed +> specifically to process XML data. Unlike competing solutions that +> process XML data in software, DataPower's device processes the data in +> hardware -- a technology achievement that provides greater performance, +> according to company officials. + +Now, to do this, we all know they have to be cracking the strong crypto used +on all transaction in order to process them... So this has some preaty heavy +implications, unless it's just BS. + +> Kelly explained that converting data into XML increases the file size up +> to 20 times. This, he said, makes processing the data very taxing on +> application servers; DataPower believes an inline device is the best +> alternative. + +Or.... you could just not bloat it 20x to begin with. Nah! (that was the +whole point of XML afterall, to sell more CPUs - much like Oracle's use of +Java allows them to sell 3x more CPU licenses due to the performance hit) + +> In addition to the large file sizes, security is also of paramount +> importance in the world of XML. +> +> "Today's firewalls are designed to inspect HTTP traffic only," Kelly +> said. "A SOAP packet with XML will go straight through a firewall. +> Firewalls are blind to XML today." + +Again, see above... they _are_ claiming to decode the crypto... + +> "Our XG3 execution core converts XML to machine code," said Kelly, + +Mmmmmmmmmmm, machine code, never a good idea ;) + +- Adam L. "Duncan" Beberg + http://www.mithral.com/~beberg/ + beberg@mithral.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/1017.d946df144440633b63b4df3fa3c6082b b/machine-learning-ex6/ex6/easy_ham/1017.d946df144440633b63b4df3fa3c6082b new file mode 100644 index 0000000..de05b02 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1017.d946df144440633b63b4df3fa3c6082b @@ -0,0 +1,59 @@ +From fork-admin@xent.com Wed Aug 28 11:30:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8A5C343F99 + for ; Wed, 28 Aug 2002 06:30:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 11:30:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SAViZ20088 for ; + Wed, 28 Aug 2002 11:31:45 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ED9F32940D7; Wed, 28 Aug 2002 03:29:09 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id B372C29409A for + ; Wed, 28 Aug 2002 03:28:09 -0700 (PDT) +Received: from [192.168.123.198] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17k02i-0006OF-00 for ; Wed, 28 Aug 2002 07:27:20 -0300 +Message-Id: <3D6CA455.4010907@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Canadians +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 07:22:13 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + + From the local paper this morning. +"Canadians eat about seven times as many doughnuts per capita"... (as +Americans) . D'oh! + +Owen + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1018.2533f2c820fcf490638969e5504102dd b/machine-learning-ex6/ex6/easy_ham/1018.2533f2c820fcf490638969e5504102dd new file mode 100644 index 0000000..48e3c63 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1018.2533f2c820fcf490638969e5504102dd @@ -0,0 +1,173 @@ +From fork-admin@xent.com Wed Aug 28 12:02:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 46BFF43F99 + for ; Wed, 28 Aug 2002 07:02:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 12:02:20 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g7SAwqZ20999 for ; + Wed, 28 Aug 2002 11:58:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 382622940F5; Wed, 28 Aug 2002 03:56:10 -0700 (PDT) +Delivered-To: fork@example.com +Received: from sunserver.permafrost.net (u172n16.hfx.eastlink.ca + [24.222.172.16]) by xent.com (Postfix) with ESMTP id 3C43329409A for + ; Wed, 28 Aug 2002 03:55:46 -0700 (PDT) +Received: from [192.168.123.179] (helo=permafrost.net) by + sunserver.permafrost.net with esmtp (Exim 3.35 #1 (Debian)) id + 17k0TQ-0006Up-00 for ; Wed, 28 Aug 2002 07:54:56 -0300 +Message-Id: <3D6CAD7B.6010800@permafrost.net> +From: Owen Byrne +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.0.0) Gecko/20020530 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: fork@example.com +Subject: Canadians again - something a little more substantive +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 08:01:15 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Politicians worldwide are discovering the internet - what a great tool +for fascism, once you got the laws in place to solve that whole +'anonymity' thing. Also I notice this story shows the truth - the +Canadian government is really located in Washington, DC, Ottawa is just +a branch office. Come to think of it, the last story I posted about +Canada featured the head of its military, 'speaking to us from military +HQ in Palm Beach, Florida.' +Owen +---------------------------------------------------------------------------------------------------------------------------- +. +*Will Canada's ISPs become spies?* +By Declan McCullagh +Staff Writer, CNET News.com +August 27, 2002, 12:56 PM PT +http://news.com.com/2100-1023-955595.html + + +*WASHINGTON--The Canadian government is considering a proposal that +would force Internet providers to rewire their networks for easy +surveillance by police and spy agencies.* + +A discussion draft +released Sunday also contemplates creating a national database of every +Canadian with an Internet account, a plan that could sharply curtail the +right to be anonymous online. + +The Canadian government, including the Department of Justice + and Industry Canada +, wrote the 21-page blueprint as a near-final step +in a process that seeks to give law enforcement agents more authority to +conduct electronic surveillance. A proposed law based on the discussion +draft is expected to be introduced in Parliament late this year or in +early 2003. + +Arguing that more and more communications take place in electronic form, +Canadian officials say such laws are necessary to fight terrorism and +combat even run-of-the-mill crimes. They also claim that by enacting +these proposals, Canada will be following its obligations under the +Council of Europe's cybercrime treaty +, which the country is in the +process of considering. + +If the discussion draft were to become law, it would outlaw the +possession of computer viruses, authorize police to order Internet +providers to retain logs of all Web browsing for up to six months, and +permit police to obtain a search warrant allowing them to find "hidden +electronic and digital devices" that a suspect might be concealing. In +most circumstances, a court order would be required for government +agents to conduct Internet monitoring. + +Canada and the United States are nonvoting members of the Council of +Europe, and representatives from both countries' police agencies have +endorsed the controversial cybercrime treaty +, which has +drawn protests from human rights activists and civil liberties groups. +Of nearly 50 participating nations, only Albania has formally adopted +, +or ratified, the treaty. + +Michael Geist , a professor at the +University of Ottawa who specializes in e-commerce law, says that the +justification for adopting such sweeping changes to Canadian law seems +weak. + +"It seems to me that the main justification they've given for all the +changes is that we want to ratify the cybercrime treaty and we need to +make changes," Geist said. "To me that's not a particularly convincing +argument. If there are new powers needed for law enforcement authority, +make that case." + +Geist added that "there's nothing in the document that indicates (new +powers) are needed. I don't know that there have been a significant +number of cases where police have run into problems." + +Probably the most sweeping change the legal blueprint contemplates is +compelling Internet providers and telephone companies to reconfigure +their networks to facilitate government eavesdropping and data-retention +orders. The United States has a similar requirement, called the +Communications Assistance for Law Enforcement Act +, but it +applies only to pre-Internet telecommunications companies. + +"It is proposed that all service providers (wireless, wireline and +Internet) be required to ensure that their systems have the technical +capability to provide lawful access to law enforcement and national +security agencies," according to the proposal. Companies would be +responsible for paying the costs of buying new equipment. + +Sarah Andrews, an analyst at the Electronic Privacy Information Center + (EPIC) who specializes in international law, says +the proposal goes beyond what the cybercrime treaty specifies. "Their +proposal for intercept capability talks about all service providers, not +just Internet providers," Andrews said. "The cybercrime treaty deals +only with computer data." EPIC opposes + +the cybercrime treaty, saying it grants too much power to police and +does not adequately respect privacy rights. + +Another section of the proposal says the Canadian Association of Chiefs +of Police recommends "the establishment of a national database" with +personal information about all Canadian Internet users. "The +implementation of such a database would presuppose that service +providers are compelled to provide accurate and current information," +the draft says. + +Gus Hosein, a visiting fellow at the London School of Economics and an +activist with Privacy International, calls the database "a dumb idea." + +"Immediately you have to wonder if you're allowed to use anonymous +mobile phones or whether you're allowed to connect to the Internet +anonymously," Hosein said. + +A representative for George Radwanski +, Canada's privacy commissioner, said +the office is reviewing the blueprint and does not "have any comments on +the paper as it stands." + +Comments on the proposal can be sent to la-al@justice.gc.ca + no later than Nov. 15. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1019.beedf67e23635b02918f624bae1cba33 b/machine-learning-ex6/ex6/easy_ham/1019.beedf67e23635b02918f624bae1cba33 new file mode 100644 index 0000000..61df296 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1019.beedf67e23635b02918f624bae1cba33 @@ -0,0 +1,99 @@ +From fork-admin@xent.com Wed Oct 9 10:55:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 782C316F03 + for ; Wed, 9 Oct 2002 10:52:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 10:52:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g98IjTK29427 for ; + Tue, 8 Oct 2002 19:45:30 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9CC582940A8; Tue, 8 Oct 2002 11:45:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from localhost.localdomain (pm5-47.sba1.netlojix.net + [207.71.222.47]) by xent.com (Postfix) with ESMTP id 3767D29409A for + ; Tue, 8 Oct 2002 11:44:51 -0700 (PDT) +Received: (from dave@localhost) by maltesecat (8.8.7/8.8.7a) id LAA09633; + Tue, 8 Oct 2002 11:53:52 -0700 +Message-Id: <200210081853.LAA09633@maltesecat> +To: fork@example.com +Subject: Re: erratum [Re: no matter ...] & errors +In-Reply-To: Message from Owen Byrne of + "Mon, 07 Oct 2002 16:48:36 -0300." + <3DA1E514.9080807@permafrost.net> +From: Dave Long +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 11:53:52 -0700 +X-Spam-Status: No, hits=-14.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + + +> I'm not sure what you mean by "let's you and him fight", but it is +> important to remember that England was in control of Ireland +> for 300 years ... + +Exactly -- "let's you and him fight" is a +way of dealing with troublesome populations +by moving them next to one another, so they +give each other, and not the Man, grief*. + +So by my understanding (and, you all will +understand, with tongue firmly in cheek): + +Ireland: Irish? Uppity barbarians overly + fond of "risings". Scots? More uppity + barbarians overly fond of "risings". + Why not plonk down a bunch of the latter + next to the former and kill two birds + with one stone? + +Israel: Ex-ottomans? Uppity barbarians + (didn't they help kick out the Ottomans?) + Zionists? Uppity sorts who aren't happy + with perfectly good land in Uganda. Why + not plonk down a bunch of the latter next + to the former and kill two birds with one + stone? + +but not: + +India: in which the muslims and hindus were + originally intermixed to some degree, + but Partioned due to their own conflict, + not due to English resettlement policy. + +Canada: in which the french and english were + already established, and it was just the + balance of power on the continent that + determined events in the colonies. The + Acadians got resettled, but they don't + seem to have been that good for picking + fights with their neighbors, so no one + had them plonked down next door. + +-Dave + +* this works best with a populace who, +given "one man, one vote", immediately +deduce "one less man, one less vote" -- +eh, Magnan? + + diff --git a/machine-learning-ex6/ex6/easy_ham/1020.7fdf27321484091bd72c08886ab53262 b/machine-learning-ex6/ex6/easy_ham/1020.7fdf27321484091bd72c08886ab53262 new file mode 100644 index 0000000..7e29e31 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1020.7fdf27321484091bd72c08886ab53262 @@ -0,0 +1,102 @@ +From fork-admin@xent.com Wed Oct 9 22:44:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B320A16F22 + for ; Wed, 9 Oct 2002 22:41:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:48 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g99HfZK14316 for ; + Wed, 9 Oct 2002 18:41:35 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 9C11529409C; Wed, 9 Oct 2002 10:41:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id 542C629409A for ; Wed, + 9 Oct 2002 10:40:38 -0700 (PDT) +Received: from endeavors.com ([66.161.8.83] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Wed, + 9 Oct 2002 10:28:03 -0700 +Message-Id: <3DA4671F.3030501@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: FoRK +Subject: Netscape 7 Review +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Originalarrivaltime: 09 Oct 2002 17:28:03.0620 (UTC) FILETIME=[39072E40:01C26FB9] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 10:27:59 -0700 +X-Spam-Status: No, hits=-9.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_DENSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This is my Netscape 7.0 Review. + +o They finally got the email search speed back up to + where it was in 4.7.x +o Setting up user mail accounts doesn't have that really + odd, sometimes it lets me sometimes it doesn't problem that + previous versions had. +o I still have to manually update all my address books by + hand but at least it lets me import them as Netscape 4.x + address books (there's not 6.x import as they just assume + it works--which it doesn't) +o The mail filters are still broken and have the same problem that + I've tried to report since 4.0.2 where you can't store a mail + filter of the type: Age in days, is greater than, 21 (or some number) + Gawd I'd really wish they'd fix that freakin' bug, it's the single + biggest annoyance that I have with Netscape as it's one of the + most effective anti-spam tools that I have. +o Webex doesn't support Netscape 7.0 and the plugin doesn't + work which causes problems when you want to use Webex to + work on something with someone remotely. + +I've given up trying to report bugs and any changes to the +source I send always get lost. + +Greg + + +-- +Gregory Alan Bolcer, CTO | work: +1.949.833.2800 +gbolcer at endeavors.com | http://endeavors.com +Endeavors Technology, Inc.| cell: +1.714.928.5476 + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1021.3c2dc9fee94649133426006b8ae4ac88 b/machine-learning-ex6/ex6/easy_ham/1021.3c2dc9fee94649133426006b8ae4ac88 new file mode 100644 index 0000000..32da8a6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1021.3c2dc9fee94649133426006b8ae4ac88 @@ -0,0 +1,189 @@ +From fork-admin@xent.com Wed Oct 9 22:44:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5000A16F49 + for ; Wed, 9 Oct 2002 22:41:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:50 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g99JeCK18599 for ; + Wed, 9 Oct 2002 20:40:17 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 02E4C2940B0; Wed, 9 Oct 2002 12:39:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from jamesr.best.vwh.net (jamesr.best.vwh.net [192.220.76.165]) + by xent.com (Postfix) with SMTP id 7F8352940A9 for ; + Wed, 9 Oct 2002 12:38:03 -0700 (PDT) +Received: (qmail 95084 invoked by uid 19621); 9 Oct 2002 19:36:00 -0000 +Received: from unknown (HELO avalon) ([64.125.200.18]) (envelope-sender + ) by 192.220.76.165 (qmail-ldap-1.03) with SMTP for + ; 9 Oct 2002 19:36:00 -0000 +Subject: RE: The Disappearing Alliance +From: James Rogers +To: fork@example.com +In-Reply-To: <001e01c26f9a$8d775550$592c243e@detmold> +References: <001e01c26f9a$8d775550$592c243e@detmold> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1034193484.20790.116.camel@avalon> +MIME-Version: 1.0 +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: 09 Oct 2002 12:58:04 -0700 +X-Spam-Status: No, hits=-10.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +On Wed, 2002-10-09 at 06:48, Frank Bergmann wrote: +> +> A more reasonable explication of the EU - US differences (according +> to some American journalist cited in a German magazine, can someone +> help me?) is that the American public perceives the rest of the world +> basically as a thread, against which you have to defend yourself using +> power. + + +This is not a correct assessment. The American public couldn't care +less. However, the US intelligence community correctly perceives a +threat, and it isn't the third-world. Many European and other developed +nations aggressively engage in covert operations against American +interests. Its been going on for years and isn't even news. Things +have stepped up in recent years and the US DoD is none too pleased. For +better or worse, the US is relatively good at that game too. As with +most backwater wars, they are proxies for the interests of the big +players. + +Find a current list of the top intelligence threats to the US. You'll +find that half the countries on that list are European. Most people are +unaware of how aggressive these things have gotten in recent years. + + +> On the other hand the Europeans are used to the peace of their cozy +> post-war system where external security is not an issue. All security +> threads can be resolved by giving money to the threatening people +> and to integrate them into the wealthy sphere (Balkan, Palestinians, +> ...) + + +Bullshit. The European governments ruthlessly suppress real opposition, +obviously some more than others. US SpecOps are often brought in to do +dirty work inside Europe for European governments (usually with +government "advisors" along for the mission). I've always wondered what +the deal was such that we got involved at all. The point being that +we've acted as assassins for European governments inside their borders +against their own citizens under the auspices of those governments, and +in recent years, not ancient history. I know SpecOp guys who left the +military specifically because of the circumstances of some of these +missions while they were posted for that duty. I'm certainly glad I was +never assigned missions in that theater, because there is a lot of +covert nastiness going on in nominally friendly European democracies. + +Regardless, giving money to people that threaten you has never created +meaningful peace in the history of civilization. We call it extortion +under any other guise. + + +> A lot of the current EU - US issues can be explained by this difference +> of perception, such as the current American unilateralism (nobody wants +> to help us!), the American arrogance towards Europe (they don't want to +> do anything, so why should we ask them?) and the growing rejection of the +> American policy in Europe (they want to abolish the law!). + + +Europe is looking increasingly like a basket case. Whatever problems +the US is having these days, Europe looks worse and is going downhill +faster. Why the US would want to emulate European behavior or the +European way of doing things is beyond me. + +The US asking for major policy advice from Europe is like asking a quack +for medical advice. I really don't see what is wrong with "unilateral" +anyway. Why should anyone join a stampede that is heading for a cliff? +I hope the incessant knee-jerk conformist screeching that Americans see +coming from Europe doesn't actually represent the views of Europeans. + +For various reasons I'm not exactly a cheerleader for the US government, +but the premises of the argument against them here are lame. + + +> My personal point is that few Americans (percentage of overall population) +> have ever left their country, while even German construction workers +> regularly spend their holidays in Spain. So I'm not surprised that +> paranoia is growing. + + +I'm betting you are underestimating the actual percentage. The vast +majority of people I know have lived, worked, and traveled outside the +country at one time or another. And I doubt Europeans have traveled +anywhere near as much in the Western hemisphere as Americans have. +Despite the best efforts of France, Europe is *still* not the center of +the universe. I'll throw you a bone though: most Americans do consider +Europe to be drifting into irrelevancy and therefore ignore it. But +from the perspective of an American, how could you NOT look at it this +way? The impact of Europe on America has diminished greatly over the +years. + +I love the smell of Euro-chauvinism in the morning. + +First, you assume that the North American continent is ethnically and +culturally homogenous. Anybody that has actually traveled throughout +North America knows this isn't true; there are more than five major and +very distinct cultures and societies in the US alone, never mind the +hundreds of diverse regional sub-populations, some of which are truly +foreign. Apparently Europeans confuse speaking the same language with +having the same culture. That would be like saying Mexico is culturally +identical to Spain because they nominally speak the same language. A +Wyoming rancher has almost nothing in common culturally or socially with +your average person living in San Francisco, despite speaking the same +language and nominally living in the same country. If I want to visit a +wildly different culture for the holidays, I'll go to Oakland, New +Orleans, or similar -- they are far more different from where I live +than some countries I've traveled to. And a lot of these places are +farther from where I live than Spain is from Germany. + +Second, the State I live in is the size of Germany. When I travel to a +neighboring State (which I do regularly), how is this not equivalent? +In fact, I probably travel much farther for the holidays than your +German construction workers. If you look at the EU as a single country, +only then does your analogy become comparable. What kind of ridiculous +superiority do Europeans get from having (relatively) tiny countries? + +In truth, I find Europe to be about as culturally homogeneous as the +US. There are a lot of cultural similarities across the EU with +relatively minor local deviations that vary with distance in ways very +similar to the US. The only real difference is that Europeans have +dozens of different languages, which is hardly something I would call an +advantage. Although there are a couple parts of the US where I can't +understand a word they are saying either. + + +-James Rogers + jamesr@best.com + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1022.73ab70b91862d709897cfe3dd5bb22a0 b/machine-learning-ex6/ex6/easy_ham/1022.73ab70b91862d709897cfe3dd5bb22a0 new file mode 100644 index 0000000..4c20b5c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1022.73ab70b91862d709897cfe3dd5bb22a0 @@ -0,0 +1,692 @@ +From fork-admin@xent.com Thu Oct 10 12:34:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 98D4616F1F + for ; Thu, 10 Oct 2002 12:33:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:33:24 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9A1omK03066 for ; + Thu, 10 Oct 2002 02:50:52 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id 3352B2940A0; Wed, 9 Oct 2002 18:50:04 -0700 (PDT) +Delivered-To: fork@example.com +Received: from mail.endeavors.com (unknown [66.161.8.83]) by xent.com + (Postfix) with ESMTP id 2409F29409A for ; Wed, + 9 Oct 2002 18:49:31 -0700 (PDT) +Received: from endeavors.com ([66.161.8.83] RDNS failed) by + mail.endeavors.com with Microsoft SMTPSVC(5.0.2195.5329); Wed, + 9 Oct 2002 18:50:05 -0700 +Message-Id: <3DA4DCC7.6060601@endeavors.com> +From: Gregory Alan Bolcer +Organization: Endeavors Technology, Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.0.1) + Gecko/20020823 Netscape/7.0 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Rohit Khare +Cc: Fork@xent.com +Subject: Re: Lord of the Ringtones: Arbocks vs. Seelecks +References: +Content-Type: text/plain; charset=windows-1252; format=flowed +Content-Transfer-Encoding: 8bit +X-Originalarrivaltime: 10 Oct 2002 01:50:05.0878 (UTC) FILETIME=[5B4AFD60:01C26FFF] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 18:49:59 -0700 +X-Spam-Status: No, hits=-9.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100, + T_QUOTED_EMAIL_TEXT,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +I got to see Powell talk in March 2001 at the beginning of his +reign at the FCC. He said they were going to take a real +hands off approach, so it's funny that they would blame +the regulators for causing the collapse. One thing he did +get right, is that he wasn't worried that the US was behind +Europe in the wireless licensing spectrum. This is something +very prescient in that most of those licensors have had to +eat their lunch over the huge licensing costs they paid for +very little benefit. His legacy was/is supposed to be +rethinking the FCC's role to stay out of the way in this +period of business innovation in the wireless space as he +didn't want the government forcing business models onto +the private sector. + +His full transcript is here [1]. Interestingly enough I +got to see his speech in person as he was part of the whole +CTIA'2001 Las Vegas keynote series of speakers. Clay and +I hoped a flight out of Ontario to Las Vegas to do demo support +for Craig Barrett [2]. His message was that there's no difference +between wired and wireless Internet--it's all the same thing. +Instead of scalable networks, we should be thinking about scalable +content (& using Magi he showed sending a blue man tv commercial +from a desktop to a laptop to an ipaq to a color smartphone with +the content scaling back for each target platform). + +The best part of the whole trip wasn't hobnobbing at all, +but really the fact that the Venetian had ran out of rooms. +They decided to put us up in one of their $10,000/night high +roller rooms. They put Clay in one and me in another. +The Venetian is known for having the largest hotel rooms +anywhere, but these ones were bigger than my whole house. 8-) + +Greg + + +[1] http://www.fcc.gov/Speeches/Powell/2001/spmkp101.html +[2] http://www.intel.com/pressroom/archive/speeches/cb20010320.htm + +Rohit Khare wrote: +> I can't believe I actually read a laugh-out-loud funny profile of the +> *FCC Commissioner* fer crissakes! So the following article comes +> recommended, a fine explanation of Michael Powell's extraordinary +> equivocation. +> +> On the other hand, I can also agree with Werbach's Werblog entry... Rohit +> +>> A Trip to F.C.C. World +>> +>> Nicholas Lemann has a piece in the New Yorker this week about FCC +>> Chairman Michael Powell. It's one of the first articles I've seen +>> that captures some of Powell's real personality, and the way he's +>> viewed in Washington. Unfortunately, Lemann ends by endorsing +>> conventional political wisdom. After describing how Powell isn't +>> really a fire-breathing ideological conservative, he concludes that, +>> in essence, Powell favors the inumbent local Bell telephone companies, +>> while a Democratic FCC would favor new entrants. I know that's not +>> how Powell sees the world, and though I disagree with him on many +>> issues, I think he's right to resist the old dichotomy. +>> +>> The telecom collapse should be a humbling experience for anyone who +>> went through it. The disaster wasn't the regulators' fault, as some +>> conservatives argue. But something clearly went horribly wrong, and +>> policy-makers should learn from that experience. Contrary to Lemann's +>> speculation, the upstart carriers won't be successful in a Gore +>> administration, because it's too late. Virtually all of them are +>> dead, and Wall Street has turned off the capital tap for the +>> foreseeable future. Some may survive, but as small players rather +>> than world-dominators. +>> +>> The battle between CLECs and RBOCs that Lemann so astutely parodies is +>> old news. The next important battle in telecom will be between those +>> who want to stay within the traditional boxes, and those who use +>> different models entirely. That's why open broadband networks and +>> open spectrum are so important. Whatever the regulatory environment, +>> there is going to be consolidation in telecom. Those left out in that +>> consolidation will face increasing pressure to create new pipes into +>> the home, or slowly die. The victors in the consolidation game will +>> cut back on innovation and raise prices, which will create further +>> pressure for alternatives. +>> +>> Lemann is right that policy-making looks much drier and more ambiguous +>> on the ground than through the lens of history. But he's wrong in +>> thinking that telecom's future will be something like its past. +>> +>> Friday, October 04, 2002 +>> 11:17:11 AM comments {0} +> +> +> ============================================================== +> http://www.newyorker.com/printable/?fact/021007fa_fact +> +> THE CHAIRMAN +> by NICHOLAS LEMANN +> He's the other Powell, and no one is sure what he's up to. +> New Yorker, October 8, 2002 +> +> Last year, my middle son, in eighth grade and encountering his first +> fairly serious American-history course, indignantly reported that the +> whole subject was incomprehensible. I was shocked. What about Gettysburg +> and the Declaration of Independence and the Selma-to-Montgomery march? +> Just look at my textbook, he said, and when I did I saw his point. His +> class had got up to the eighteen-forties. What I expected was a big +> beefing up of the roles of Sacagawea and Crispus Attucks, and, in-deed, +> there was some of that. But the main difference between my son's text +> and that of my own childhood was that somebody had made the disastrous +> decision to devote most of it to what had actually happened in American +> history. There were pages and pages on tariffs and bank charters and +> reciprocal trade agreements. I skipped ahead, past the Civil War, hoping +> for easier going, only to encounter currency floats and the regulation +> of freight rates. Only a few decades into the twentieth century did it +> become possible to see the federal government's main function as +> responding to dramatic crises and launching crusades for social justice, +> instead of attempting to referee competing claims from economic interests. +> +> Even now, if one were to reveal what really goes on behind the pretty +> speeches and the sanctimonious hearings in Washington, what you'd find +> is thousands of lawyers and lobbyists madly vying for advantage, not so +> much over the public as over each other: agribusiness versus real +> estate, banks versus insurance companies, and so on. The arena in which +> this competition mainly takes place is regulatory agencies and +> commissions and the congressional committees that supervise them. It's +> an insider's game, less because the players are secretive than because +> the public and the press—encouraged by the players, who speak in jargon— +> can't get themselves interested. +> +> One corner of Washington might be called F.C.C. World, for the Federal +> Communications Commission. F.C.C. World has perhaps five thousand +> denizens. They work at the commission itself, at the House and Senate +> commerce committees, and at the Washington offices of the companies that +> the commission regulates. They read Communications Daily (subscription +> price: $3,695 a year), and every year around Christmastime they +> grumblingly attend the Chairman's Dinner, at a Washington hotel, where +> the high point of the evening is a scripted, supposedly self-deprecating +> comedy routine by the commission's chairman. +> +> Of all the federal agencies and commissions, the F.C.C. is the one that +> Americans ought to be most interested in; after all, it is involved with +> a business sector that accounts for about fifteen per cent of the +> American economy, as well as important aspects of daily life—telephone +> and television and radio and newspapers and the Internet. And right now +> F.C.C. World is in, if not a crisis, at least a very soapy lather, +> because a good portion of what the angry public thinks of as the +> "corporate scandals" concerns the economic collapse of companies +> regulated by the F.C.C. Qwest, WorldCom, Adelphia, and Global Crossing, +> among others, are (or were) part of F.C.C. World. AOL Time Warner is +> part of F.C.C. World. Jack Grubman, the former Salomon Smith Barney +> analyst who seems to have succeeded Kenneth Lay, of Enron, as the +> embodiment of the corporate scandals, is part of F.C.C. World. In the +> past two years, companies belonging to F.C.C. World have lost trillions +> of dollars in stock-market valuation, and have collectively served as a +> dead weight pulling down the entire stock market. +> +> This year, an alarmed and acerbic anonymous memorandum about the state +> of the F.C.C. has been circulating widely within F.C.C. World. It evokes +> F.C.C. World's feverish mood ("The F.C.C. is fiddling while Rome burns") +> and suggests why nobody besides residents of F.C.C. World has thought of +> the commission in connection with the corporate scandals. The sentence I +> just quoted is followed by this explanation: "The ILECs appear likely to +> enter all l.d. markets within twelve months, while losing virtually no +> residential customers to attackers since 1996, and suffering about 10% +> market share loss in business lines to CLECs." It's a lot easier to +> think about evil C.E.O.s than to decipher that. +> +> +> Even in good times, F.C.C. World pays obsessive attention to the +> commission's chairman. In bad times, the attention becomes especially +> intense; and when the chairman is a celebrity F.C.C. World devotes +> itself to full-time chairman-watching. The current chairman, Michael +> Powell, is a celebrity, at least by government-official standards, +> because he is the only son of Colin Powell, the Secretary of State. +> Unlike his father, he has a kind of mesmerizing ambiguity, which +> generates enormous, and at times apoplectically toned, speculation about +> who he really is and what he's really up to. Powell is young to be the +> head of a federal agency—he is thirty-nine—and genially charming. +> Everybody likes him. Before becoming chairman, he was for three years +> one of the F.C.C.'s five commissioners; not only is he fluent in the +> F.C.C.'s incomprehensible patois, he has a Clintonesque love of the +> arcane details of communications policy. He's always saying that he's an +> "avid moderate." And yet he has a rage-inciting quality. One of his +> predecessors as chairman, Reed Hundt, quoted in Forbes, compared Powell +> to Herbert Hoover. Mark Cooper, of the Consumer Federation of America, +> calls him "radical and extreme." Just as often as he's accused of being +> a right-wing ideologue, Powell gets accused of being paralytically +> cautious. "It ain't about singing 'Kum-Ba-Yah' around the campfire," +> another former chairman, William Kennard, says. "You have to have an +> answer." One day last spring, Powell, testifying before a Senate +> subcommittee, delivered an anodyne opening statement, and the +> subcommittee's chairman, Ernest Hollings, of South Carolina, berated +> him. "You don't care about these regulations," Hollings said. "You don't +> care about the law or what Congress sets down. . . . That's the +> fundamental. That's the misgiving I have of your administration over +> there. It just is amazing to me. You just pell-mell down the road and +> seem to not care at all. I think you'd be a wonderful executive +> vice-president of a chamber of commerce, but not a chairman of a +> regulatory commission at the government level. Are you happy in your job?" +> +> "Extremely," Powell said, with an amiable smile. +> +> +> One cannot understand Powell's maddening effect, at least on Democrats +> and liberal activists, without understanding not just the stated purpose +> of the commission he chairs but also its real purpose. The F.C.C. was +> created by Congress in 1934, but it existed in prototype well before the +> New Deal, because it performs a function that is one of the classic easy +> cases for government intervention in the private economy: making sure +> that broadcasters stick to their assigned spots on the airwaves. Its +> other original function was preventing American Telephone & Telegraph, +> the national monopoly phone company, from treating its customers +> unfairly. Over the decades, as F.C.C. World grew up into a comfortable, +> well-established place, the F.C.C. segued into the role of industrial +> supervision—its real purpose. It was supposed to manage the competition +> among communications companies so that it didn't become too bloody, by +> artfully deciding who would be allowed to enter what line of business. +> In addition to looking out for the public's interest, the commission +> more specifically protected the interests of members of Congress, many +> of whom regard the media companies in their districts as the single most +> terrifying category of interest group—you can cross the local bank +> president and live to tell the tale, but not the local broadcaster. +> According to an oft-told F.C.C. World anecdote, President Clinton once +> blocked an attempt to allow television stations to buy daily newspapers +> in the same city because, he said, if the so-and-so who owned the +> anti-Clinton Little Rock Democrat-Gazette had owned the leading TV +> station in Little Rock, too, Clinton would never have become President. +> +> +> F.C.C. World may have been con tentious, but it was settled, too, +> because all the reasonably powerful players had created secure economic +> niches for themselves. Then, in the nineteen-eighties, the successful +> breakup of A.T. & T.—by far the biggest and most important company the +> commission regulated—deposited a thick additional sediment of +> self-confidence onto the consciousness of F.C.C. World. A generation +> ago, for most Americans, there was one local phone company, one +> long-distance company, and one company that manufactured telephones, +> which customers were not permitted to own—and they were all the same +> company. It was illegal to plug any device into a phone line. By the +> mid-nineteen-nineties, there were a dozen economically viable local +> phone companies, a handful of national long-distance companies competing +> to offer customers the lowest price and best service, and stores +> everywhere selling telephone equipment from many manufacturers—and +> millions of Americans had a fax machine and a modem operating over the +> telephone lines. A.T. & T. had argued for years that it was a "natural +> monopoly," requiring protection from economic competition and total +> control over its lines. So much for that argument. Over the same period, +> the F.C.C. had assisted in the birth of cable television and cell phones +> and the Internet. It was the dream of federal-agency success come true: +> consumers vastly better served, and the industry much bigger and more +> prosperous, too. +> +> The next big step was supposed to be the Telecommunications Act of 1996, +> one of those massive, endlessly lobbied-over pieces of legislation which +> most people outside F.C.C. World probably felt it was safe to ignore. +> Although the Telecom Act sailed under the rhetorical banner of +> modernization and deregulation, its essence was a grand interest-group +> bargain, in which the local phone companies, known to headline writers +> as "baby Bells" and to F.C.C. World as "arbocks" (the pronounced version +> of RBOCs, or regional Bell operating companies), would be permitted to +> offer long-distance service in exchange for letting the long-distance +> companies and smaller new phone companies use their lines to compete for +> customers. Consumers would win, because for the first time they would +> get the benefits of competition in local service while getting even more +> competition than they already had in long distance. But the politics and +> economics of the Telecom Act (which was shepherded through Congress by +> Vice-President Gore) were just as important. Democrats saw the act as +> helping to reposition them as the technology party—the party that +> brought the Internet into every home, created hundreds of thousands of +> jobs in new companies, and, not least, set off an investment boom whose +> beneficiaries might become the party's new contributor base. Clinton's +> slogans about the "information superhighway" and "building a bridge to +> the twenty-first century," which, like all Clinton slogans, artfully +> sent different messages to different constituencies, were the rhetorical +> correlates of the Telecom Act, and Gore's cruise to the Presidency was +> supposed to be powered substantially by the act's success. +> +> The F.C.C. had a crucial role in all this. The arbocks are rich, +> aggressive, politically powerful, and generally Republican (though like +> all important interest groups they work with both parties); they +> immediately filed lawsuits, which wound up tying the hands of their new +> competitors in the local phone market for more than three years. Through +> rule-making, enforcement, and litigation, the F.C.C., then headed by +> Reed Hundt, who was Gore's classmate at St. Albans, was supposed to keep +> the arbocks in their cages, so that not only long-distance companies +> like A.T. & T. and MCI WorldCom but also a whole category of new +> companies, "see-lecks" (the pronounced version of CLECs, or competitive +> local exchange carriers), could emerge. This entailed the regulatory +> equivalent of hand-to-hand combat: the see-leck is supposed to have +> access to the arbock's switching equipment, the arbock won't give the +> seeleck a key to the room where it's kept, so the see-leck asks the +> F.C.C. to rule that the arbock has to give it the key. +> +> Partly because Hundt assured the see-lecks and other new companies that +> he would protect them, and partly because of the generally booming +> condition of the economy then, investment capital flooded into the +> see-lecks—companies with names like Winstar, Covad, and Teligent—and +> into other telecommunications companies. Even not obviously related +> technology companies like Cisco Systems benefitted from the telecom +> boom: demand for their products was supposed to come from the see-lecks +> and other new players. There would be no conflict between the interests +> of the new telecom companies and those of consumers; as one of Hundt's +> former lieutenants told me, "Reed used to joke that my job was to make +> sure that all prices went down and all stocks went up." +> +> +> The years following the passage of the Telecom Act were the peak of the +> boom. Wall Street had its blood up, and that meant not just more +> startups but also more mergers of existing communications companies: +> Time Warner and AOL decided to throw in together, and A.T. & T. and +> Comcast, and so on. (Surely, WorldCom and the other telecom bad guys +> believed that their self-dealing, stock-overselling, and creative +> accounting would go unnoticed because the market was so undiscriminating.) +> +> By the time the outcome of the 2000 Presidential election had been +> determined, the telecom crash was well under way. Nonetheless, the +> chairmanship of the F.C.C. remained one of the best jobs, in terms of +> influence and visibility, available to a career government regulator. +> Three Republicans emerged as candidates: Powell, who was a commissioner; +> Harold Furchtgott-Roth, the farthest-to-the-right commissioner; and +> Patrick Wood, the head of the Texas Public Utility Commission and, as +> such, a George W. Bush guy. In Texas, however, Wood had crossed the most +> powerful person in the arbock camp, Edward Whitacre, the C.E.O. of +> S.B.C. Communications, which is headquartered in San Antonio. This meant +> that the arbocks didn't want Wood as head of the F.C.C., because he +> might be too pro-see-leck. (Wood is now the head of the Federal Energy +> Regulatory Commission.) Michael Powell had to signal the arbocks that he +> wasn't as threatening as Wood, while also signalling the conservative +> movement that he was only negligibly farther to the left than +> Furchtgott-Roth. +> +> Powell did this deftly. For example, in December of 2000 he appeared +> before a conservative group called the Progress & Freedom Foundation and +> gave a very Michael Powell speech—whimsical, intellectual, and +> free-associative (Biblical history, Joseph Schumpeter, Moore's Law)—that +> began by making fun of the idea that the F.C.C. should try to keep new +> telecom companies alive. "In the wake of the 1996 Act, the F.C.C. is +> often cast as the Grinch who stole Christmas," Powell said. "Like the +> Whos, down in Who-ville, who feast on Who-pudding and rare Who-roast +> beast, the communications industry was preparing to feast on the +> deregulatory fruits it believed would inevitably sprout from the Act's +> fertile soil. But this feast the F.C.C. Grinch did not like in the +> least, so it is thought." Thus Powell was indicating that if he became +> chairman he didn't expect to administer first aid to the see-lecks as +> part of the job. He was appointed to the chairmanship on the first day +> of the Bush Administration. +> +> Twenty months into the Administration, nearly all the see-lecks are dead +> or dying; nearly all long-distance companies, not just WorldCom, are in +> serious trouble; cable companies have lost half their value; satellite +> companies are staggering. The crash has had an automatically +> concentrating effect, because as new companies die the existing +> companies' market share increases, and, if the existing companies are in +> good shape financially, they have the opportunity to pick up damaged +> companies at bargain prices. During the Bush Administration, as the +> financial carnage in communications has worsened, the communications +> industry has moved in the direction of more concentration. If the Bells +> wind up protecting their regional monopolies in local phone service, and +> if they also merge, the country will be on its way to having a national +> duopoly in local service: Verizon, in the East, and S.B.C., in the West. +> And these companies could dominate long distance as well, because of the +> poor health of the long-distance companies. +> +> The cable business also seems close to having two dominant national +> companies, AOL Time Warner and Comcast. Unlike the phone companies, they +> don't have to share their wiring with other companies and so can more +> fully control what material they allow to enter people's homes. As part +> of the complicated bargaining with interest groups that led to the 1996 +> Telecom Act, the limits on concentration in the radio industry were +> significantly loosened, and in the past six years the number of +> radio-station owners in the United States has been cut by twenty-five +> per cent; today, a large portion of local and national radio news +> programming is supplied by a single company, Westwood One, a subsidiary +> of Viacom. +> +> In this situation, many Democrats and liberals think, the F.C.C. should +> be hyperactive—the superhero of government regulation, springing to the +> rescue of both consumers and the communications industry. It should try +> to breathe life into the see-lecks and other new companies. It should +> disallow mergers, maintain ownership limits, and otherwise restrain the +> forces of concentration. It should use the government's money and muscle +> to get new technology—especially fast Internet connections—into the +> homes of people who can't afford it at current market prices. (An +> analogy that a lot of people in F.C.C. World make is between telecom and +> the Middle East: the Clinton people blame the bloodshed on the Bush +> people, because they disengaged when they came into office, and the Bush +> people blame it on the Clinton people, because they raised too many +> expectations and stirred too many passions.) +> +> But Michael Powell's F.C.C. has not been hyperactive. Powell has been +> conducting internal policy reviews and reforming the management of the +> F.C.C. and waiting for the federal courts and the Congress to send him +> signals. (In mid-September, Powell finally initiated a formal review of +> the F.C.C.'s limits on media concentration.) This doesn't mean he has +> been inactive; rather, he has been active in a way that further +> infuriates his critics—in a manner that smoothly blends the genial and +> the provocative, he muses about whether the fundamental premises of +> F.C.C. World really make sense, while giving the impression that he's +> having the time of his life as chairman. At his first press conference, +> when he was asked what he was going to do about the "digital +> divide"—that is, economic inequality in access to the Internet—he said, +> "You know, I think there is a Mercedes divide. I'd like to have one and +> I can't afford one." At the National Cable & Telecommunications +> Association convention, in Chicago, Powell, following a troupe of +> tumblers to the stage, interrupted his walk to the podium to perform a +> somersault. +> +> +> Not long ago, I went to see Powell in his office at the F.C.C. Until +> 1998, when the commission moved to a new building in Southwest +> Washington, near the city's open-air fish market, F.C.C. World was at +> the western edge of downtown, where everybody would encounter everybody +> else at a few familiar restaurants and bars. Today, the F.C.C. building +> looks like the office of a mortgage company in a suburban office park. +> Even the chairman's suite, though large, is beige, carpeted, and +> fluorescent. Powell is a bulky man who wears gold-rimmed glasses and +> walks with a pronounced limp, the result of injuries he suffered in a +> jeep accident in Germany, in 1987, when he was an Army officer. Because +> of the accident, he left the Army and went to law school, where he +> became entranced with conservative ideas about regulation, particularly +> the idea that the government, rather than trying to correct the flaws of +> the market before the fact—"prophylactically," as he likes to say—should +> wait till the flaws manifest themselves and then use antitrust +> litigation to fix them. He worked briefly at a corporate law firm, and +> then became a protégé of Joel Klein, the head of the antitrust division +> of the Clinton Justice Department and the man who led the government's +> legal case against Microsoft. (He was recently appointed chancellor of +> the New York public-school system.) It testifies to Powell's political +> skill that he is probably the only high official in the Bush +> Administration who not only served in the Clinton Administration but +> also maintains close ties to Bush's nemesis Senator John McCain, of +> Arizona. One of the things about Powell that annoy people is his +> enduring love of law school—"It's sort of like a law-school study +> session over there," one Democratic former commissioner said. As if to +> confirm the charge, Powell, when I arrived, introduced me to four law +> students, summer interns at the commission, whom he'd invited to sit in. +> +> I began by asking Powell whether he agreed with the founding assumptions +> of the F.C.C. For example, could private companies have apportioned the +> airwaves among themselves without the government being involved? +> +> "I think we'll never know," Powell said. "I don't think it's an +> automatically bad idea, the way some people will argue. Land is probably +> the best analogue. We don't seize all the land in the United States and +> say, 'The government will issue licenses to use land.' If my neighbor +> puts a fence one foot onto my property line, there's a whole body of law +> about what I can do about that, including whether I can tear it down. If +> a wireless company was interfering with another wireless company, it's a +> similar proposition. There are scholars who argue—indeed, the famous +> Ronald Coase treatise that won the Nobel Prize was about this—that +> spectrum policy is lunacy. The market could work this out, in the kinds +> of ways that we're accustomed to." +> +> Talking to Powell was fun. Unlike most high government officials, he +> doesn't seem to be invested in appearing dignified or commanding. He +> slumps in his chair and fiddles with his tie and riffs. He speaks in +> ironic air quotes. He's like your libertarian friend in college who +> enjoyed staying up all night asking impertinent rhetorical questions +> about aspects of life that everybody else takes for granted but that he +> sees as sentimental or illogical. After a while, I asked him whether he +> thought his predecessors' excitement about the 1996 Telecommunications +> Act had been excessive. +> +> "I would start with a caveat," Powell said. "Look, I can't fault those +> judgments in and of themselves, given the time and what people thought. +> They were not the only ones who were hysterical about the opportunities. +> But, frankly, I've always been a little bit critical. First of all, +> anybody who works with the act knows that it doesn't come anywhere close +> to matching the hyperbole that was associated with it, by the President +> on down, about the kinds of things it's going to open up. I mean, I +> don't know what provisions are the information-superhighway provisions, +> or what provisions are so digitally oriented, or some of the things that +> were a big part of the theatre of its introduction. When one starts +> reading the details, one searches, often in vain, for these provisions. +> But, nonetheless, there was a rising dot-com excitement, and an Internet +> excitement, and people thought this was historic legislation, and it +> certainly was. +> +> "But. We were sucking helium out of balloons, with the kinds of +> expectations that were being bandied around, and this is before the +> economy or the market even gets in trouble. It was a dramatically +> exaggerated expectation—by the leadership of the commission, by +> politicians, by the market itself, by companies themselves. It was a +> gold rush, and led to some very detrimental business decisions, ones +> that government encouraged by its policies, frankly. Everybody wanted to +> see numbers go up on the board." +> +> Powell began imitating an imagined true believer in the Telecom Act. " +> 'I want to see ten competitors. Twenty competitors! I want to see +> thirty-per-cent market share. Fifty-per-cent market share! I want the +> Bells to bleed! Then we'll know we've succeeded.' " Now Powell returned +> to being Powell. "I think that expectation was astonishingly +> unrealistic, in the short term. They wanted to see it while they're +> there. We were starting to get drunk on the juice we were drinking. And +> the market was getting drunk on the juice we were drinking. There's no +> question, we went too soon too fast. Too many companies took on too much +> debt too fast before the market really had a product, or a business model." +> +> How could the Telecom Act have been handled better? "We could have +> chosen policies that were less hellbent on a single objective, and were +> slightly more balanced and put more economic discipline in the system," +> Powell said. "Money chased what seemed like government-promised +> opportunity. The problem with that is there's a morning after, and we're +> in it. And the problem is there is no short fix for this problem. This +> debt is going to take years to bring down to a realistic level. In some +> ways, for short-term gain, we paid a price in long-term stability." +> +> Powell went on to say that it might have turned out differently if there +> had been a more "reasonable" level of investment. "No, we wouldn't have +> every home in America with competitive choice yet—but we don't anyway. I +> don't think it's the remonopolization of telephone service. I don't buy +> that. The Bells will prosper, but did anybody believe they wouldn't? The +> part of the story that didn't materialize was that people thought so +> would MCI WorldCom and Sprint." +> +> Other local phone companies, he added, hadn't materialized as viable +> businesses, either, and they never might. "Everybody's always saying, +> 'The regulators did this and this and this.' But, candidly, the story's +> quite the opposite. I think the regulators bent over backward for six +> years to give them a chance. Conditions don't get that good except once +> every thirty years, and it didn't happen. So, whatever the reason, we're +> looking at a WorldCom that's teetering. We're looking at a long-distance +> business that has had a rapid decline in its revenue base. A.T. & T. is +> breaking itself up. Sprint has struggled." +> +> Could the F.C.C. have done anything to make the long-distance companies +> stronger? "At the F.C.C.? I think I'll just be blunt. My political +> answer? Yes, there's all kinds of things we can do at the margin to try +> to help. But I can't find thirty billion dollars for WorldCom somewhere. +> I can't mitigate the impacts of an accounting scandal and an S.E.C. +> investigation. Were I king, it would be wonderful, but I don't have +> those kinds of levers. I don't know whether anybody does. At some point, +> companies are expected to run themselves in a way that keeps them from +> dying." Powell couldn't have made it much clearer that he doesn't think +> it's his responsibility to do anything about the telecom crash. He has +> demonstrated his sure political touch by making accommodationist +> gestures—in August, for example, five months after disbanding the +> F.C.C.'s Accounting Safeguards Division, Powell announced that he was +> appointing a committee to study accounting standards in the +> communications industry. But that shows that Powell is better at riding +> out the storm than, say, Harvey Pitt, his counterpart at the Securities +> and Exchange Commission, and does not mean that he plans to try to shore +> up the telecom industry. +> +> I asked Powell if it would bother him if, for most people, only one +> company provided cable television and only one provided local phone +> service. "Yes," he said. "It concerns us that there's one of each of +> those things, but let's not diminish the importance of there being one +> of each of those things. That still is a nice suite of communications +> capabilities, even if they aren't direct analogues of each other." +> Anyway, Powell said, before long the phone companies will be able to +> provide video service over their lines, and the cable companies will +> provide data service over their lines, so there will be more choice. +> "So, yeah, we have this anxiety: we have one of everything. The question +> is, Does it stay that way?" +> +> The concentration of ownership and the concentrated control of +> information did not appear to trouble Powell, either. He said that +> people confuse bigness, which brings many benefits, with concentration, +> which distorts markets. "If this were just economics, it's easy. If you +> were to say to me, 'Mike, just worry about economic concentration,' we +> know how to do that—the econometrics of antitrust. I can tell you when a +> market's too concentrated and prices are going to rise. The problem is +> other dimensions, like political, ideological, sometimes emotional. Take +> the question of, if everybody's controlling what you see, the assumption +> there is that somehow there'll be this viewpoint, a monolithic +> viewpoint, pushed on you by your media and you won't get diversity. I +> think that's a possibility. I don't think it's nearly the possibility +> that's ascribed to it sometimes." +> +> Powell explained, "Sometimes when we see very pointed political or +> parochial programming, it gets attacked as unfair. I see some of the +> same people who claim they want diversity go crazy when Rush Limbaugh +> exists. They love diversity, but somehow we should run Howard Stern off +> the planet. If it has a point of view, then it becomes accused of bias, +> and then we have policies like"—here his tone went from ironic to +> sarcastic—"the fairness doctrine, which seems to me like the antithesis +> of what I thought those people cared about. So when somebody is pointed +> and opinionated, we do all this stuff in the name of journalistic +> fairness and integrity or whatever, to make them balance it out." +> +> +> F.C.C. World abounds in theories about Michael Powell. One is that he +> can't make up his mind about how to address the crisis in the industries +> he regulates—so he talks (and talks and talks) flamboyantly about the +> market, in order to buy himself time. Another is that he's carrying +> water for the arbocks and the big cable companies. Another is that he is +> planning to run for the Senate from Virginia (or to be appointed +> Attorney General in a second Bush term), and doesn't want to do anything +> at the F.C.C. that would diminish his chances. Another is that he's +> waiting to move until there is more consensus on some course of action, +> so that he doesn't wind up going first and getting caught in the +> crossfire between the arbocks and the cable companies and the television +> networks. (In F.C.C. World, this is known as the Powell Doctrine of +> Telecom, after Colin Powell's idea that the United States should never +> commit itself militarily without a clear objective, overwhelming force, +> and an exit strategy.) And another is that he actually believes what he +> says, and thinks the telecommunications crash is natural, healthy, and +> irreversible, and more concentration would be just fine. +> +> "This is why elections matter," Reed Hundt, who isn't happy about what +> has become of his Telecom Act, told me. It's true that the F.C.C.—much +> more than, say, the war in Afghanistan—is a case in which a Gore +> Administration would be acting quite differently from the Bush +> Administration. Consumers might have noticed the difference by now, but +> there's no question whether communications companies have noticed. The +> arbocks are doing better against their internal rivals than they would +> have done if Gore had won. Next election, they'll help the party that +> helped them. If the Republicans win, policy will tilt further in the +> arbocks' favor. If they lose, perhaps the arbocks' rivals—the +> long-distance companies and the telecommunications upstarts—with their +> friends now in power, will stage a comeback. America's present is not +> unrecognizably different from America's past. +> +> + + +-- +Gregory Alan Bolcer, CTO | work: +1.949.833.2800 +gbolcer at endeavors.com | http://endeavors.com +Endeavors Technology, Inc.| cell: +1.714.928.5476 + + + + + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1023.909ebf9dc802a8f97b0d722ad443dd42 b/machine-learning-ex6/ex6/easy_ham/1023.909ebf9dc802a8f97b0d722ad443dd42 new file mode 100644 index 0000000..694c0b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1023.909ebf9dc802a8f97b0d722ad443dd42 @@ -0,0 +1,366 @@ +From fork-admin@xent.com Thu Oct 10 12:34:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 04BD316F20 + for ; Thu, 10 Oct 2002 12:33:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:33:33 +0100 (IST) +Received: from xent.com ([64.161.22.236]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g9A6HqK11334 for ; + Thu, 10 Oct 2002 07:17:53 +0100 +Received: from lair.xent.com (localhost [127.0.0.1]) by xent.com (Postfix) + with ESMTP id ACC8E2940B3; Wed, 9 Oct 2002 23:17:03 -0700 (PDT) +Delivered-To: fork@example.com +Received: from slc02.smtp.stsn.com (p5.n-usslc14.stsn.com [12.23.74.5]) by + xent.com (Postfix) with ESMTP id 783F529409A for ; + Wed, 9 Oct 2002 23:16:05 -0700 (PDT) +Received: from ianbell.com ([10.16.39.92]) by slc02.smtp.stsn.com with + Microsoft SMTPSVC(5.0.2195.3779); Thu, 10 Oct 2002 00:16:03 -0600 +MIME-Version: 1.0 (Apple Message framework v546) +Content-Type: text/plain; charset=US-ASCII; format=flowed +Subject: Fwd: [POLITICOS] Re: "Bowling for Columbine," Opens This Friday +From: Ian Andrew Bell +To: fork@example.com +Content-Transfer-Encoding: 7bit +Message-Id: <1271ABB6-DC18-11D6-B3AB-0030657C53EA@ianbell.com> +X-Mailer: Apple Mail (2.546) +X-Originalarrivaltime: 10 Oct 2002 06:16:04.0000 (UTC) FILETIME=[83132A00:01C27024] +Sender: fork-admin@xent.com +Errors-To: fork-admin@xent.com +X-Beenthere: fork@example.com +X-Mailman-Version: 2.0.11 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , +List-Id: Friends of Rohit Khare +List-Unsubscribe: , + +List-Archive: +Date: Wed, 9 Oct 2002 23:18:20 -0700 +X-Spam-Status: No, hits=-0.9 required=5.0 + tests=CLICK_BELOW,FWD_MSG,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,T_QUOTED_EMAIL_TEXT,UNSUB_PAGE, + USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + + + +Begin forwarded message: + +> From: Ian Andrew Bell +> Date: Wed Oct 9, 2002 11:16:09 PM US/Pacific +> To: mike@michaelmoore.com +> Cc: foib@ianbell.com +> Subject: [POLITICOS] Re: "Bowling for Columbine," Opens This Friday +> +> Michael, +> +> Why is it that people who consider voting in an election an +> inconvenience would go to see a movie to show support for its message? +> Don't get me wrong -- I think this is the case. People will go to +> see your movie as much to be entertained and informed as they will to +> express their malice and discontent towards not only the present +> regime in America, but also the corrupt, empty, shallow pantomime +> which cast them into power. +> +> In reality, today the voting that takes place via the act of +> consumption far outweighs the impact caused by people going to a booth +> and dimpling the appropriate chad, or some other such convoluted act +> of free democratic expression. +> +> Why? Because in America, they believe in dollars. Dollars don't lie. +> In practise, they are the last frontier of truth in America, +> universally accepted as expressions of fear, desire, passion, and +> need. Compared to the swing of the almighty buck, and Jeb Bush knows +> this, a hanging chad has only the nethermost meaning. +> +> Given that fact, I modestly propose an entirely new, though wholly +> logical, extension to the current democratic system in place in +> America: +> +> I propose we augment, and effectively replace, the electoral system +> with a political stock market. We should accept that Politicians are +> entrepreneurs just like any other businessperson in America, and +> embrace this fact in building an economic system which truly reflects +> their intent. A politician should issue a constant number of shares +> dependent upon his tenure in government. Those shares should be +> traded on an open exchange, say the G.R.E.E.D. (short, of course, for +> the "Global Realists' Electoral Exchange -- Democratic"). Politicians +> we believe in will see their stocks rise higher as faith in their +> ability to maintain office grows. As the truth about their embezzling +> campaign funds for weekend trips to Maui with their interns is +> revealed, of course, their fortunes will fall. +> +> This represents an opportunity for the market forces -- those same +> forces which you intend to harness to express your own personal +> protest -- to voice their opinion on the quality of America's +> governance during the intervening four years between elections. +> Elections themselves will in effect become meaningless, as they are +> now, since their outcome will be influenced by the stock price of each +> and every congressman, senator, and presidential candidate. +> +> Just think of the coverage that could be given on MSNBC! "Strom +> Thurman (STROM: news - quotes) was down 15% today on fears that his +> latest heart operation will render him unable to attend Senate Armed +> Services committee meetings until November.." This would provide +> rejuvenating content to the econo-political news sector, which has +> found post-economic-bubble coverage to be both tiresome and +> deoressing. The establishment of this new stock exchange would of +> course create jobs for newly unemployed (and governmentally retrained) +> IT systems engineers who could, after passing the electoral securities +> exam, become floor traders. +> +> This would also allow for a convenient and very public method by which +> candidates could raise capital in the public markets to support their +> multi-billion-dollar campaigns. The requirement for the support of +> legions of spin doctors, permanent campaign managers, and investor +> relations personnel would also create jobs -- perhaps even a new +> practice for Ernst & Young, Arthur Anderson, et al. Insider trading +> scandals and misleading revenue declarations would of course catch +> Martha Stewart as an unwitting beneficiary, thus spreading her +> influence to politics. +> +> Dividends, if there are any on record, at the close of a politician's +> career could be paid to current shareholders based on the holdings. +> Pensions funds could provide the institutional investment support +> necessary to underpin even the biggest dogs among the Beltway set. +> Union funds, brokerages, and even pump-and-dump houses could benefit +> from meteoric rises in conservative candidates running in the +> Southeast, and the Bush Governmet would be allowed to place Social +> Security bets where they really mattered. investors who lose their +> retirement, life savings, and support could rest assured that they +> were indeed robbed by crooks rather than poor investors. +> +> Although there's no way to protect any of these for Worldcom-like +> crashes, ambitious, inspired, District Attorneys could file criminal +> suits against Candidates and Campaign Managers who underperform +> expectations, thus assuring investors that their logic was not faulty +> -- instead, they were merely defrauded by crooks and thieves. +> +> On the whole, I believe the system could work. I could certainly work +> as well as our beloved securities trading industry and, given the +> American electoral system's success at effectively expressing the will +> of the people, it certainly couldn't do any worse... +> +> In the meantime, Mike, I think I'll go see your movie and try to +> depose the President. +> +> -Ian. +> +> +> +> On Wednesday, October 9, 2002, at 03:53 PM, Michael Moore's Mailing +> List wrote: +> +>> October 9, 2002 +>> +>> My Film, "Bowling for Columbine," Opens This Friday +>> +>> Dear friends, fans, and fellow evildoers: +>> +>> I am very happy and excited to tell you that this Friday, October 11, +>> my +>> new +>> film, "Bowling for Columbine," will open in New York and Los Angeles. +>> +>> It is, I promise, the last thing the Bushies want projected on the +>> movie +>> screens across America this week. The film is, first and foremost, a +>> devastating indictment of the violence that is done in our name for +>> profit +>> and power -- and no one, in all the advance screenings I have +>> attended, has +>> left the theatre with anything short of rage. I truly believe this +>> film has +>> the potential to rock the nation and get people energized to do +>> something. +>> +>> This is not good news for Junior and Company. Not when they are +>> trying to +>> drag us into another war. Not when a crazed sniper is exercising his +>> constitutional right to own a high-powered rifle. Not when John +>> Ashcroft is +>> still prohibiting the FBI from looking through the gun background +>> check +>> files to see if any of the 19 hijackers or their associates purchased +>> any +>> weapons prior to 9/11 -- because THAT, we are told, would "violate" +>> these +>> terrorists' sacred Second Amendment rights! +>> +>> Yes, I believe this movie can create a lot of havoc -- but I will +>> need ALL +>> of you to help me do this. Are you game? +>> +>> Last February 5th, I wrote to tell you about a book I had written and +>> how +>> the publisher had decided to dump it because they were afraid to +>> publish +>> anything critical of Bush after 9/11. I appealed to you to save +>> "Stupid +>> White Men" from the shredder and to go out and buy it. I promised you +>> would +>> not regret it, and that the book would not only be a great read but an +>> important organizing tool in gumming up the plans of George W. Bush. +>> +>> Within 24 hours, the book went to #1 on the Amazon best seller list. +>> By the +>> fifth day, the book was already into its 9th printing. The publisher +>> was +>> torn between its desire to kill the book or make a wad of money. +>> Greed won +>> out, and this Sunday the book enters its 31st week on the New York +>> Times +>> best seller list -- and its 32nd printing. This is all because of +>> you, my +>> crazy and loyal friends. You made this happen, against all the odds. +>> +>> Now I would like to ask you again to help me with my latest work, +>> "Bowling +>> for Columbine." It's a movie that many critics have already called my +>> best +>> film to date. They may be right. It is certainly the most provocative +>> thing +>> I have ever done. I have spent three years on it and, I have to say, +>> it +>> cuts +>> deeper, harder and funnier that anything I have given you so far. +>> +>> The movie opens this Friday in New York and Los Angeles, and then in +>> 8 more +>> cities next week. How it does in these first ten cities will determine +>> whether or not the rest of the country gets to see it. That is the +>> nutty +>> way +>> our films are released. If it doesn't have a big opening weekend, you +>> can +>> kiss the film good-bye. Therefore, this weekend, this film must be +>> seen by +>> millions of Americans. Can you help me make that happen? +>> +>> "Bowling for Columbine" is not a film simply about guns or school +>> shootings. +>> That is only the starting point for my 2-hour journey into the dark +>> soul of +>> a country that is both victim and master of an enormous amount of +>> violence, +>> both at home and around the world. With this movie I have broadened my +>> canvas to paint a portrait of our nation at the beginning of the 21st +>> century, a nation that seems hell-bent on killing first and asking +>> questions +>> later. It is a movie about the state sponsored acts of violence and +>> terrorism against our own poor, and how we have created a culture of +>> fear +>> that is based on the racial dilemma we continue to ignore. And it's a +>> devastating comedy. +>> +>> This film is going to upset some pretty big apple carts. No film has +>> EVER +>> said the things I am saying in "Bowling for Columbine." I expect to be +>> attacked. I expect certain theatres will not show it for fear of +>> retribution. I expect that this movie will be a bitter pill for many +>> to +>> swallow. +>> +>> This is why I need your help. Movies live or die based on what +>> happens at +>> the box office the first weekend of its release. I need you, if you +>> live in +>> the New York or L.A. area, to go see "Bowling for Columbine" this +>> Friday +>> and +>> Saturday -- and take as many family members and friends with you as +>> possible. I guarantee you will not be disappointed -- and you may +>> just see +>> one of the best films of the year. +>> +>> Monday night in Times Square, "Bowling for Columbine" had its +>> premiere. The +>> crowd was amazing, as it was this past Saturday night at the Chicago +>> Film +>> Festival. The audience kept laughing or hooting or applauding so loud +>> throughout the film that it was hard to hear the next line. +>> +>> The hate mail, the threats, the promises of retribution have already +>> started +>> to roll in to the distributor of this movie, United Artists. They are +>> not +>> backing down. But how long will this last? I need all of you in the +>> New +>> York +>> tri-state and southern California areas to go see "Bowling for +>> Columbine" +>> THIS weekend -- the rest of you can see it in a couple of weeks when +>> it +>> comes to your town. A strong opening not only means that the rest of +>> America +>> will see this film, it means that a good number of people who see it +>> are +>> going to leave the film angry enough to get active and get involved. +>> If it +>> does poorly, I will have a difficult time finding the funding for the +>> movie +>> I want to make next -- a film about 9/11 and how Bush is using that +>> tragic +>> day as a cover for his right-wing agenda. +>> +>> Don't let that happen. Don't let the NRA have one more success by +>> stopping +>> the wider distribution of this movie. And, together, let us not remain +>> silent in our opposition to Bush's phony war against Iraq. +>> +>> If you live in New York, you can see it at the Lincoln Plaza, the +>> Sunshine +>> and the Loews 19th St. In L.A., you can catch it at the Sunset 5, the +>> Westwood Regent, Laemmle Sunset, Laemmle Towncenter (Encino), Landmark +>> Rialto (Pasadena), and Regal University (Irvine). Also, please +>> forward this +>> to your other friends and tell them to go see "Bowling for Columbine" +>> this +>> weekend. +>> +>> And finally, don't miss our new website www.bowlingforcolumbine.com +>> +>> Thank you for your help with this. I feel so honored and privileged +>> to have +>> so many people interested in my work. Last January I was getting +>> 70,000 +>> hits +>> a month on my website. Last month, I got 17 million hits. This alone +>> speaks +>> volumes about the vast majority all of us belong to who are sick and +>> tired +>> of what is going on and are longing for an alternative source of +>> information. +>> +>> I hope that you enjoy "Bowling for Columbine." +>> +>> Thank you again... +>> +>> Yours, +>> +>> Michael Moore +>> +>> --- +>> +>> If you wish to be be unsubscribed from this mailing list, please +>> click the +>> link below and follow the instructions. +>> +>> http://www.michaelmoore.com/mailing/unsubscribe.php +> + + diff --git a/machine-learning-ex6/ex6/easy_ham/1024.2ec2a5954337a9a35a3c169caa5d947a b/machine-learning-ex6/ex6/easy_ham/1024.2ec2a5954337a9a35a3c169caa5d947a new file mode 100644 index 0000000..2130b08 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1024.2ec2a5954337a9a35a3c169caa5d947a @@ -0,0 +1,140 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 16:02:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 79EB244155 + for ; Mon, 26 Aug 2002 10:59:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:59:54 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QEStZ24764 for + ; Mon, 26 Aug 2002 15:28:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id DBF9B3F3B0; Mon, 26 Aug 2002 + 10:29:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 15AFC3EB8D + for ; Mon, 26 Aug 2002 10:28:06 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QES2e11973 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 10:28:02 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QES2Y11967 for + ; Mon, 26 Aug 2002 10:28:02 -0400 +Received: from austin-jump.vircio.com + (IDENT:OLfls4QDQmj2faeCmXKPqkGx1QJwp7Af@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7QEDBl04826 + for ; Mon, 26 Aug 2002 10:13:11 -0400 +Received: (qmail 1431 invoked by uid 104); 26 Aug 2002 14:28:01 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.321213 + secs); 26/08/2002 09:28:01 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Aug 2002 14:28:01 -0000 +Received: (qmail 11081 invoked from network); 26 Aug 2002 14:27:58 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 26 Aug 2002 14:27:58 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz +Cc: exmh-workers@example.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <6853.1030345218@munnari.OZ.AU> +References: <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-695163552P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030372078.11075.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 09:27:56 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-695163552P +Content-Type: text/plain; charset=us-ascii + +> From: Robert Elz +> Date: Mon, 26 Aug 2002 14:00:18 +0700 +> +> Date: Fri, 23 Aug 2002 10:58:20 -0500 +> From: Chris Garrigues +> Message-ID: <1030118301.3993.TMDA@deepeddy.vircio.com> +> +> | Interesting...I don't think this was my bug. +> | It appears that Msg_Change was asked to change to message "-". +> +> Something like that is quite possible, but perviously typing nonsense +> in didn't cause tracebacks, and now it does, and the traceback came +> from the sequence code... +> +> Perviously this would have just caused red messages in the status +> line complaining about my lousy typing. That's probably what it +> should keep on doing (the "red" part isn't important obviously..) + +Tell me what keystroke made it happen so I can reproduce it and I'll see what +I can do about it (or if I can't, I'll hand it off to Brent). + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-695163552P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ajrsK9b4h5R0IUIRAmd+AJ9WU9Wzf7ey0YYYTpYGcyJfpZuUFwCfX4CN +KE8fxn3ZKKmtJCWgS2fXK/w= +=enN3 +-----END PGP SIGNATURE----- + +--==_Exmh_-695163552P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1025.77dcf4ff92802ab3af94b9516d25b02a b/machine-learning-ex6/ex6/easy_ham/1025.77dcf4ff92802ab3af94b9516d25b02a new file mode 100644 index 0000000..1bd5b1e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1025.77dcf4ff92802ab3af94b9516d25b02a @@ -0,0 +1,151 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 16:02:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A6A6E44159 + for ; Mon, 26 Aug 2002 10:59:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:59:55 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QETrZ24800 for + ; Mon, 26 Aug 2002 15:29:53 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6AFB63F3B0; Mon, 26 Aug 2002 + 10:30:03 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DF3893EEF8 + for ; Mon, 26 Aug 2002 10:29:30 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QETRN12313 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 10:29:27 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QETRY12309 for + ; Mon, 26 Aug 2002 10:29:27 -0400 +Received: from austin-jump.vircio.com + (IDENT:f0BF3PrOASQe3KDkXhU9BlKJvR5us9rz@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7QEEZl05220 + for ; Mon, 26 Aug 2002 10:14:36 -0400 +Received: (qmail 1462 invoked by uid 104); 26 Aug 2002 14:29:26 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.347504 + secs); 26/08/2002 09:29:26 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Aug 2002 14:29:26 -0000 +Received: (qmail 11403 invoked from network); 26 Aug 2002 14:29:25 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 26 Aug 2002 14:29:25 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <25409.1030190165@munnari.OZ.AU> +References: <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <25409.1030190165@munnari.OZ.AU> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-694865624P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030372165.11396.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 09:29:23 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-694865624P +Content-Type: text/plain; charset=us-ascii + +> From: Robert Elz +> Date: Sat, 24 Aug 2002 18:56:05 +0700 +> +> Date: Thu, 22 Aug 2002 10:04:06 -0500 +> From: Chris Garrigues +> Message-ID: <1030028647.6462.TMDA@deepeddy.vircio.com> +> +> | hmmm, I assume you're going to report this to the nmh folks? +> +> Yes, I will, sometime, after I look at the nmh sources and see what +> they have managed to break, and why. +> +> But we really want exmh to operate with all the versions of nmh that +> exist, don't we? The patch to have exmh do the right thing, whether this +> bug exists, or not, is trivial, so I'd suggest including it. +> +> Patch follows ... +> +> I have no idea why the sequences were being added after the message list +> before, not that it should make any difference to nmh (or MH). But since +> I stopped doing that, the variable "msgs" isn't really needed any more, +> rather than assigning $pick(msgs) to msgs, and then using $msgs the code +> could just use $pick(msgs) where $msgs is now used. This is just a +> frill though, so I didn't change that. + +I'll fix this in CVS this afternoon. + +Thanks, +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-694865624P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ajtDK9b4h5R0IUIRAlFjAKCJRCAKR2dkmh5oqHfkagDddfmrBwCdH6vv +FCRlUSeu14edQaoD4yCWoDQ= +=+lzS +-----END PGP SIGNATURE----- + +--==_Exmh_-694865624P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1026.b2ee7b3cb90365641e465cfede58a672 b/machine-learning-ex6/ex6/easy_ham/1026.b2ee7b3cb90365641e465cfede58a672 new file mode 100644 index 0000000..aa9818d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1026.b2ee7b3cb90365641e465cfede58a672 @@ -0,0 +1,88 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 19:03:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6FD6043F99 + for ; Mon, 26 Aug 2002 14:03:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:03:29 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QI4SZ03731 for + ; Mon, 26 Aug 2002 19:04:32 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AAE003F362; Mon, 26 Aug 2002 + 14:04:26 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2D5FB3F407 + for ; Mon, 26 Aug 2002 14:01:02 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QI0wM26240 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 14:00:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QI0wY26236 for + ; Mon, 26 Aug 2002 14:00:58 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7QHk5l18771 for ; Mon, 26 Aug 2002 13:46:05 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 913C73F05; + Mon, 26 Aug 2002 20:00:41 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 7DCE73F04 for + ; Mon, 26 Aug 2002 20:00:41 +0200 (CEST) +X-Mailer: exmh version 2.5_20020826 01/15/2001 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: Exmh && speed +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020826180041.913C73F05@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 20:00:36 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + +lately I've got the feeling that exmh is getting slower and slower. I +just decided to check that vs. reality, and yes, speed has left the +scene somewhere between the release of 2.5 and now. + +I checked on a number of small messages in a big folder (~10000 +msgs). The delay of the Next button has increased considerably: + +2.5-release: 350-450 msec +latest cvs: 1000-12000 msec + +Frankly I think this is getting close to non-acceptable since the +user settings hasn't changed. + +Anybody have any ideas where performance disappeared? + +/Anders + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1027.35033a975b9979f1a2eb34db590b32ac b/machine-learning-ex6/ex6/easy_ham/1027.35033a975b9979f1a2eb34db590b32ac new file mode 100644 index 0000000..deda7a2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1027.35033a975b9979f1a2eb34db590b32ac @@ -0,0 +1,146 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 19:24:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 80A1143F9B + for ; Mon, 26 Aug 2002 14:24:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:24:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QIMAZ04311 for + ; Mon, 26 Aug 2002 19:22:20 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C4FCB3EA9E; Mon, 26 Aug 2002 + 14:22:20 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 745E13F778 + for ; Mon, 26 Aug 2002 14:17:48 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QIHjQ04467 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 14:17:45 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QIHjY04463 for + ; Mon, 26 Aug 2002 14:17:45 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7QI2ql23235 + for ; Mon, 26 Aug 2002 14:02:52 -0400 +Received: (qmail 25872 invoked by uid 104); 26 Aug 2002 18:17:44 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.323491 + secs); 26/08/2002 13:17:44 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Aug 2002 18:17:43 -0000 +Received: (qmail 10445 invoked from network); 26 Aug 2002 18:17:39 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?2fF9ssrzq9reRjnAkbOlzR5iItlzuL0M?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 18:17:39 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: <20020826180041.913C73F05@milou.dyndns.org> +References: <20020826180041.913C73F05@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1521948024P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030385858.10433.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 13:17:37 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_1521948024P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Mon, 26 Aug 2002 20:00:36 +0200 +> +> +> lately I've got the feeling that exmh is getting slower and slower. I +> just decided to check that vs. reality, and yes, speed has left the +> scene somewhere between the release of 2.5 and now. +> +> I checked on a number of small messages in a big folder (~10000 +> msgs). The delay of the Next button has increased considerably: +> +> 2.5-release: 350-450 msec +> latest cvs: 1000-12000 msec +> +> Frankly I think this is getting close to non-acceptable since the +> user settings hasn't changed. +> +> Anybody have any ideas where performance disappeared? + +Most likely in the added overhead of managing more sequences. + +I'm sure it can be tuned a bunch, but as I'm leaving for a vacation on Friday, +and have plenty of "real work" to do, I won't be able to do much until I get +back. + +I *will* look at all this when I get back, but if you want to check into +what's slow and fix things while I'm gone, my feelings won't be hurt. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1521948024P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9anDAK9b4h5R0IUIRAi7qAJsEAXgadxpxYR5yEcwl9VcuhonraACcDI87 +yyhj/sCflWdxrSbT4ZsT9yU= +=AcMk +-----END PGP SIGNATURE----- + +--==_Exmh_1521948024P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1028.a139c4ec44f9dd8286a8333d934ced4e b/machine-learning-ex6/ex6/easy_ham/1028.a139c4ec44f9dd8286a8333d934ced4e new file mode 100644 index 0000000..23b31ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1028.a139c4ec44f9dd8286a8333d934ced4e @@ -0,0 +1,162 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 19:24:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8FC6844155 + for ; Mon, 26 Aug 2002 14:24:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:24:03 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QIPeZ04341 for + ; Mon, 26 Aug 2002 19:25:40 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 421593FA4E; Mon, 26 Aug 2002 + 14:25:52 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 202603EA03 + for ; Mon, 26 Aug 2002 14:23:02 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QIMwx05888 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 14:22:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QIMwY05884 for + ; Mon, 26 Aug 2002 14:22:58 -0400 +Received: from turing-police.cc.vt.edu (turing-police.cc.vt.edu + [198.82.160.121]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7QI85l24455 for ; Mon, 26 Aug 2002 14:08:05 + -0400 +Received: from turing-police.cc.vt.edu (localhost [127.0.0.1]) by + turing-police.cc.vt.edu (8.12.5/8.12.5) with ESMTP id g7QIMk7P005756; + Mon, 26 Aug 2002 14:22:46 -0400 +Message-Id: <200208261822.g7QIMk7P005756@turing-police.cc.vt.edu> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4+dev +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: Your message of + "Mon, 26 Aug 2002 20:00:36 +0200." + <20020826180041.913C73F05@milou.dyndns.org> +From: Valdis.Kletnieks@vt.edu +X-Url: http://black-ice.cc.vt.edu/~valdis/ +X-Face-Viewer: See ftp://cs.indiana.edu/pub/faces/index.html to decode picture +X-Face: 34C9$Ewd2zeX+\!i1BA\j{ex+$/V'JBG#;3_noWWYPa"|,I#`R"{n@w>#:{)FXyiAS7(8t( + ^*w5O*!8O9YTe[r{e%7(yVRb|qxsRYw`7J!`AM}m_SHaj}f8eb@d^L>BrX7iO[ +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1913987426P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 14:22:46 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.8 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-1913987426P +Content-Type: text/plain; charset=us-ascii + +On Mon, 26 Aug 2002 20:00:36 +0200, Anders Eriksson said: + +> I checked on a number of small messages in a big folder (~10000 +> msgs). The delay of the Next button has increased considerably: +> +> 2.5-release: 350-450 msec +> latest cvs: 1000-12000 msec + +I'm not seeing a hit on 'next'. A quick "just pound on 'next' and watch the +wall clock" test shows me able to go through 20 messages in under 5 seconds, +so it's well under 250ms per switch, but I'm seeing a really piggy CPU spike +(100% for a few seconds) in the 'flist' code. Of course, it seems to be +related to number-of-folders: + +[~] wc Mail/.folders + 131 131 1122 Mail/.folders + +It's particularly annoying because things just hose-and-hang for 10 seconds, so +when it hits, you have a long latency before what you're doing actually +happens... + +14:08:54 Background_DoPeriodic flist +14:08:54 Flist_FindSeqs reset=0 +14:08:54 FlistFindStart reset=0 active=0 +14:08:56 Reading /home/valdis/Mail/exmh/.mh_sequences +14:08:56 exmh has 1 msgs in unseen +14:08:56 1 unseen message in 1 folder +14:08:56 {In FlagInner up iconup labelup} +14:08:56 {Setting flag glyph to iconup} +14:08:56 {Set flag state to up} +14:08:58 Reading /home/valdis/Mail/list-spams/.mh_sequences +14:08:58 list-spams has 1 msgs in unseen +14:08:58 2 unseen messages in 2 folders +14:08:58 {In FlagInner up iconup labelup} +14:09:02 Reading /home/valdis/Mail/trash/.mh_sequences +14:09:02 trash has 2 msgs in pseq +14:09:03 /home/valdis/Mail/xemacs/7508 not found +14:09:03 /home/valdis/Mail/xemacs/7507 not found +14:09:03 /home/valdis/Mail/xemacs/7508 not found +14:09:03 /home/valdis/Mail/xemacs/7507 not found +14:09:03 {pseq: 7506-7508 => 7506} +14:09:03 Writing /home/valdis/Mail/xemacs/.mh_sequences +14:09:03 xemacs has 1 msgs in pseq +14:09:03 Flist_Done + +And it takes a hit even if there's no new mail: + +14:11:03 Background_DoPeriodic flist +14:11:03 Flist_FindSeqs reset=0 +14:11:03 FlistFindStart reset=0 active=0 +14:11:12 Flist_Done +14:11:12 Flist_FindSeqs end {9018315 microseconds per iteration} + +I'm perfectly willing to can-opener that code and see where the CPU is +going, but only if nobody is slapping their forehead and mumbling about +a brown-paper-bag bug... ;) +-- + Valdis Kletnieks + Computer Systems Senior Engineer + Virginia Tech + + +--==_Exmh_-1913987426P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) +Comment: Exmh version 2.5 07/13/2001 + +iD8DBQE9anH1cC3lWbTT17ARAvzuAKDShPISux8PrLitv4WIzUiCxfj60gCgvEPy +QnWKrjGimFVroJcIHICt2e4= +=T3wR +-----END PGP SIGNATURE----- + +--==_Exmh_-1913987426P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1029.cfdcc9c1ab54e77b18da7164b324178a b/machine-learning-ex6/ex6/easy_ham/1029.cfdcc9c1ab54e77b18da7164b324178a new file mode 100644 index 0000000..6b2dfcc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1029.cfdcc9c1ab54e77b18da7164b324178a @@ -0,0 +1,134 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 19:44:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7667244155 + for ; Mon, 26 Aug 2002 14:44:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:44:38 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QIfLZ04793 for + ; Mon, 26 Aug 2002 19:41:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AC48A3F03A; Mon, 26 Aug 2002 + 14:41:20 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3B5753F3D3 + for ; Mon, 26 Aug 2002 14:39:59 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QIduZ10272 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 14:39:56 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QIdtY10268 for + ; Mon, 26 Aug 2002 14:39:55 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7QIP3l28717 + for ; Mon, 26 Aug 2002 14:25:03 -0400 +Received: (qmail 27204 invoked by uid 104); 26 Aug 2002 18:39:55 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.321256 + secs); 26/08/2002 13:39:54 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Aug 2002 18:39:54 -0000 +Received: (qmail 15683 invoked from network); 26 Aug 2002 18:39:50 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?Eb56NnaDnu2iOMAsaAJvGe2zQ07H1k7j?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 18:39:50 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Valdis.Kletnieks@vt.edu +Cc: Anders Eriksson , exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: <200208261822.g7QIMk7P005756@turing-police.cc.vt.edu> +References: <20020826180041.913C73F05@milou.dyndns.org> + <200208261822.g7QIMk7P005756@turing-police.cc.vt.edu> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1581673767P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030387189.15657.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 13:39:47 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_1581673767P +Content-Type: text/plain; charset=us-ascii + +> From: Valdis.Kletnieks@vt.edu +> Date: Mon, 26 Aug 2002 14:22:46 -0400 +> +> I'm perfectly willing to can-opener that code and see where the CPU is +> going, but only if nobody is slapping their forehead and mumbling about +> a brown-paper-bag bug... ;) + +As I mentioned in my email to Anders, it's certainly in my code and I don't +have time to work on it right now, so I would not be offended if you worked on +it. + +I just this moment found out that my partner has promised a few things would be +done before my vacation that will require my efforts, so it's even more true +that it was when I sent the mail to Anders. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1581673767P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9anXzK9b4h5R0IUIRAqiEAJsEF+hfbYPkHDm0L6E8Q+a7yy/0pACcDZXl +u6aC2B1PKjc336D56TZvdxc= +=x6ru +-----END PGP SIGNATURE----- + +--==_Exmh_1581673767P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1030.9a38ec315e2e8926085a560e36f977b8 b/machine-learning-ex6/ex6/easy_ham/1030.9a38ec315e2e8926085a560e36f977b8 new file mode 100644 index 0000000..ade665d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1030.9a38ec315e2e8926085a560e36f977b8 @@ -0,0 +1,118 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 23:40:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0EB0844155 + for ; Mon, 26 Aug 2002 18:40:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 23:40:28 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QMdLZ12693 for + ; Mon, 26 Aug 2002 23:39:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 40FD23FBDF; Mon, 26 Aug 2002 + 18:39:29 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1CF8E40269 + for ; Mon, 26 Aug 2002 18:34:59 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QMYtf01202 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 18:34:55 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QMYtY01198 for + ; Mon, 26 Aug 2002 18:34:55 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7QMK1l18661 for ; Mon, 26 Aug 2002 18:20:01 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 0009A3F21; + Tue, 27 Aug 2002 00:34:48 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id DF7513F20 for + ; Tue, 27 Aug 2002 00:34:48 +0200 (CEST) +X-Mailer: exmh version 2.5_20020826 01/15/2001 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: Message from Valdis.Kletnieks@vt.edu of + "Mon, 26 Aug 2002 14:22:46 EDT." + <200208261822.g7QIMk7P005756@turing-police.cc.vt.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020826223448.0009A3F21@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 00:34:43 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + + + +cwg-dated-1030817858.a49b7e@DeepEddy.Com said: +> From: Anders Eriksson +> Date: Mon, 26 Aug 2002 20:00:36 +0200 > +> +> lately I've got the feeling that exmh is getting slower and slower. I +> just decided to check that vs. reality, and yes, speed has left the +> scene somewhere between the release of 2.5 and now. +> +> I checked on a number of small messages in a big folder (~10000 +> msgs). The delay of the Next button has increased considerably: +> +> 2.5-release: 350-450 msec +> latest cvs: 1000-12000 msec +> +> Frankly I think this is getting close to non-acceptable since the +> user settings hasn't changed. +> +> Anybody have any ideas where performance disappeared? +> Most likely in the added overhead of managing more sequences. +> I'm sure it can be tuned a bunch, but as I'm leaving for a vacation on +> Friday, and have plenty of "real work" to do, I won't be able to do +> much until I get back. + +> I *will* look at all this when I get back, but if you want to check +> into what's slow and fix things while I'm gone, my feelings won't be +> hurt. + +> Chris + +Just one more info. I measured the time spent wrapping the stuff in +Ftoc_Next with time {} so the data is for real. One difference +between mine and Valdis' setup (judging from his trace) is that I use +the address book. I've been doing that for ages so that can't be the +problem. + +Is there a way to get the log to print time with higher granularity? + +/A + + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1031.cfbae64b0894abd4ef88ddbf253fa704 b/machine-learning-ex6/ex6/easy_ham/1031.cfbae64b0894abd4ef88ddbf253fa704 new file mode 100644 index 0000000..f6cdeb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1031.cfbae64b0894abd4ef88ddbf253fa704 @@ -0,0 +1,98 @@ +From exmh-workers-admin@redhat.com Mon Aug 26 23:40:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 37BB744156 + for ; Mon, 26 Aug 2002 18:40:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 23:40:29 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QMdsZ12703 for + ; Mon, 26 Aug 2002 23:39:55 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C29093F9B1; Mon, 26 Aug 2002 + 18:40:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id ABEFB3F553 + for ; Mon, 26 Aug 2002 18:38:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QMcHo02036 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 18:38:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QMcHY02032 for + ; Mon, 26 Aug 2002 18:38:17 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7QMNMl19536 for ; Mon, 26 Aug 2002 18:23:22 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id AB8A13F21; + Tue, 27 Aug 2002 00:38:10 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 69C793F20; Tue, 27 Aug 2002 + 00:38:10 +0200 (CEST) +X-Mailer: exmh version 2.5_20020826 01/15/2001 with nmh-1.0.4 +To: Valdis.Kletnieks@vt.edu +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: Message from Valdis.Kletnieks@vt.edu of + "Mon, 26 Aug 2002 14:22:46 EDT." + <200208261822.g7QIMk7P005756@turing-police.cc.vt.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020826223810.AB8A13F21@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 00:38:05 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + +Valdis.Kletnieks@vt.edu said: +> I checked on a number of small messages in a big folder (~10000 +> msgs). The delay of the Next button has increased considerably: +> +> 2.5-release: 350-450 msec +> latest cvs: 1000-12000 msec +> I'm not seeing a hit on 'next'. A quick "just pound on 'next' and +> watch the wall clock" test shows me able to go through 20 messages in +> under 5 seconds, so it's well under 250ms per switch, but I'm seeing a +> really piggy CPU spike (100% for a few seconds) in the 'flist' code. +> Of course, it seems to be related to number-of-folders: + +> [~] wc Mail/.folders +> 131 131 1122 Mail/.folders + +I have 167 folders (!) and run with bg-proc set to flist (1 minute). +I see delays, but not that much. Maybe 1-3 seconds (which tend to +disappear these days). This is on a PII-266. + +BR, +/A + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1032.725446990feeb941bce8a383943cd2a2 b/machine-learning-ex6/ex6/easy_ham/1032.725446990feeb941bce8a383943cd2a2 new file mode 100644 index 0000000..0b655ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1032.725446990feeb941bce8a383943cd2a2 @@ -0,0 +1,138 @@ +From exmh-workers-admin@redhat.com Tue Aug 27 00:00:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2F5D043F9B + for ; Mon, 26 Aug 2002 19:00:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 00:00:58 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7QMsVZ13137 for + ; Mon, 26 Aug 2002 23:54:32 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 596833F0F3; Mon, 26 Aug 2002 + 18:54:37 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1AA623F9F3 + for ; Mon, 26 Aug 2002 18:45:13 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7QMj9S03166 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 18:45:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7QMj9Y03162 for + ; Mon, 26 Aug 2002 18:45:09 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7QMUFl20693 + for ; Mon, 26 Aug 2002 18:30:15 -0400 +Received: (qmail 5815 invoked by uid 104); 26 Aug 2002 22:45:09 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.363928 + secs); 26/08/2002 17:45:08 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Aug 2002 22:45:08 -0000 +Received: (qmail 6638 invoked from network); 26 Aug 2002 22:45:05 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?mUS5Vc4pF2qLz/mLmfOBxJqd0SxJJKFu?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 26 Aug 2002 22:45:05 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: <20020826223448.0009A3F21@milou.dyndns.org> +References: <20020826223448.0009A3F21@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1977488590P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030401904.6628.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 17:45:03 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-1977488590P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Tue, 27 Aug 2002 00:34:43 +0200 +> +> Just one more info. I measured the time spent wrapping the stuff in +> Ftoc_Next with time {} so the data is for real. One difference +> between mine and Valdis' setup (judging from his trace) is that I use +> the address book. I've been doing that for ages so that can't be the +> problem. + +Assuming it's my fault (which it probably is since nobody else has really been +in there), it's most likely related to the number of sequences in a folder. +I'd guess that something is either being called that shouldn't be or is being +called more times than it should be. + +> Is there a way to get the log to print time with higher granularity? + +Not that I'm aware of. If you look in the code, there are various places +where the time function is called in order to see how long it took to do +things. You'll probably want to borrow that technique. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1977488590P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9aq9vK9b4h5R0IUIRAkZrAJ4uCzn3j+5JlaqhDeEOVBMZlSATqwCdGO8z +gy5px3yMpRraa8JkwHRwmM0= +=fGBe +-----END PGP SIGNATURE----- + +--==_Exmh_-1977488590P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1033.4155e06c0fb104b96ec6c5d656264fa7 b/machine-learning-ex6/ex6/easy_ham/1033.4155e06c0fb104b96ec6c5d656264fa7 new file mode 100644 index 0000000..0b276a9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1033.4155e06c0fb104b96ec6c5d656264fa7 @@ -0,0 +1,98 @@ +From exmh-workers-admin@redhat.com Tue Aug 27 02:35:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9371C43F99 + for ; Mon, 26 Aug 2002 21:35:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 02:35:11 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7R1ZjZ20953 for + ; Tue, 27 Aug 2002 02:35:45 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2D7D64037E; Mon, 26 Aug 2002 + 21:35:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1CC3240335 + for ; Mon, 26 Aug 2002 21:33:58 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7R1Xst31424 for exmh-workers@listman.redhat.com; Mon, 26 Aug 2002 + 21:33:54 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7R1XsY31420 for + ; Mon, 26 Aug 2002 21:33:54 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7R1Ixl17041 for + ; Mon, 26 Aug 2002 21:19:00 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + VAA02021; Mon, 26 Aug 2002 21:17:00 -0400 +Message-Id: <200208270117.VAA02021@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: Chris Garrigues +Cc: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030378636.4138.TMDA@deepeddy.vircio.com> +References: <1030378636.4138.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues message + dated "Mon, 26 Aug 2002 12:17:15 -0400." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 26 Aug 2002 18:16:59 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + +>>>Chris Garrigues said: + + > Done. I also eliminated the msgs variable on the theory that simpler is + > + > better (I spent a lot of time hacking out the underbrush in exmh while + > working on the sequences window). + +Just a big *thank you* to Chris for being willing to dive in and get +very messy. The sequence management code is some of the very oldest +in exmh, and surely suffered as features were added over several years. +When this stabilizes, it will be a great excuse for a 2.6 release. + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1034.30d39e880274b0ebb59462ddfff16880 b/machine-learning-ex6/ex6/easy_ham/1034.30d39e880274b0ebb59462ddfff16880 new file mode 100644 index 0000000..f0cd9fa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1034.30d39e880274b0ebb59462ddfff16880 @@ -0,0 +1,101 @@ +From exmh-workers-admin@redhat.com Tue Aug 27 10:04:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 492AD43F9B + for ; Tue, 27 Aug 2002 05:04:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 10:04:58 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7R92sZ00417 for + ; Tue, 27 Aug 2002 10:02:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AACBE3F1AE; Tue, 27 Aug 2002 + 05:03:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 904C23F67D + for ; Tue, 27 Aug 2002 05:02:10 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7R927T03959 for exmh-workers@listman.redhat.com; Tue, 27 Aug 2002 + 05:02:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7R927Y03952 for + ; Tue, 27 Aug 2002 05:02:07 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7R8ixl14947 for ; + Tue, 27 Aug 2002 04:45:11 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7R8xJl24975; + Tue, 27 Aug 2002 15:59:21 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7R8wwW12685; Tue, 27 Aug 2002 15:58:58 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <1030372078.11075.TMDA@deepeddy.vircio.com> +References: <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <12683.1030438738@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 15:58:58 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Mon, 26 Aug 2002 09:27:56 -0500 + From: Chris Garrigues + Message-ID: <1030372078.11075.TMDA@deepeddy.vircio.com> + + | Tell me what keystroke made it happen so I can reproduce it and I'll + | see what I can do about it (or if I can't, I'll hand it off to Brent). + +Don't worry too much about it, you seem to have plenty of other things +to do in the immediate future, and this one isn't so critical that people +can't use the code in normal ways. + +But, to make it happen, type (with normal key bindings) any digit, so the +code thinks you're trying a message number, then backspace, so the digit +goes away, then '-' (other junk characters don't seem to have the +problem, I have just been playing). That will do it (every time). + +That is: 0 ^h - + +Once you get into that state, the same traceback occurs for every +character you type, until a message is selected with the mouse. + +This is looking like it might be easy to find and fix, so I'll take a +look at it later. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1035.a3cdb2fe04945379483b12640bdb19d4 b/machine-learning-ex6/ex6/easy_ham/1035.a3cdb2fe04945379483b12640bdb19d4 new file mode 100644 index 0000000..6f40900 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1035.a3cdb2fe04945379483b12640bdb19d4 @@ -0,0 +1,139 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 10:46:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6B5B94415A + for ; Wed, 28 Aug 2002 05:45:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:45:38 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S1APZ05113 for + ; Wed, 28 Aug 2002 02:10:25 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2B9FF3FEC4; Tue, 27 Aug 2002 + 21:10:29 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DD3213F6EC + for ; Tue, 27 Aug 2002 21:08:32 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7S18TP24258 for exmh-workers@listman.redhat.com; Tue, 27 Aug 2002 + 21:08:29 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7S18TY24254 for + ; Tue, 27 Aug 2002 21:08:29 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7S0rSl17185 for + ; Tue, 27 Aug 2002 20:53:28 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + VAA30178; Tue, 27 Aug 2002 21:08:13 -0400 +Message-Id: <200208280108.VAA30178@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: Robert Elz +Cc: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <12683.1030438738@munnari.OZ.AU> +References: <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> + <12683.1030438738@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Tue, + 27 Aug 2002 15:58:58 +0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 18:08:12 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +You can also duplicate thiswith + +MsgChange - noshow + +at the Tcl prompt in the Log window. I suspect that the sequence +parser, which understands things like 5-22 to mean messages 5 through 22 +is confused when asked to add/remove message "-" from a sequence. + +If we are allowed to assume 8.2 or higher, which we can't really, then +we could add + +if {![string is integer $select(sel)]} { + # bail out of message select mode +} +to the SelectTypein procedure. + +We can probably survive with + +if {![regexp {^[0-9]+$} $select(sel)]} { + #bail out of message select mode +} + +>>>Robert Elz said: + > Date: Mon, 26 Aug 2002 09:27:56 -0500 + > From: Chris Garrigues + > Message-ID: <1030372078.11075.TMDA@deepeddy.vircio.com> + > + > | Tell me what keystroke made it happen so I can reproduce it and I'll + > | see what I can do about it (or if I can't, I'll hand it off to +Brent). + > + > Don't worry too much about it, you seem to have plenty of other things + > to do in the immediate future, and this one isn't so critical that people + > can't use the code in normal ways. + > + > But, to make it happen, type (with normal key bindings) any digit, so the + > code thinks you're trying a message number, then backspace, so the digit + > goes away, then '-' (other junk characters don't seem to have the + > problem, I have just been playing). That will do it (every time). + > + > That is: 0 ^h - + > + > Once you get into that state, the same traceback occurs for every + > character you type, until a message is selected with the mouse. + > + > This is looking like it might be easy to find and fix, so I'll take a + > look at it later. + + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1036.8c6e8c189738f671c5fd1cb2b1791317 b/machine-learning-ex6/ex6/easy_ham/1036.8c6e8c189738f671c5fd1cb2b1791317 new file mode 100644 index 0000000..993eb0c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1036.8c6e8c189738f671c5fd1cb2b1791317 @@ -0,0 +1,174 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 10:46:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1DBA943F99 + for ; Wed, 28 Aug 2002 05:46:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:11 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S4DtZ10295 for + ; Wed, 28 Aug 2002 05:13:55 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 607353ECF2; Wed, 28 Aug 2002 + 00:14:04 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E4BE240765 + for ; Wed, 28 Aug 2002 00:12:16 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7S4CDf21950 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 00:12:13 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7S4CDY21946 for + ; Wed, 28 Aug 2002 00:12:13 -0400 +Received: from mail2.lsil.com (mail2.lsil.com [147.145.40.22]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7S3vBl11178 for + ; Tue, 27 Aug 2002 23:57:11 -0400 +Received: from mhbs.lsil.com (mhbs [147.145.31.100]) by mail2.lsil.com + (8.9.3+Sun/8.9.1) with ESMTP id VAA19515 for ; + Tue, 27 Aug 2002 21:12:05 -0700 (PDT) +From: kchrist@lsil.com +Received: from inca.co.lsil.com by mhbs.lsil.com with ESMTP; + Tue, 27 Aug 2002 21:11:53 -0700 +Received: from flytrap.co.lsil.com (flytrap.co.lsil.com [172.20.3.234]) by + inca.co.lsil.com (8.9.3/8.9.3) with ESMTP id WAA18072; Tue, 27 Aug 2002 + 22:11:51 -0600 (MDT) +Received: from bhuta.co.lsil.com (bhuta [172.20.12.135]) by + flytrap.co.lsil.com (8.9.3+Sun/8.9.1) with ESMTP id WAA20558; + Tue, 27 Aug 2002 22:11:50 -0600 (MDT) +Received: from bhuta (localhost [127.0.0.1]) by bhuta.co.lsil.com + (8.10.2+Sun/8.9.1) with ESMTP id g7S4Bfd21693; Tue, 27 Aug 2002 22:11:41 + -0600 (MDT) +To: Brent Welch +Cc: Robert Elz , + Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: Anolther sequence related traceback +Reply-To: Kevin.Christian@lsil.com +In-Reply-To: Your message of + "Tue, 27 Aug 2002 18:08:12 PDT." + <200208280108.VAA30178@blackcomb.panasas.com> +References: <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> + <12683.1030438738@munnari.OZ.AU> + <200208280108.VAA30178@blackcomb.panasas.com> +Message-Id: <21691.1030507901@bhuta> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 27 Aug 2002 22:11:41 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + + +I may be wrong but I think a single select entry field is used +for selecting messages and switching folders. Restricting the entries +to be numeric would break the folder switching functionality, wouldn't +it? + +My version of MsgChange, not yet updated, has a check + + if {$msgid != {}} { + # Allow null msgid from Msg_ShowWhat, which supplies line instead + if {$msgid < 0} return + } else { + ... + +at the start of the procedure which takes care of the single '-' case. +Perhaps the thing to do is for MsgChange to validate a msgid as a +number before continuing. + +Kevin + +In message <200208280108.VAA30178@blackcomb.panasas.com>, Brent Welch writes: +> You can also duplicate thiswith +> +> MsgChange - noshow +> +> at the Tcl prompt in the Log window. I suspect that the sequence +> parser, which understands things like 5-22 to mean messages 5 through 22 +> is confused when asked to add/remove message "-" from a sequence. +> +> If we are allowed to assume 8.2 or higher, which we can't really, then +> we could add +> +> if {![string is integer $select(sel)]} { +> # bail out of message select mode +> } +> to the SelectTypein procedure. +> +> We can probably survive with +> +> if {![regexp {^[0-9]+$} $select(sel)]} { +> #bail out of message select mode +> } +> +> >>>Robert Elz said: +> > Date: Mon, 26 Aug 2002 09:27:56 -0500 +> > From: Chris Garrigues m> +> > Message-ID: <1030372078.11075.TMDA@deepeddy.vircio.com> +> > +> > | Tell me what keystroke made it happen so I can reproduce it and I'll +> > | see what I can do about it (or if I can't, I'll hand it off to +> Brent). +> > +> > Don't worry too much about it, you seem to have plenty of other things +> > to do in the immediate future, and this one isn't so critical that people +> > can't use the code in normal ways. +> > +> > But, to make it happen, type (with normal key bindings) any digit, so the +> > code thinks you're trying a message number, then backspace, so the digit +> > goes away, then '-' (other junk characters don't seem to have the +> > problem, I have just been playing). That will do it (every time). +> > +> > That is: 0 ^h - +> > +> > Once you get into that state, the same traceback occurs for every +> > character you type, until a message is selected with the mouse. +> > +> > This is looking like it might be easy to find and fix, so I'll take a +> > look at it later. +> +> +> -- +> Brent Welch +> Software Architect, Panasas Inc +> Pioneering the World's Most Scalable and Agile Storage Network +> www.panasas.com +> welch@panasas.com +> +> +> +> +> _______________________________________________ +> Exmh-workers mailing list +> Exmh-workers@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-workers + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1037.1285e23706448e51cb9be399cd0546ed b/machine-learning-ex6/ex6/easy_ham/1037.1285e23706448e51cb9be399cd0546ed new file mode 100644 index 0000000..34636b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1037.1285e23706448e51cb9be399cd0546ed @@ -0,0 +1,99 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 10:46:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 62EE944156 + for ; Wed, 28 Aug 2002 05:46:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:24 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S7elZ15054 for + ; Wed, 28 Aug 2002 08:40:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7656D3EBF8; Wed, 28 Aug 2002 + 03:41:01 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 16EF03EBF8 + for ; Wed, 28 Aug 2002 03:40:54 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7S7eok19198 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 03:40:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7S7eoY19194 for + ; Wed, 28 Aug 2002 03:40:50 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7S7Phl04725 for ; + Wed, 28 Aug 2002 03:25:44 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7S7eIU14961; + Wed, 28 Aug 2002 14:40:18 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7S24KW17300; Wed, 28 Aug 2002 09:04:20 + +0700 (ICT) +From: Robert Elz +To: Brent Welch +Cc: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <200208280108.VAA30178@blackcomb.panasas.com> +References: <200208280108.VAA30178@blackcomb.panasas.com> + <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> + <12683.1030438738@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <17298.1030500260@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 09:04:20 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=DATE_IN_PAST_03_06,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Tue, 27 Aug 2002 18:08:12 -0700 + From: Brent Welch + Message-ID: <200208280108.VAA30178@blackcomb.panasas.com> + + | If we are allowed to assume 8.2 or higher, which we can't really, then + | we could add +[...] + | to the SelectTypein procedure. + +Yes, I looked at "fixing" it there, but that code is really quite +general, with almost no understanding of what anything means, so I +didn't think that corrupting it with knowlwedge of the semantics of +what it is fetching would really be the best thing to do. + +I ran out of time last night while looking for a better place for +a similar check (I would have gone directly to the regexp - I'm not +that up to date with all the latest tcl changes...) and I'm not sure +I will have time today, but I will keep looking. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1038.4a0af891d4474c608eb6a3ffedeb8ada b/machine-learning-ex6/ex6/easy_ham/1038.4a0af891d4474c608eb6a3ffedeb8ada new file mode 100644 index 0000000..66f65b4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1038.4a0af891d4474c608eb6a3ffedeb8ada @@ -0,0 +1,247 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 10:46:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B421644159 + for ; Wed, 28 Aug 2002 05:46:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:25 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S7fqZ15069 for + ; Wed, 28 Aug 2002 08:41:52 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B745A3EE66; Wed, 28 Aug 2002 + 03:42:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 085C43F409 + for ; Wed, 28 Aug 2002 03:41:16 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7S7fCQ19268 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 03:41:12 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7S7fCY19264 for + ; Wed, 28 Aug 2002 03:41:12 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7S7Q6l04801 for ; + Wed, 28 Aug 2002 03:26:07 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7S7eOU14972; + Wed, 28 Aug 2002 14:40:24 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7S6pLW18368; Wed, 28 Aug 2002 13:51:21 + +0700 (ICT) +From: Robert Elz +To: Brent Welch +Cc: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <200208280108.VAA30178@blackcomb.panasas.com> +References: <200208280108.VAA30178@blackcomb.panasas.com> + <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> + <12683.1030438738@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <18366.1030517481@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 13:51:21 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,REFERENCES, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +I have some patches that seem to fix/avoid this problem now. (It is +amazing what one can achieve when mains power fails, long enough for +UPS's to run out, and all that is left operational is the laptop and +its battery supply...) + +First, I put in some defensive code into the area where the problem was +occurring, so that if exmh is attempting (for any reason) to expand a +sequence that isn't either a number, or a range of numbers (or a list of +such things) it will simply ignore the trash, rather than giving a traceback. +This one solves the initial problem: + +--- mh.tcl.WAS Thu Aug 22 21:15:06 2002 ++++ mh.tcl Wed Aug 28 12:39:11 2002 +@@ -487,6 +487,10 @@ + set seq {} + set rseq {} + foreach range [split [string trim $sequence]] { ++ if ![regexp {^[0-9]+(-[0-9]+)?$} $range] { ++ # just ignore anything bogus ++ continue; ++ } + set parts [split [string trim $range] -] + if {[llength $parts] == 1} { + lappend seq $parts + + +That is amending proc MhSeqExpand which is where the error was occurring +before (the code assumes that $range is either NNN or NNN-MMM so we should +probably make sure that's true - issue an error instead of just "continue" +if you like, but I don't think an error is needed). + +But that just allowed me to create a similar problem, in another place, +by typing "NNN-" ... and rather than continue to fight fires like this, +I thought I should think more about Brent's suggestion. But rather than +have the selection code actually validate the input, which would mean it +would have to know what is to be valid, I decided that the right thing to +do is just to ignore any errors caused by invalid input, so I just stuck +a "catch" around the MsgShow that is processing the nonsense that the +user has typed. + +This way, any later expansion to what MsgShow treats as legal (maybe +allowing a sequence name, like "prev" or "next", or anything else can +be handled just there, without someone needing to remember that they have +to go fix the selection processing code to allow it. + +But, while I was playing there, I noticed something I never new before. +If you type "66+" the "66" changes to "67" (and so on, for each + that +is typed). I suspect that's perhaps an artifact of "+ is bound to a +different function so it can be used as a toggle between changing the +current and the target folder, but it has to mean something if the current +input mode is a message number, so let it mean...", but now I found it, +I think its nice. But if we can type 66+ why not 66- as well? That +kind of limitation bugs me, so I fixed it. + +And then I wondered about folders with names containing '+' - the special +use of + as the toggle character means there's no way to type those from +the keyboard. So I fixed that as well. This makes two different +restrictions - there's no way to type a folder name that has a name +beginning with '+' (but such a thing in MH would be a pain to use anyway, +so I doubt this will bother anyone), and it is now only possible to +toggle between typing the current & target folder name when the name +being typed is empty. I'm less happy about that part, but I think I +can live with it in order to allow folder names with +'s in them to +exist and be typed. + +Then, since I was there anyway, I decided to do something about another +feature that has always bugged me. In "normal" keyboard mode, 's' is +the key used to show a message. But if you've just typed 123, and +the FTOC is highlighting 123 as the current message, and you want to now +show that message, you can't type 's', you have to type \r instead. +So I "fixed" this one as well. "Fixed" here is in quotes, as it assumes +that the keybinding for MsgShow is 's', if you change that to something +else, it will remain 's' in here. I don't know enough tk/tcl to have it +discover what key is bound to a function in the external world in order +to bind the same one here. \r continues to work of course. + +And now I got started in fixing irritants in this code, I also made it +clear the status line if you abort message/folder entry mode (^C or ^G). +Previously it used to leave the prompt sitting there until the next +message appeared, which made it less than obvious that the keyboard had +reverted to its usual bindings. + +In any case, what follows is the patch that does all of that. I believe +that if you apply this, then the one above is probably not needed, the +"catch" around the "MsgShow" will hide the problem (I don't think we really +need to fix Brent's way of invoking it). Or include it anyway, just +for completeness (I haven't run an exmh with the following patch, but not +the previous one, so I don't know for sure that all will be OK then). + +kre + +--- select.tcl.WAS Thu Aug 22 21:15:07 2002 ++++ select.tcl Wed Aug 28 13:36:17 2002 +@@ -49,9 +49,11 @@ + bindtags $w [list $w Entry] + bind $w {SelectTypein %W %A} + bind $w {SelectToggle %W } ++ bind $w {SelectPrev %W } + bind $w {SelectComplete %W} + bind $w {SelectComplete %W} + bind $w {SelectReturn %W} ++ bind $w {SelectReturn %W %A} + bind $w {SelectBackSpace %W} + bind $w {SelectBackSpace %W} + bind $w {SelectBackSpace %W} +@@ -72,7 +74,7 @@ + append select(sel) $a + Exmh_Status "$select(prompt) $select(sel)" + if ![info exists select(folder)] { +- Msg_Change $select(sel) noshow ++ catch { Msg_Change $select(sel) noshow } + } + } + proc SelectBackSpace { w } { +@@ -91,6 +93,10 @@ + proc SelectToggle {w} { + global select + if [info exists select(folder)] { ++ if {$select(sel) != ""} { ++ SelectTypein $w + ++ return ++ } + set select(toggle) [list [lindex $select(toggle) 1] [lindex $select(toggle) 0]] + set select(prompt) "[lindex $select(toggle) 0] Folder:" + } else { +@@ -101,6 +107,18 @@ + } + Exmh_Status "$select(prompt) $select(sel)" + } ++proc SelectPrev {w} { ++ global select ++ if [info exists select(folder)] { ++ SelectTypein $w "-" ++ } else { ++ catch { ++ incr select(sel) -1 ++ Msg_Change $select(sel) noshow ++ } ++ Exmh_Status "$select(prompt) $select(sel)" ++ } ++} + proc SelectComplete { w } { + global select + if [info exists select(folder)] { +@@ -126,9 +144,13 @@ + Exmh_Status "$select(prompt) $select(sel)" + } + } +-proc SelectReturn { w } { ++proc SelectReturn { w {a {}} } { + global select + if [info exists select(folder)] { ++ if {$a != {}} { ++ SelectTypein $w $a ++ return ++ } + if [info exists select(match)] { + set select(sel) $select(match) + unset select(match) +@@ -151,6 +173,7 @@ + unset select(folder) + } + $select(entry) configure -state disabled ++ Exmh_Status "" + Exmh_Focus + } + proc SelectClear { w } { + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1039.28e0f6b0f1e09bbcebc01183bd3557c4 b/machine-learning-ex6/ex6/easy_ham/1039.28e0f6b0f1e09bbcebc01183bd3557c4 new file mode 100644 index 0000000..a4090c0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1039.28e0f6b0f1e09bbcebc01183bd3557c4 @@ -0,0 +1,91 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 10:47:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 796F943F99 + for ; Wed, 28 Aug 2002 05:46:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:57 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S8qrZ17144 for + ; Wed, 28 Aug 2002 09:53:03 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6C68A3EE13; Wed, 28 Aug 2002 + 04:53:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1289C3ED60 + for ; Wed, 28 Aug 2002 04:52:41 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7S8qb131078 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 04:52:37 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7S8qbY31074 for + ; Wed, 28 Aug 2002 04:52:37 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7S8bUl14632 for ; + Wed, 28 Aug 2002 04:37:31 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7S8pmU21706; + Wed, 28 Aug 2002 15:51:48 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7S8otW19656; Wed, 28 Aug 2002 15:50:55 + +0700 (ICT) +From: Robert Elz +To: Brent Welch , + Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <18366.1030517481@munnari.OZ.AU> +References: <18366.1030517481@munnari.OZ.AU> + <200208280108.VAA30178@blackcomb.panasas.com> + <1030372078.11075.TMDA@deepeddy.vircio.com> + <1030118301.3993.TMDA@deepeddy.vircio.com> + <16323.1030043119@munnari.OZ.AU> <6853.1030345218@munnari.OZ.AU> + <12683.1030438738@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <19654.1030524655@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 15:50:55 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Wed, 28 Aug 2002 13:51:21 +0700 + From: Robert Elz + Message-ID: <18366.1030517481@munnari.OZ.AU> + + + | But, while I was playing there, I noticed something I never new before. + +I also no the difference between new & knew, but I don't always type well... +Um, I mean, I know the difference... + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1040.0975203bad39968cfceadfcd68a9242b b/machine-learning-ex6/ex6/easy_ham/1040.0975203bad39968cfceadfcd68a9242b new file mode 100644 index 0000000..82406ba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1040.0975203bad39968cfceadfcd68a9242b @@ -0,0 +1,103 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 15:08:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5E3CC44155 + for ; Wed, 28 Aug 2002 10:08:07 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:08:07 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SEA6Z27663 for + ; Wed, 28 Aug 2002 15:10:07 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C8E3F40A57; Wed, 28 Aug 2002 + 10:10:14 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id BFD1B40A05 + for ; Wed, 28 Aug 2002 10:09:21 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SE9Iq22132 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 10:09:18 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SE9IY22128 for + ; Wed, 28 Aug 2002 10:09:18 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7SDs9l32404 for ; + Wed, 28 Aug 2002 09:54:11 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7SE96U06027; + Wed, 28 Aug 2002 21:09:06 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7SE6UW21101; Wed, 28 Aug 2002 21:06:30 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030028647.6462.TMDA@deepeddy.vircio.com> +References: <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <21099.1030543590@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 21:06:30 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Thu, 22 Aug 2002 10:04:06 -0500 + From: Chris Garrigues + Message-ID: <1030028647.6462.TMDA@deepeddy.vircio.com> + + | hmmm, I assume you're going to report this to the nmh folks? + +It turns out, when I did some investigation, that my memory of how MH +worked here was wrong (that's not unusual) - the -seq switch seems to +have always done -nolist (requiring a subsequent -list to turn it on +again). + +Given that, I have no idea how the pick code as it was ever worked. In +fact, it quite possibly never did the way it was intended to (I have just +been browsing the 2.5 sources, and that seems to be attempting to do things +that I never saw happen). + +It may be that your new sequence method just exposed the bug that had been +there all along. + +Given this, I won't be sending any bug reports to the nmh people. If nmh +ever seems to be showing any signs further progress, and if I remember this +then, I might send them a change request. The code to make the change is +trivial. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1041.c96194d26968c693aca4f4ef5f4a6a61 b/machine-learning-ex6/ex6/easy_ham/1041.c96194d26968c693aca4f4ef5f4a6a61 new file mode 100644 index 0000000..97b42ed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1041.c96194d26968c693aca4f4ef5f4a6a61 @@ -0,0 +1,137 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 15:28:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9638143F99 + for ; Wed, 28 Aug 2002 10:28:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:28:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SENsZ28165 for + ; Wed, 28 Aug 2002 15:23:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5535E40A1D; Wed, 28 Aug 2002 + 10:24:03 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 847F140A5D + for ; Wed, 28 Aug 2002 10:22:46 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SEMhx25431 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 10:22:43 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SEMgY25422 for + ; Wed, 28 Aug 2002 10:22:42 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7SE7cl03021 + for ; Wed, 28 Aug 2002 10:07:38 -0400 +Received: (qmail 26320 invoked by uid 104); 28 Aug 2002 14:22:41 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.321088 + secs); 28/08/2002 09:22:41 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 28 Aug 2002 14:22:40 -0000 +Received: (qmail 28849 invoked from network); 28 Aug 2002 14:22:36 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?efl8zQ/V1BLT4hZT7Ok4rWYPnEB+v7Wu?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 14:22:36 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <21099.1030543590@munnari.OZ.AU> +References: <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <21099.1030543590@munnari.OZ.AU> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-695600198P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030544555.28815.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 09:22:34 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-695600198P +Content-Type: text/plain; charset=us-ascii + +> From: Robert Elz +> Date: Wed, 28 Aug 2002 21:06:30 +0700 +> +> It may be that your new sequence method just exposed the bug that had been +> there all along. + +*grin* That's what the past 3 or 4 months of exmh hacking has been all about +for me. + +I've now stabilized everything pretty well for my paid job, so I'll probably +poke around at the sequences performance issues, but rather than checking +changes in, I'll email anything I figure out since I'm leaving town in less +than 48 hours. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-695600198P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9bNyqK9b4h5R0IUIRAl7bAJ9ZjEqTQ4/rok/bB4bhULQSSqUADACdGdHI +egb2mI4CHykNVjHsUq07F3s= +=gxds +-----END PGP SIGNATURE----- + +--==_Exmh_-695600198P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1042.5089423fc172a53a687d43ad6b432caf b/machine-learning-ex6/ex6/easy_ham/1042.5089423fc172a53a687d43ad6b432caf new file mode 100644 index 0000000..e475002 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1042.5089423fc172a53a687d43ad6b432caf @@ -0,0 +1,121 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 15:50:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 550C044155 + for ; Wed, 28 Aug 2002 10:50:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:50:03 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SEmuZ29177 for + ; Wed, 28 Aug 2002 15:48:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 80E063EEE6; Wed, 28 Aug 2002 + 10:49:05 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DD2FE40226 + for ; Wed, 28 Aug 2002 10:46:31 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SEkST30975 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 10:46:28 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SEkSY30971 for + ; Wed, 28 Aug 2002 10:46:28 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7SEVFl08404 for ; + Wed, 28 Aug 2002 10:31:16 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7SEiwU07437; + Wed, 28 Aug 2002 21:44:58 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7SEiQW22630; Wed, 28 Aug 2002 21:44:26 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030544555.28815.TMDA@deepeddy.vircio.com> +References: <1030544555.28815.TMDA@deepeddy.vircio.com> + <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <21099.1030543590@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <22628.1030545866@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 21:44:26 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Wed, 28 Aug 2002 09:22:34 -0500 + From: Chris Garrigues + Message-ID: <1030544555.28815.TMDA@deepeddy.vircio.com> + + + | so I'll probably poke around at the sequences performance issues, + +Well, there's this wonderful piece of code in MhSeqExpand ... + + # Hack to weed out sequence numbers for messages that don't exist + foreach m $rseq { + if ![file exists $mhProfile(path)/$folder/$m] { + Exmh_Debug $mhProfile(path)/$folder/$m not found + set ix [lsearch $seq $m] + set seq [lreplace $seq $ix $ix] + } else { + # Real hack + break + } + } + +which is going to run slow if a sequence happens to start with a bunch +of messages that don't exist. I'm not sure why it is important that the +first message in the sequence returned exists, but not necessarily any +of the others, but I'm sure glad it is, as MhSeqExpand gets called lots, +and I don't know if I could cope if it were checking every file in the +sequences it is looking at, all the time... + +It may help to keep a list of the valid message numbers for the current +folder (though that would then need to be verified against changes to the +directory). Does tcl have a directory read function? I assume so... + +Mh_Sequence also goes and rereads the files (.mh_sequences and the +context file) but I'm not sure how frequently that one is called. + + | I'll email anything I figure out since I'm leaving town in less + | than 48 hours. + +Have a good vacation. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1043.701d8a6b948c0e1406a85fc621497237 b/machine-learning-ex6/ex6/easy_ham/1043.701d8a6b948c0e1406a85fc621497237 new file mode 100644 index 0000000..f65877d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1043.701d8a6b948c0e1406a85fc621497237 @@ -0,0 +1,188 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 17:25:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DD35543F9B + for ; Wed, 28 Aug 2002 12:25:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:25:33 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SGOjZ00420 for + ; Wed, 28 Aug 2002 17:24:45 +0100 +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + webnote.net (8.9.3/8.9.3) with ESMTP id RAA05535 for ; + Wed, 28 Aug 2002 17:24:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 904EC40FA9; Wed, 28 Aug 2002 + 12:17:08 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 5EB54411CA + for ; Wed, 28 Aug 2002 11:40:09 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SFe5i16307 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 11:40:05 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SFe5Y16300 for + ; Wed, 28 Aug 2002 11:40:05 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7SFP0l27152 + for ; Wed, 28 Aug 2002 11:25:00 -0400 +Received: (qmail 30298 invoked by uid 104); 28 Aug 2002 15:40:04 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.361811 + secs); 28/08/2002 10:40:04 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 28 Aug 2002 15:40:04 -0000 +Received: (qmail 11441 invoked from network); 28 Aug 2002 15:40:01 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?t2lZKiBIqj1XaYC6urc1Q8OBukd5uEA0?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 15:40:01 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <22628.1030545866@munnari.OZ.AU> +References: <1030544555.28815.TMDA@deepeddy.vircio.com> + <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <21099.1030543590@munnari.OZ.AU> <22628.1030545866@munnari.OZ.AU> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_893671157P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030549201.11428.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 10:39:59 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_893671157P +Content-Type: text/plain; charset=us-ascii + +> From: Robert Elz +> Date: Wed, 28 Aug 2002 21:44:26 +0700 +> +> Date: Wed, 28 Aug 2002 09:22:34 -0500 +> From: Chris Garrigues +> Message-ID: <1030544555.28815.TMDA@deepeddy.vircio.com> +> +> +> | so I'll probably poke around at the sequences performance issues, +> +> Well, there's this wonderful piece of code in MhSeqExpand ... +> +> # Hack to weed out sequence numbers for messages that don't exist +> foreach m $rseq { +> if ![file exists $mhProfile(path)/$folder/$m] { +> Exmh_Debug $mhProfile(path)/$folder/$m not found +> set ix [lsearch $seq $m] +> set seq [lreplace $seq $ix $ix] +> } else { +> # Real hack +> break +> } +> } +> +> which is going to run slow if a sequence happens to start with a bunch +> of messages that don't exist. I'm not sure why it is important that the +> first message in the sequence returned exists, but not necessarily any +> of the others, but I'm sure glad it is, as MhSeqExpand gets called lots, +> and I don't know if I could cope if it were checking every file in the +> sequences it is looking at, all the time... + +Although my fingerprints are all over that, it's not actually my code and has +been in there since before 1998. (It's code that I moved from mh.tcl to +sequences.tcl and back again). I'm no5 sure either, but it should be a +one-time penalty because the sequence will be re-written with the bad messages +removed. (I think.) + +> It may help to keep a list of the valid message numbers for the current +> folder (though that would then need to be verified against changes to the +> directory). Does tcl have a directory read function? I assume so... +> +> Mh_Sequence also goes and rereads the files (.mh_sequences and the +> context file) but I'm not sure how frequently that one is called. + +That *was* a problem, but if you look at Mh_Sequence (and Mh_Sequences and +Mh_SequenceUpdate), they all call MhReadSeqs to do the actual reading and it +only reads the sequences if the file has been touched. Look for the +"Exmh_Debug Reading $filename" output in the debug log to see when sequences +are actually reread from disk. + + +My theory is that Ftoc_ShowSequences is being called too often. I'm about to +investigate that. + +> | I'll email anything I figure out since I'm leaving town in less +> | than 48 hours. +> +> Have a good vacation. + +Thanks. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_893671157P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9bO7PK9b4h5R0IUIRAqBBAJ4uhmwloTb4sSG6jDwcm0ul4RvDegCfe8no ++6oHNBLG/UnfWMlQoaSidZA= +=44Ra +-----END PGP SIGNATURE----- + +--==_Exmh_893671157P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1044.69004045b2942eac5b0136f672626f7a b/machine-learning-ex6/ex6/easy_ham/1044.69004045b2942eac5b0136f672626f7a new file mode 100644 index 0000000..e1c7d49 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1044.69004045b2942eac5b0136f672626f7a @@ -0,0 +1,150 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 17:25:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 266F744155 + for ; Wed, 28 Aug 2002 12:25:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:25:36 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SGRKZ00435 for + ; Wed, 28 Aug 2002 17:27:20 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id D5EA140D9E; Wed, 28 Aug 2002 + 12:27:04 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 25DCF3F5A2 + for ; Wed, 28 Aug 2002 12:07:11 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SG77623708 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 12:07:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SG77Y23695 for + ; Wed, 28 Aug 2002 12:07:07 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7SFq2l01887 + for ; Wed, 28 Aug 2002 11:52:02 -0400 +Received: (qmail 32032 invoked by uid 104); 28 Aug 2002 16:07:06 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.322653 + secs); 28/08/2002 11:07:06 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 28 Aug 2002 16:07:06 -0000 +Received: (qmail 18053 invoked from network); 28 Aug 2002 16:07:03 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?Q0BayOH9epkaCyxIHBZgJNZAb+NawCfg?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 16:07:03 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: <20020826180041.913C73F05@milou.dyndns.org> +References: <20020826180041.913C73F05@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_927886807P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030550822.18045.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 11:07:01 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_927886807P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Mon, 26 Aug 2002 20:00:36 +0200 +> +> +> lately I've got the feeling that exmh is getting slower and slower. I +> just decided to check that vs. reality, and yes, speed has left the +> scene somewhere between the release of 2.5 and now. +> +> I checked on a number of small messages in a big folder (~10000 +> msgs). The delay of the Next button has increased considerably: +> +> 2.5-release: 350-450 msec +> latest cvs: 1000-12000 msec +> +> Frankly I think this is getting close to non-acceptable since the +> user settings hasn't changed. +> +> Anybody have any ideas where performance disappeared? + +Here's a fix that I think will make a real difference. + +Ftoc_ShowSequences needs to be able to be called with an optional list of msgids +to update and if it's called that way it only removes or adds tags for those +messages. Then in places like MsgChange, we only update the messages which have +changed. + +Also, a separate Ftoc_ShowSequence function which only updates the display of +one sequence should be written which also takes an optional list of msgids. +In a place like MsgChange, it would only need to update the cur sequence. + +If nobody else gets to it, I'll do this when I get back. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_927886807P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9bPUlK9b4h5R0IUIRAqCdAJkBYATj6wLY6RM/EPECD3yGkXMXVgCcDADM +4n+q/8HdvWmkRlGJn3lUb1M= +=Rd2E +-----END PGP SIGNATURE----- + +--==_Exmh_927886807P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1045.d3795766f46aafeb8dbe1375fad0ca5c b/machine-learning-ex6/ex6/easy_ham/1045.d3795766f46aafeb8dbe1375fad0ca5c new file mode 100644 index 0000000..66589ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1045.d3795766f46aafeb8dbe1375fad0ca5c @@ -0,0 +1,150 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 18:49:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B0CDC43F99 + for ; Wed, 28 Aug 2002 13:49:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 18:49:08 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SHhuZ03444 for + ; Wed, 28 Aug 2002 18:43:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 67A4B3EC06; Wed, 28 Aug 2002 + 13:44:05 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D3BD33EE6F + for ; Wed, 28 Aug 2002 13:33:23 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SHXKV16333 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 13:33:20 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SHXKY16329 for + ; Wed, 28 Aug 2002 13:33:20 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7SHIEl27113 for + ; Wed, 28 Aug 2002 13:18:14 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA05316; Wed, 28 Aug 2002 13:32:46 -0400 +Message-Id: <200208281732.NAA05316@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: Robert Elz +Cc: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: New Sequences Window +In-Reply-To: <22628.1030545866@munnari.OZ.AU> +References: <1030544555.28815.TMDA@deepeddy.vircio.com> + <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <21099.1030543590@munnari.OZ.AU> <22628.1030545866@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Wed, + 28 Aug 2002 21:44:26 +0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 10:32:42 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + +>>>Robert Elz said: + > Date: Wed, 28 Aug 2002 09:22:34 -0500 + > From: Chris Garrigues + > Message-ID: <1030544555.28815.TMDA@deepeddy.vircio.com> + > + > + > | so I'll probably poke around at the sequences performance issues, + > + > Well, there's this wonderful piece of code in MhSeqExpand ... + > + > # Hack to weed out sequence numbers for messages that don't exist + > foreach m $rseq { + > if ![file exists $mhProfile(path)/$folder/$m] { + > Exmh_Debug $mhProfile(path)/$folder/$m not found + > set ix [lsearch $seq $m] + > set seq [lreplace $seq $ix $ix] + > } else { + > # Real hack + +At least I'm up-front about my hacks :-) + + > break + > } + > } + > + > which is going to run slow if a sequence happens to start with a bunch + > of messages that don't exist. I'm not sure why it is important that the + > first message in the sequence returned exists, but not necessarily any + > of the others, but I'm sure glad it is, as MhSeqExpand gets called lots, + > and I don't know if I could cope if it were checking every file in the + > sequences it is looking at, all the time... + +That was my thinking. My recollection about the first message being valid +is that the ftoc code wants to find that message to start its highlighting, +for example, or you are selecting a message to display. + + > It may help to keep a list of the valid message numbers for the current + > folder (though that would then need to be verified against changes to the + > directory). Does tcl have a directory read function? I assume so... + +glob -nocomplain $mhProfile(path)/$folder * +will return an unsorted list of the directory's contents. +But the thought of keeping an in memory list of valid messages is not fun. +Exmh already maintains in-core lists of messages in sequences, which is +already pretty tricky + + > Mh_Sequence also goes and rereads the files (.mh_sequences and the + > context file) but I'm not sure how frequently that one is called. + +In some places I maintain caches of files by checking their modify time, +but the sequence files are soo small that by the time you stat them to +check their date stamp, you could just read them again. Also, now that +we checkpoint message state on every message view, that file will change +every time. In the old days exmh used to cache a bunch of state about +the folder. + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1046.06207e3824a4024e41215defe29e1ddf b/machine-learning-ex6/ex6/easy_ham/1046.06207e3824a4024e41215defe29e1ddf new file mode 100644 index 0000000..e2ded54 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1046.06207e3824a4024e41215defe29e1ddf @@ -0,0 +1,147 @@ +From exmh-workers-admin@redhat.com Thu Aug 29 10:57:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 035ED44156 + for ; Thu, 29 Aug 2002 05:57:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:57:52 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SJRDZ07339 for + ; Wed, 28 Aug 2002 20:27:13 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id A04BB40F04; Wed, 28 Aug 2002 + 15:27:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9140C40E6D + for ; Wed, 28 Aug 2002 15:25:57 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SJPs717242 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 15:25:54 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SJPrY17238 for + ; Wed, 28 Aug 2002 15:25:53 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7SJAll27212 + for ; Wed, 28 Aug 2002 15:10:47 -0400 +Received: (qmail 441 invoked by uid 104); 28 Aug 2002 19:25:53 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4219. . Clean. Processed in 0.331062 + secs); 28/08/2002 14:25:52 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 28 Aug 2002 19:25:52 -0000 +Received: (qmail 28127 invoked from network); 28 Aug 2002 19:25:49 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?f46tRJtoOisJVssRW1MCBE4W+rSkOi7T?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 28 Aug 2002 19:25:49 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Brent Welch +Cc: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <200208281732.NAA05316@blackcomb.panasas.com> +References: <1030544555.28815.TMDA@deepeddy.vircio.com> + <1030028647.6462.TMDA@deepeddy.vircio.com> + <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> <13277.1030015920@munnari.OZ.AU> + <21099.1030543590@munnari.OZ.AU> <22628.1030545866@munnari.OZ.AU> + <200208281732.NAA05316@blackcomb.panasas.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1089505257P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030562749.28110.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 14:25:47 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MULTIPART_SIGNED, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_1089505257P +Content-Type: text/plain; charset=us-ascii + +> From: Brent Welch +> Date: Wed, 28 Aug 2002 10:32:42 -0700 +> +> +> >>>Robert Elz said: +> > Mh_Sequence also goes and rereads the files (.mh_sequences and the +> > context file) but I'm not sure how frequently that one is called. +> +> In some places I maintain caches of files by checking their modify time, +> but the sequence files are soo small that by the time you stat them to +> check their date stamp, you could just read them again. + +Do you really think this is true? I added a modify time check thinking that +it would make an improvement since we were reading it a *lot* more times in +the new code because we're trying to use the sequences. + +On the other hand, the sequences files are probably being read out of cache +when that happens anyway. + +Even with a small file, I'd think that the time taken to do a +[file mtime $filename] would be worth it. My code is in proc MhReadSeqs. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1089505257P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9bSO7K9b4h5R0IUIRArNLAKCEDkKX52y2P9sdtrcPsgTEmGZhBgCfe2QY +VNJN/s+r1/dmpUA2v+Gihc4= +=wxvL +-----END PGP SIGNATURE----- + +--==_Exmh_1089505257P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1047.816db4421a9757ddbb0acbe7baecd0b0 b/machine-learning-ex6/ex6/easy_ham/1047.816db4421a9757ddbb0acbe7baecd0b0 new file mode 100644 index 0000000..838ee6b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1047.816db4421a9757ddbb0acbe7baecd0b0 @@ -0,0 +1,139 @@ +From exmh-workers-admin@redhat.com Thu Aug 29 11:03:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0C98F43F9B + for ; Thu, 29 Aug 2002 06:03:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:24 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7T5kvZ00327 for + ; Thu, 29 Aug 2002 06:46:57 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id CD4923EAF8; Thu, 29 Aug 2002 + 01:47:09 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0B5373F712 + for ; Thu, 29 Aug 2002 01:40:41 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7T5ebR07573 for exmh-workers@listman.redhat.com; Thu, 29 Aug 2002 + 01:40:37 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7T5ebY07569 for + ; Thu, 29 Aug 2002 01:40:37 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7T5PRl05635 for + ; Thu, 29 Aug 2002 01:25:28 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + BAA23712; Thu, 29 Aug 2002 01:40:22 -0400 +Message-Id: <200208290540.BAA23712@blackcomb.panasas.com> +To: Chris Garrigues +Cc: Brent Welch , Robert Elz , + exmh-workers@redhat.com +Subject: Re: New Sequences Window +In-Reply-To: <1030562749.28110.TMDA@deepeddy.vircio.com> +References: <1030562749.28110.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues + message dated "Wed, 28 Aug 2002 15:25:47 -0400." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 22:40:21 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +Well, I've used the check-the-modify-time cache trick for files in +many places (not just exmh) so some part of me certainly thinks it +is effective. However, it occurred to me that if we do checkpoint +state, then aren't we modifying the sequences file for the current +folder on every message read? Perhaps we look at the sequences file +more than once per message view? Just idle speculation - we can +stick in some time calls to find out how expensive things are. + +Someone asked about increasing the time resolution in the exmh log. +We could make that conditional on some support available in 8.3 - +Tcl has had "clock seconds" (like gettimeofday) and "clock clicks" +(high resolution timer) for some time. But in 8.3 we've calibrated +clock clicks values to microseconds. It is still only useful for +relative times, but each call to Exmh_Log could emit the microsecond +delta since the last log record. Of course, we are measuring all +the overhead of taking the log record, etc. I'll try it out. + +>>>Chris Garrigues said: + > > From: Brent Welch + > > Date: Wed, 28 Aug 2002 10:32:42 -0700 + > > + > > + > > >>>Robert Elz said: + > > > Mh_Sequence also goes and rereads the files (.mh_sequences and the + > > > context file) but I'm not sure how frequently that one is called. + > > + > > In some places I maintain caches of files by checking their modify + > time, + > > but the sequence files are soo small that by the time you stat them to + > > check their date stamp, you could just read them again. + > + > Do you really think this is true? I added a modify time check thinking + > that + > it would make an improvement since we were reading it a *lot* more times + > in + > the new code because we're trying to use the sequences. + > + > On the other hand, the sequences files are probably being read out of + > cache + > when that happens anyway. + > + > Even with a small file, I'd think that the time taken to do a + > [file mtime $filename] would be worth it. My code is in proc + > MhReadSeqs. + > + > Chris + > + > -- + > Chris Garrigues http://www.DeepEddy.Com/~cwg/ + > virCIO http://www.virCIO.Com + > 716 Congress, Suite 200 + > Austin, TX 78701 +1 512 374 0500 + > + > World War III: The Wrong-Doers Vs. the Evil-Doers. + > + > + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1048.8944cf897b72c824c5a144378cd0c4b3 b/machine-learning-ex6/ex6/easy_ham/1048.8944cf897b72c824c5a144378cd0c4b3 new file mode 100644 index 0000000..55c1758 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1048.8944cf897b72c824c5a144378cd0c4b3 @@ -0,0 +1,145 @@ +From exmh-workers-admin@redhat.com Thu Aug 29 15:08:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F232943F9B + for ; Thu, 29 Aug 2002 10:08:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 15:08:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TE9WZ15540 for + ; Thu, 29 Aug 2002 15:09:33 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id ACF243F73D; Thu, 29 Aug 2002 + 10:05:13 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4778B41322 + for ; Thu, 29 Aug 2002 10:00:18 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7TE0Er28625 for exmh-workers@listman.redhat.com; Thu, 29 Aug 2002 + 10:00:14 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7TE0EY28615 for + ; Thu, 29 Aug 2002 10:00:14 -0400 +Received: from austin-jump.vircio.com + (IDENT:Qpq4/2TE3JD70VQFZ7eZ5JUVHIE5ZEvc@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7TDj2l17516 + for ; Thu, 29 Aug 2002 09:45:02 -0400 +Received: (qmail 24745 invoked by uid 104); 29 Aug 2002 14:00:13 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4220. . Clean. Processed in 0.32626 + secs); 29/08/2002 09:00:13 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 29 Aug 2002 14:00:13 -0000 +Received: (qmail 14267 invoked from network); 29 Aug 2002 14:00:10 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 29 Aug 2002 14:00:10 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Brent Welch +Cc: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <200208290540.BAA23712@blackcomb.panasas.com> +References: <1030562749.28110.TMDA@deepeddy.vircio.com> + <200208290540.BAA23712@blackcomb.panasas.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_948625160P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030629610.14240.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 29 Aug 2002 09:00:08 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-13.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_948625160P +Content-Type: text/plain; charset=us-ascii + +> From: Brent Welch +> Date: Wed, 28 Aug 2002 22:40:21 -0700 +> +> Well, I've used the check-the-modify-time cache trick for files in +> many places (not just exmh) so some part of me certainly thinks it +> is effective. However, it occurred to me that if we do checkpoint +> state, then aren't we modifying the sequences file for the current +> folder on every message read? Perhaps we look at the sequences file +> more than once per message view? + +As I'd written the code a few months ago, we were reading the sequences file +first to see what sequences were in it and then once per sequence. This +happens anywhere that we look at sequences, most notably in Ftoc_ShowSequences. +That seemed to be an obvious lose performancewise, but I wanted my abstraction to +have a separate call for "what sequences are in this folder?" and "what +messages are in this sequence?". One option would have been to add another +call to get the data off of disk, but I felt that the check-the-modify-time +technique would be less error-prone. + +I think the biggest gains would be from augmenting Ftoc_ShowSequences to allow +a finer specification of what needs to be updated in the ftoc so that the +current code would only be run when we really do have to update all sequences +for all messages. I described these thoughts in an email message yesterday. + +And again, if it can wait a few weeks, I'm willing to do it. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_948625160P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9bijoK9b4h5R0IUIRApBEAJ9XB23cpckpVw7zWH/Uk1cG6rMCmQCfcNN9 +6I86NmGOWTSr1zajO3HHPnA= +=sApX +-----END PGP SIGNATURE----- + +--==_Exmh_948625160P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1049.dd8e9af1e92bc41d998cc4159e5588d5 b/machine-learning-ex6/ex6/easy_ham/1049.dd8e9af1e92bc41d998cc4159e5588d5 new file mode 100644 index 0000000..4d25f1b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1049.dd8e9af1e92bc41d998cc4159e5588d5 @@ -0,0 +1,130 @@ +From exmh-workers-admin@redhat.com Mon Sep 2 12:33:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 755BD43F99 + for ; Mon, 2 Sep 2002 07:33:31 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:33:31 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7V7jgZ26669 for + ; Sat, 31 Aug 2002 08:45:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 4F6583EFFF; Sat, 31 Aug 2002 + 03:45:54 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 5581C3EA02 + for ; Fri, 30 Aug 2002 19:58:41 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7UNwb619029 for exmh-workers@listman.redhat.com; Fri, 30 Aug 2002 + 19:58:37 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7UNwbY19025 for + ; Fri, 30 Aug 2002 19:58:37 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7UNhFl21007 for + ; Fri, 30 Aug 2002 19:43:15 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + TAA06163; Fri, 30 Aug 2002 19:58:20 -0400 +Message-Id: <200208302358.TAA06163@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: Chris Garrigues +Cc: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1030629610.14240.TMDA@deepeddy.vircio.com> +References: <1030629610.14240.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues + message dated "Thu, 29 Aug 2002 10:00:08 -0400." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Fri, 30 Aug 2002 16:58:19 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + +>>>Chris Garrigues said: + > > From: Brent Welch + > > Date: Wed, 28 Aug 2002 22:40:21 -0700 + > > + > > Well, I've used the check-the-modify-time cache trick for files in + > > many places (not just exmh) so some part of me certainly thinks it + > > is effective. However, it occurred to me that if we do checkpoint + > > state, then aren't we modifying the sequences file for the current + > > folder on every message read? Perhaps we look at the sequences file + > > more than once per message view? + > + > As I'd written the code a few months ago, we were reading the sequences + > file + > first to see what sequences were in it and then once per sequence. This + > + > happens anywhere that we look at sequences, most notably in + > Ftoc_ShowSequences. + > That seemed to be an obvious lose performancewise, but I wanted my + > abstraction to + > have a separate call for "what sequences are in this folder?" and "what + > messages are in this sequence?". One option would have been to add + > another + > call to get the data off of disk, but I felt that the + > check-the-modify-time + > technique would be less error-prone. + +I like the check-the-modify-time technique. + + > I think the biggest gains would be from augmenting Ftoc_ShowSequences to + > allow + > a finer specification of what needs to be updated in the ftoc so that + > the + > current code would only be run when we really do have to update all + > sequences + > for all messages. I described these thoughts in an email message + > yesterday. + > + > And again, if it can wait a few weeks, I'm willing to do it. + +OK - I've yet to dive into the latest round of changes, but I plan to. +I can say I'll make any progress, but I may dabble. Thanks again for +all your work in this area. Generalized sequence support has been on +my to do list for about 8 years. + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1050.d80975f7f6f0f55faea4dc84c938f415 b/machine-learning-ex6/ex6/easy_ham/1050.d80975f7f6f0f55faea4dc84c938f415 new file mode 100644 index 0000000..461c6e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1050.d80975f7f6f0f55faea4dc84c938f415 @@ -0,0 +1,112 @@ +From exmh-users-admin@redhat.com Mon Sep 2 13:12:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 20DEC4416D + for ; Mon, 2 Sep 2002 07:38:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:38:28 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g81K1WZ02392 for + ; Sun, 1 Sep 2002 21:01:35 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 3607E3FCDB; Sun, 1 Sep 2002 + 16:01:34 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 131FF3EA2C + for ; Sun, 1 Sep 2002 15:56:56 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g81JuqY32303 for exmh-users@listman.redhat.com; Sun, 1 Sep 2002 + 15:56:52 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g81JupY32299 for + ; Sun, 1 Sep 2002 15:56:51 -0400 +Received: from orion.dwf.com (bgp01360964bgs.sandia01.nm.comcast.net + [68.35.68.128]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g81JfLl20760 for ; Sun, 1 Sep 2002 15:41:21 -0400 +Received: from orion.dwf.com (localhost.dwf.com [127.0.0.1]) by + orion.dwf.com (8.12.1/8.12.1) with ESMTP id g81Ju7SO002623; Sun, + 1 Sep 2002 13:56:07 -0600 +Received: from orion.dwf.com (reg@localhost) by orion.dwf.com + (8.12.1/8.12.1/Submit) with ESMTP id g81Ju6TE002619; Sun, 1 Sep 2002 + 13:56:06 -0600 +Message-Id: <200209011956.g81Ju6TE002619@orion.dwf.com> +X-Mailer: exmh version 2.5 07/25/2002 with nmh-1.0.4 +To: exmh-users@example.com, Ingo Frommholz +Cc: reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: Message from Ingo Frommholz of + "Sun, 01 Sep 2002 16:14:11 +0200." + <200209011414.g81EEBP05889@eva.local> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Reg Clemens +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 13:56:06 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05,X_LOOP + version=2.40-cvs +X-Spam-Level: + +> Hi, +> +> On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: +> +> [...] +> > in messages with GnuPG signatures. But punching the line ALWAYS +> > gives +> > +> > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDDF997A +> > Can't check signature: public key not found +> > +> > So, something else is missing. +> +> Yes, the public key of the signature you want to check :-). +> +> Are you really sure that you have the public key of the message's +> signature? If not, try downloading it or try to check a signature from +> which you know you have the public key. +> +> +> + +Ah, sorry for not making that clearer. +But no. +Previously (v1.0.6 of GnuPG) there would be a slight pause at this point while +it went out to get the public key from a keyserver. +Now, whether I have the key or NOT, I get the failure message. + +Its as if it cant find gpg to execute it (but I fixed that path), so there +must be something else that I am missing... + + +-- + Reg.Clemens + reg@dwf.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1051.cf81a19208b703f18497a0d6fedb1f13 b/machine-learning-ex6/ex6/easy_ham/1051.cf81a19208b703f18497a0d6fedb1f13 new file mode 100644 index 0000000..b5935bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1051.cf81a19208b703f18497a0d6fedb1f13 @@ -0,0 +1,111 @@ +From exmh-users-admin@redhat.com Mon Sep 2 13:12:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0DABD44166 + for ; Mon, 2 Sep 2002 07:38:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:38:15 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g81EH0Z26508 for + ; Sun, 1 Sep 2002 15:17:00 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 369723ED7C; Sun, 1 Sep 2002 + 10:15:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3BD5B3EB68 + for ; Sun, 1 Sep 2002 10:13:48 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g81EDi615670 for exmh-users@listman.redhat.com; Sun, 1 Sep 2002 + 10:13:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g81EDiY15666 for + ; Sun, 1 Sep 2002 10:13:44 -0400 +Received: from iris.ping.de (iris.ping.de [62.72.93.101]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g81DwDl14086 for + ; Sun, 1 Sep 2002 09:58:13 -0400 +Received: from eva.local (eva.local [192.168.99.2]) by iris.ping.de + (8.11.2/8.11.2) with ESMTP id g81EEPH02268 for ; + Sun, 1 Sep 2002 16:14:26 +0200 +Received: from eva.local (localhost [127.0.0.1]) by eva.local + (8.11.2/8.11.2/SuSE Linux 8.11.1-0.5) with ESMTP id g81EEBP05889 for + ; Sun, 1 Sep 2002 16:14:11 +0200 +Message-Id: <200209011414.g81EEBP05889@eva.local> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +Old-X-Loop: ingo@iris.ping.de +X-Image-Url: http://www.frommholz.org/ingo2small.gif +X-Url: http://www.frommholz.org/ +From: Ingo Frommholz +Organization: Home of Tux the penguin :-) +To: exmh-users@example.com +Dcc: +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: Your message of + "Sun, 01 Sep 2002 00:05:03 MDT." + <200209010605.g81653XF010950@orion.dwf.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 16:14:11 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MSG_ID_ADDED_BY_MTA_3, + NOSPAM_INC,QUOTED_EMAIL_TEXT,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05,X_LOOP + version=2.40-cvs +X-Spam-Level: + +Hi, + +On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + +[...] +> in messages with GnuPG signatures. But punching the line ALWAYS +> gives +> +> Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDDF997A +> Can't check signature: public key not found +> +> So, something else is missing. + +Yes, the public key of the signature you want to check :-). + +Are you really sure that you have the public key of the message's +signature? If not, try downloading it or try to check a signature from +which you know you have the public key. + + + +Regards, + +Ingo + +-- +Ingo Frommholz PGP public keys on homepage +ingo@frommholz.org http://www.frommholz.org/ +My childhood inspection is my record collection (Ned's Atomic Dustbin) + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1052.8051605033d37d59b100fdef7dfc0ffc b/machine-learning-ex6/ex6/easy_ham/1052.8051605033d37d59b100fdef7dfc0ffc new file mode 100644 index 0000000..40620de --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1052.8051605033d37d59b100fdef7dfc0ffc @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Mon Sep 2 23:00:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8CEB516F2C + for ; Mon, 2 Sep 2002 23:00:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:00:04 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82HN1Z11538 for + ; Mon, 2 Sep 2002 18:23:02 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99F623F901; Mon, 2 Sep 2002 + 13:23:08 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3E4140346 + for ; Mon, 2 Sep 2002 13:18:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g82HIkb11294 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 13:18:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g82HIkY11290 for + ; Mon, 2 Sep 2002 13:18:46 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g82H3Bl27025 for + ; Mon, 2 Sep 2002 13:03:11 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA12734; Mon, 2 Sep 2002 13:18:39 -0400 +Message-Id: <200209021718.NAA12734@blackcomb.panasas.com> +To: exmh-users@example.com +Cc: Ingo Frommholz , reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209011956.g81Ju6TE002619@orion.dwf.com> +References: <200209011956.g81Ju6TE002619@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Sun, 01 Sep + 2002 13:56:06 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 10:18:39 -0700 +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_05_08, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +If you haven't already, you should enable the debug log under +Hacking Support preferences and look for clues there. + +>>>Reg Clemens said: + > > Hi, + > > + > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > + > > [...] + > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > gives + > > > + > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDD + F997A + > > > Can't check signature: public key not found + > > > + > > > So, something else is missing. + > > + > > Yes, the public key of the signature you want to check :-). + > > + > > Are you really sure that you have the public key of the message's + > > signature? If not, try downloading it or try to check a signature from + > > which you know you have the public key. + > > + > > + > > + > + > Ah, sorry for not making that clearer. + > But no. + > Previously (v1.0.6 of GnuPG) there would be a slight pause at this point whi + le + > it went out to get the public key from a keyserver. + > Now, whether I have the key or NOT, I get the failure message. + > + > Its as if it cant find gpg to execute it (but I fixed that path), so there + > must be something else that I am missing... + > + > + > -- + > Reg.Clemens + > reg@dwf.com + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1053.d961ccf25520c4e5cd4bd25b5dd08647 b/machine-learning-ex6/ex6/easy_ham/1053.d961ccf25520c4e5cd4bd25b5dd08647 new file mode 100644 index 0000000..254adb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1053.d961ccf25520c4e5cd4bd25b5dd08647 @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Mon Sep 2 23:14:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8CEB216F31 + for ; Mon, 2 Sep 2002 23:13:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:13:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82HN1Z11538 for + ; Mon, 2 Sep 2002 18:23:02 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99F623F901; Mon, 2 Sep 2002 + 13:23:08 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3E4140346 + for ; Mon, 2 Sep 2002 13:18:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g82HIkb11294 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 13:18:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g82HIkY11290 for + ; Mon, 2 Sep 2002 13:18:46 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g82H3Bl27025 for + ; Mon, 2 Sep 2002 13:03:11 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA12734; Mon, 2 Sep 2002 13:18:39 -0400 +Message-Id: <200209021718.NAA12734@blackcomb.panasas.com> +To: exmh-users@example.com +Cc: Ingo Frommholz , reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209011956.g81Ju6TE002619@orion.dwf.com> +References: <200209011956.g81Ju6TE002619@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Sun, 01 Sep + 2002 13:56:06 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 10:18:39 -0700 +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_05_08, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +If you haven't already, you should enable the debug log under +Hacking Support preferences and look for clues there. + +>>>Reg Clemens said: + > > Hi, + > > + > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > + > > [...] + > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > gives + > > > + > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDD + F997A + > > > Can't check signature: public key not found + > > > + > > > So, something else is missing. + > > + > > Yes, the public key of the signature you want to check :-). + > > + > > Are you really sure that you have the public key of the message's + > > signature? If not, try downloading it or try to check a signature from + > > which you know you have the public key. + > > + > > + > > + > + > Ah, sorry for not making that clearer. + > But no. + > Previously (v1.0.6 of GnuPG) there would be a slight pause at this point whi + le + > it went out to get the public key from a keyserver. + > Now, whether I have the key or NOT, I get the failure message. + > + > Its as if it cant find gpg to execute it (but I fixed that path), so there + > must be something else that I am missing... + > + > + > -- + > Reg.Clemens + > reg@dwf.com + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1054.4f64b125bf2f8a6657780878d455a859 b/machine-learning-ex6/ex6/easy_ham/1054.4f64b125bf2f8a6657780878d455a859 new file mode 100644 index 0000000..0298ce4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1054.4f64b125bf2f8a6657780878d455a859 @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Mon Sep 2 23:27:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6D94C16F30 + for ; Mon, 2 Sep 2002 23:26:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:26:35 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82HN1Z11538 for + ; Mon, 2 Sep 2002 18:23:02 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99F623F901; Mon, 2 Sep 2002 + 13:23:08 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3E4140346 + for ; Mon, 2 Sep 2002 13:18:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g82HIkb11294 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 13:18:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g82HIkY11290 for + ; Mon, 2 Sep 2002 13:18:46 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g82H3Bl27025 for + ; Mon, 2 Sep 2002 13:03:11 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA12734; Mon, 2 Sep 2002 13:18:39 -0400 +Message-Id: <200209021718.NAA12734@blackcomb.panasas.com> +To: exmh-users@example.com +Cc: Ingo Frommholz , reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209011956.g81Ju6TE002619@orion.dwf.com> +References: <200209011956.g81Ju6TE002619@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Sun, 01 Sep + 2002 13:56:06 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 10:18:39 -0700 +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_05_08,X_LOOP + version=2.41-cvs +X-Spam-Level: + +If you haven't already, you should enable the debug log under +Hacking Support preferences and look for clues there. + +>>>Reg Clemens said: + > > Hi, + > > + > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > + > > [...] + > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > gives + > > > + > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDD + F997A + > > > Can't check signature: public key not found + > > > + > > > So, something else is missing. + > > + > > Yes, the public key of the signature you want to check :-). + > > + > > Are you really sure that you have the public key of the message's + > > signature? If not, try downloading it or try to check a signature from + > > which you know you have the public key. + > > + > > + > > + > + > Ah, sorry for not making that clearer. + > But no. + > Previously (v1.0.6 of GnuPG) there would be a slight pause at this point whi + le + > it went out to get the public key from a keyserver. + > Now, whether I have the key or NOT, I get the failure message. + > + > Its as if it cant find gpg to execute it (but I fixed that path), so there + > must be something else that I am missing... + > + > + > -- + > Reg.Clemens + > reg@dwf.com + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1055.d8032f77bbc5aab8f5a9b75cb4652e06 b/machine-learning-ex6/ex6/easy_ham/1055.d8032f77bbc5aab8f5a9b75cb4652e06 new file mode 100644 index 0000000..df13b9e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1055.d8032f77bbc5aab8f5a9b75cb4652e06 @@ -0,0 +1,191 @@ +From exmh-users-admin@redhat.com Tue Sep 3 14:20:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CB0A216F40 + for ; Tue, 3 Sep 2002 14:18:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:18:48 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8322hZ01052 for + ; Tue, 3 Sep 2002 03:02:44 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 31DB93F4F6; Mon, 2 Sep 2002 + 22:03:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id F1C093FFC4 + for ; Mon, 2 Sep 2002 22:02:07 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g83223J31599 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 22:02:03 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g83223Y31570 for + ; Mon, 2 Sep 2002 22:02:03 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g831kQl32226 for + ; Mon, 2 Sep 2002 21:46:26 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + WAA01468; Mon, 2 Sep 2002 22:01:50 -0400 +Message-Id: <200209030201.WAA01468@blackcomb.panasas.com> +To: Reg Clemens +Cc: exmh-users@example.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209021953.g82Jrerq003365@orion.dwf.com> +References: <200209021953.g82Jrerq003365@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Mon, 02 Sep + 2002 13:53:40 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 19:01:49 -0700 +X-Spam-Status: No, hits=-9.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_02_03,X_LOOP + version=2.41-cvs +X-Spam-Level: + +2 things - first, the switch parser changed in a subtle way with 8.4 - +byte-code compilation was added, and it is slightly more strict in +its parsing than the original parser. You can only have a comment where +Tcl would expect to find a command. Switch has a "pattern - body" +strucutre, so if you goof and put a comment where it is trying to find +a pattern, both of you will be confused with the results. The +subtlty arises with extra whitespace and newlines. I can't give you +the exact case, but I know exmh had one example that stopped parsing +correctly, and was arguably wrong before. + +2nd - I've managed to remain fairly ignoranat of the PGP support in +exmh, so you'll have to dig in yourself or see if someone else on +exmh-users or exmh-workers is having similar problems. + +>>>Reg Clemens said: + > > If you haven't already, you should enable the debug log under + > > Hacking Support preferences and look for clues there. + > > + > > >>>Reg Clemens said: + > > > > Hi, + > > > > + > > > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > > > + > > > > [...] + > > > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > > > gives + > > > > > + > > > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key I + D BDD + > > F997A + > > > > > Can't check signature: public key not found + > > > > > + > > > > > So, something else is missing. + > > > > + > > > > Yes, the public key of the signature you want to check :-). + > > > > + > > > > Are you really sure that you have the public key of the message's + > > > > signature? If not, try downloading it or try to check a signature fro + m + > > > > which you know you have the public key. + > > > > + > > > > + > > > > + > > > + > > > Ah, sorry for not making that clearer. + > > > But no. + > > > Previously (v1.0.6 of GnuPG) there would be a slight pause at this poin + t whi + > > le + > > > it went out to get the public key from a keyserver. + > > > Now, whether I have the key or NOT, I get the failure message. + > > > + > > > Its as if it cant find gpg to execute it (but I fixed that path), so th + ere + > > > must be something else that I am missing... + > > > + > > > + > > > -- + > > > Reg.Clemens + > > > reg@dwf.com + > > > + > > > + > > > + > > > + > > > _______________________________________________ + > > > Exmh-users mailing list + > > > Exmh-users@redhat.com + > > > https://listman.redhat.com/mailman/listinfo/exmh-users + > > + > > -- + > > Brent Welch + > > Software Architect, Panasas Inc + > > Pioneering the World's Most Scalable and Agile Storage Network + > > www.panasas.com + > > welch@panasas.com + > > + > + > + > Partial solution. + > And this MAY be related to using tcl/tk 8.4b1, as I had a similar + > problem about a month ago elsewhere in EXMH (which you found). + > + > But first. + > I really feel like something has changed out from under me + > with my making no changes to EXMH. Namely, when I first got + > GPG up and working (for reading signatures) all I did was + > touch the 'Check Signature' button' and it went out and queried + > the keyserver for me. + > Now Im getting a separate box, after the failure to find the + > public key on my keyring, asking me of I want to 'Query keyserver' + > + > I KNOW that I never had to touch a 'Query keyserver' button in + > the past, but there it is now, and I havent touched EXMH. Spooky. + > + > I have been working back and forth between GPG 1.0.6 and 1.0.7 + > but its not clear how that could be the problem, as Im now getting + > the 'Query' message when running either... + > + > --- + > + > OK, enough about my confusion. + > The CURRENT problem seems to be a COMMENT in a SWITCH statement + > at line 86 in pgpWWW.tcl. Tcl 8.4b1 doesnt like it and I get your + > popup box. Remove it and no popupbox, but EXMH hangs (sigh). + > So, not a complete solution, but at least a start. + > + > Thanks for the interest. + > + > Reg.Clemens + > reg@dwf.com + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1056.40e105e66c28374d4fffa209a7176959 b/machine-learning-ex6/ex6/easy_ham/1056.40e105e66c28374d4fffa209a7176959 new file mode 100644 index 0000000..d0a5376 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1056.40e105e66c28374d4fffa209a7176959 @@ -0,0 +1,87 @@ +From exmh-users-admin@redhat.com Fri Sep 6 11:36:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 650ED16F03 + for ; Fri, 6 Sep 2002 11:35:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:35:09 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rwC29378 for + ; Fri, 6 Sep 2002 10:53:58 +0100 +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + webnote.net (8.9.3/8.9.3) with ESMTP id WAA18773 for ; + Thu, 5 Sep 2002 22:49:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0537B40CA8; Thu, 5 Sep 2002 + 17:42:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E230A3FB2C + for ; Thu, 5 Sep 2002 17:41:05 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g85Lf1x00556 for exmh-users@listman.redhat.com; Thu, 5 Sep 2002 + 17:41:01 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g85Lf1l00550 for + ; Thu, 5 Sep 2002 17:41:01 -0400 +Received: from siva.sandcraft.com (gw.sandcraft.com [206.171.22.2]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g85LP4106979 for + ; Thu, 5 Sep 2002 17:25:04 -0400 +Received: from siva (localhost [127.0.0.1]) by siva.sandcraft.com + (8.10.2+Sun/8.9.1) with ESMTP id g85Ler718109 for ; + Thu, 5 Sep 2002 14:40:53 -0700 (PDT) +Message-Id: <200209052140.g85Ler718109@siva.sandcraft.com> +To: exmh-users@example.com +Subject: Changed location of incoming mail. exmh not working!! +From: Siva Doriaswamy +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 05 Sep 2002 14:40:53 -0700 +X-Spam-Status: No, hits=-4.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I use exmh 2.5 with procmail for presorting incoming mail and move it to +the relevant folder using rcvstore. + +Recently, my incoming mail (or spool) location moved to another disk. +I'm not quite clear how to reconfigure procmail/rcvstore/exmh to accept +mail from the new location. + +There seems to be a variable in exmh-defaults (bgspool). It says at the +top of the file not to edit these lines. So, I went ahead and edited it :-) +That does not make a difference. + +It seems like procmail is the one that is actually reading the mail from +my spool/incoming mail area and piping it to rcvstore. So, I need to +configure that probably. + +Any idea how I would do this? + +Thanks +Siva + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1057.3f02467f2419b7400e5afa8c8df961de b/machine-learning-ex6/ex6/easy_ham/1057.3f02467f2419b7400e5afa8c8df961de new file mode 100644 index 0000000..ca727c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1057.3f02467f2419b7400e5afa8c8df961de @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Fri Sep 6 11:38:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 391BB16F1C + for ; Fri, 6 Sep 2002 11:37:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:36 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869puC29076 for + ; Fri, 6 Sep 2002 10:51:56 +0100 +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + webnote.net (8.9.3/8.9.3) with ESMTP id AAA19323 for ; + Fri, 6 Sep 2002 00:51:59 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id D082A40C27; Thu, 5 Sep 2002 + 18:59:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C1D1B4025A + for ; Thu, 5 Sep 2002 18:57:51 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g85Mvlb14608 for exmh-users@listman.redhat.com; Thu, 5 Sep 2002 + 18:57:47 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g85Mvkl14604 for + ; Thu, 5 Sep 2002 18:57:46 -0400 +Received: from ka.graffl.net (ka.graffl.net [193.154.165.8]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g85Mfk121532 for + ; Thu, 5 Sep 2002 18:41:49 -0400 +Received: from fsck.waldner.priv.at (fsck.waldner.priv.at + [213.225.31.166]) by ka.graffl.net (8.12.3/8.12.3/Debian -4) with ESMTP id + g85MvaYU031202 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 + verify=FAIL) for ; Fri, 6 Sep 2002 00:57:37 +0200 +Received: from fsck.intern.waldner.priv.at (localhost [127.0.0.1]) by + fsck.waldner.priv.at (8.12.3/8.12.3/Debian -4) with ESMTP id + g85MvZWb002051 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 + verify=OK) for ; Fri, 6 Sep 2002 00:57:35 +0200 +Received: (from waldner@localhost) by fsck.intern.waldner.priv.at + (8.12.3/8.12.3/Debian -4) id g85MvZm0002050 for exmh-users@redhat.com; + Fri, 6 Sep 2002 00:57:35 +0200 +Message-Id: <200209052257.g85MvZm0002050@fsck.intern.waldner.priv.at> +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Changed location of incoming mail. exmh not working!! +In-Reply-To: Your message of + "Thu, 05 Sep 2002 14:40:53 PDT." + <200209052140.g85Ler718109@siva.sandcraft.com> +From: Robert Waldner +X-Organization: Bah. Speaking only for me humble self. +X-GPG: telnet fsck.waldner.priv.at for public key +X-GPG-Fingerprint: 406F 241A 9E21 CF92 1DED A0A8 1343 7348 9AF9 DE82 +X-GPG-Keyid: 0x9AF9DE82 +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----------=_1031266655-417-16"; + micalg="pgp-sha1"; + protocol="application/pgp-signature" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 06 Sep 2002 00:57:32 +0200 +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +It has been signed conforming to RFC2015. +You'll need PGP or GPG to check the signature. + +------------=_1031266655-417-16 +Content-Type: text/plain; charset=us-ascii + + +On Thu, 05 Sep 2002 14:40:53 PDT, Siva Doriaswamy writes: +>Recently, my incoming mail (or spool) location moved to another disk. +>I'm not quite clear how to reconfigure procmail/rcvstore/exmh to accept +>mail from the new location. + +How do you feed procmail? Not with a .forward, I'd guess. + +How does mail enter your system anyway? Per fetchmail maybe? Or direct + SMTP-delivery? Or does it just magically hit your spool? + +Lotsa questions... + +cheers, +&rw +-- +-- Booze: because one doesn't solve the world's problems over white wine. + + + +------------=_1031266655-417-16 +Content-Type: application/pgp-signature; name="signature.ng" +Content-Disposition: inline; filename="signature.ng" +Content-Transfer-Encoding: 7bit + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9d+FfE0NzSJr53oIRAtvLAJ9Dq7N0j3WXKRCwPClW+S3mc9uvjACfc8F1 +tcsFzzucvnl9rvSegUfuBZU= +=G2/X +-----END PGP SIGNATURE----- + +------------=_1031266655-417-16-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1058.f26006b375cfbfb03f4903683f585808 b/machine-learning-ex6/ex6/easy_ham/1058.f26006b375cfbfb03f4903683f585808 new file mode 100644 index 0000000..cbc2bab --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1058.f26006b375cfbfb03f4903683f585808 @@ -0,0 +1,80 @@ +From exmh-users-admin@redhat.com Mon Sep 9 20:33:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 223B916F03 + for ; Mon, 9 Sep 2002 20:33:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 20:33:38 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89J9pC28601 for + ; Mon, 9 Sep 2002 20:09:51 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id D3D07406CD; Mon, 9 Sep 2002 + 15:09:13 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 020DD40C52 + for ; Mon, 9 Sep 2002 15:06:02 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89J5vI26688 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 15:05:57 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89J5vl26684 for + ; Mon, 9 Sep 2002 15:05:57 -0400 +Received: from lin12.triumf.ca + (IDENT:v+BDSWAha2IPsgxS0mz71/BYOZ+H0n0c@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g89Ine131496 for + ; Mon, 9 Sep 2002 14:49:40 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g89J5tH02285 for ; + Mon, 9 Sep 2002 12:05:55 -0700 +Message-Id: <200209091905.g89J5tH02285@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Sorting +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 12:05:55 -0700 +X-Spam-Status: No, hits=-4.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Is there a way to do a global Sort command? Here's the situation: I like to +sort by date every folder. I'm cleaning up my inbox from most recent to oldest, +since I find this direction most efficient (I guess because it helps me +recognize the significance of individual, old messages). But this adds messages +to my other folders in the wrong order. When I'm done, I'd like to re-sort all +the folders I've changed. + +-- +rick + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1059.5b0713200efcabb71c7005b32e726a60 b/machine-learning-ex6/ex6/easy_ham/1059.5b0713200efcabb71c7005b32e726a60 new file mode 100644 index 0000000..531951d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1059.5b0713200efcabb71c7005b32e726a60 @@ -0,0 +1,87 @@ +From exmh-users-admin@redhat.com Mon Sep 9 20:33:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C7A5F16EFC + for ; Mon, 9 Sep 2002 20:33:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 20:33:41 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89JFdC28784 for + ; Mon, 9 Sep 2002 20:15:40 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 8D6DA4079B; Mon, 9 Sep 2002 + 15:13:05 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B8E3140CB0 + for ; Mon, 9 Sep 2002 15:12:41 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89JCaV27753 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 15:12:36 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89JCal27749 for + ; Mon, 9 Sep 2002 15:12:36 -0400 +Received: from whatexit.org (postfix@whatexit.org [64.7.3.122]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g89IuJ132613 for + ; Mon, 9 Sep 2002 14:56:19 -0400 +Received: from joisey.whatexit.org (localhost [127.0.0.1]) by whatexit.org + (Postfix) with ESMTP id EBB3DB1 for ; + Mon, 9 Sep 2002 15:12:28 -0400 (EDT) +To: exmh-users@example.com +Subject: Re: Sorting +From: Tom Reingold +X-Mailer: exmh version 2.5 07/13/2001 +X-Uri: http://whatexit.org/~tommy +X-Image-Url: http://whatexit.org/~tommy/zombie.gif +In-Reply-To: Message from Rick Baartman of Mon, + 09 Sep 2002 12:05:55 PDT <200209091905.g89J5tH02285@lin12.triumf.ca> +Message-Id: <20020909191229.EBB3DB1@whatexit.org> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 15:12:28 -0400 +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +On Mon, 09 Sep 2002 12:05:55 PDT, + Rick Baartman wrote: + +> Is there a way to do a global Sort command? Here's the situation: +> I like to sort by date every folder. I'm cleaning up my inbox from +> most recent to oldest, since I find this direction most efficient (I +> guess because it helps me recognize the significance of individual, +> old messages). But this adds messages to my other folders in the +> wrong order. When I'm done, I'd like to re-sort all the folders I've +> changed. + +I don't understand. How does sorting one folder add messages to +other folders? What do you use to sort? + +Tom + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1060.f4a2a100431a65ef190bfdeae5a044b2 b/machine-learning-ex6/ex6/easy_ham/1060.f4a2a100431a65ef190bfdeae5a044b2 new file mode 100644 index 0000000..57f1464 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1060.f4a2a100431a65ef190bfdeae5a044b2 @@ -0,0 +1,84 @@ +From exmh-users-admin@redhat.com Mon Sep 9 20:33:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4A6E416EFC + for ; Mon, 9 Sep 2002 20:33:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 20:33:48 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89JUNC29185 for + ; Mon, 9 Sep 2002 20:30:23 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F2DB540CFB; Mon, 9 Sep 2002 + 15:27:14 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4300F40CFF + for ; Mon, 9 Sep 2002 15:21:49 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89JLi030412 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 15:21:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89JLil30408 for + ; Mon, 9 Sep 2002 15:21:44 -0400 +Received: from lin12.triumf.ca + (IDENT:sOKb8Z9CjEA+Gw8GPx3EBglRz+JI2cpw@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g89J5Q102164 for + ; Mon, 9 Sep 2002 15:05:26 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g89JLgt02406 for ; + Mon, 9 Sep 2002 12:21:42 -0700 +Message-Id: <200209091921.g89JLgt02406@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: <20020909191229.EBB3DB1@whatexit.org> +References: <20020909191229.EBB3DB1@whatexit.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 12:21:42 -0700 +X-Spam-Status: No, hits=-8.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> I don't understand. How does sorting one folder add messages to +> other folders? What do you use to sort? +> + +Sorry I wasn't clear. I am transferring messages from my inbox to other folders +and since I am doing it from most recent to oldest, they appear in those +folders in the wrong order and need re-sorting. + +-- +rick + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1061.88a372affb7c0cadfe3062af414ff7a4 b/machine-learning-ex6/ex6/easy_ham/1061.88a372affb7c0cadfe3062af414ff7a4 new file mode 100644 index 0000000..5a17859 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1061.88a372affb7c0cadfe3062af414ff7a4 @@ -0,0 +1,108 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:22:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2324616F03 + for ; Tue, 10 Sep 2002 11:22:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:35 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89JowC29985 for + ; Mon, 9 Sep 2002 20:50:58 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 645BB40D88; Mon, 9 Sep 2002 + 15:44:54 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 8C00340D88 + for ; Mon, 9 Sep 2002 15:36:46 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89Jafm01952 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 15:36:41 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89Jafl01946 for + ; Mon, 9 Sep 2002 15:36:41 -0400 +Received: from whatexit.org (postfix@whatexit.org [64.7.3.122]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g89JKO105999 for + ; Mon, 9 Sep 2002 15:20:24 -0400 +Received: from joisey.whatexit.org (localhost [127.0.0.1]) by whatexit.org + (Postfix) with ESMTP id 590BBB1 for ; + Mon, 9 Sep 2002 15:36:37 -0400 (EDT) +To: exmh-users@example.com +Subject: Re: Sorting +From: Tom Reingold +X-Mailer: exmh version 2.5 07/13/2001 +X-Uri: http://whatexit.org/~tommy +X-Image-Url: http://whatexit.org/~tommy/zombie.gif +In-Reply-To: Message from Rick Baartman of Mon, + 09 Sep 2002 12:21:42 PDT <20020909191229.EBB3DB1@whatexit.org> + <200209091921.g89JLgt02406@lin12.triumf.ca> +Message-Id: <20020909193637.590BBB1@whatexit.org> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 15:36:37 -0400 +X-Spam-Status: No, hits=-11.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +On Mon, 09 Sep 2002 12:21:42 PDT, + Rick Baartman wrote: + +> Sorry I wasn't clear. I am transferring messages from my inbox to +> other folders and since I am doing it from most recent to oldest, they +> appear in those folders in the wrong order and need re-sorting. + +OK, gotcha. + +I don't think you can do that with exmh, but you can do it on the +command line, if you use sh or ksh: + + for f in `folders -fast -r` + do + echo sorting $f ... + sortm +$f + done + +It could take a long time. + +At work, I have to use Outlook. Ick. I hate it. But it does a few +things right. Like making indices for each folder, and not just by +date, but also by sender, message size, subject. So I can sort by any +column instantly. + +I believe this is possible, too, with an IMAP compliant reader, +provided the IMAP server makes such indices. + +I am facing the fact that exmh has been left behind in some industry +standards. I use it for my personal mail. My mail server runs unix, +and I connect over ssh and tunnel my X traffic over ssh. With a slow +link, this makes exmh very slow. And mime handling is pretty bad +compared with modern mailers. I am just scared to move. I've been +using MH or nmh since 1985 and exmh since 1995. 17 years is a long +time! + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1062.aa014dbebbc0ab2df502e9a03f140599 b/machine-learning-ex6/ex6/easy_ham/1062.aa014dbebbc0ab2df502e9a03f140599 new file mode 100644 index 0000000..bed39a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1062.aa014dbebbc0ab2df502e9a03f140599 @@ -0,0 +1,96 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:22:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7AF7F16F03 + for ; Tue, 10 Sep 2002 11:22:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:37 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89Jw4C30116 for + ; Mon, 9 Sep 2002 20:58:04 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C8BEE40E67; Mon, 9 Sep 2002 + 15:55:20 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A013D40D00 + for ; Mon, 9 Sep 2002 15:43:44 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89Jhd304706 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 15:43:39 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89Jhdl04694 for + ; Mon, 9 Sep 2002 15:43:39 -0400 +Received: from pacific-carrier-annex.mit.edu + (PACIFIC-CARRIER-ANNEX.MIT.EDU [18.7.21.83]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g89JRM108236 for ; + Mon, 9 Sep 2002 15:27:22 -0400 +Received: from grand-central-station.mit.edu + (GRAND-CENTRAL-STATION.MIT.EDU [18.7.21.82]) by + pacific-carrier-annex.mit.edu (8.9.2/8.9.2) with ESMTP id PAA02947 for + ; Mon, 9 Sep 2002 15:43:38 -0400 (EDT) +Received: from manawatu-mail-centre.mit.edu (MANAWATU-MAIL-CENTRE.MIT.EDU + [18.7.7.71]) by grand-central-station.mit.edu (8.9.2/8.9.2) with ESMTP id + PAA05763 for ; Mon, 9 Sep 2002 15:43:37 -0400 (EDT) +Received: from multics.mit.edu (MULTICS.MIT.EDU [18.187.1.73]) by + manawatu-mail-centre.mit.edu (8.9.2/8.9.2) with ESMTP id PAA18588 for + ; Mon, 9 Sep 2002 15:43:35 -0400 (EDT) +Received: from localhost (yyyyorzins@localhost) by multics.mit.edu (8.9.3) + with ESMTP id PAA00022; Mon, 9 Sep 2002 15:43:34 -0400 (EDT) +From: Jacob Morzinski +To: +Subject: Re: Sorting +In-Reply-To: <200209091905.g89J5tH02285@lin12.triumf.ca> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 15:43:34 -0400 (EDT) +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_02_03,USER_AGENT_PINE,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Mon, 9 Sep 2002, Rick Baartman wrote: +> Is there a way to do a global Sort command? + + +Wanting to sort like that is not common; I'd be surprised if exmh has +a widget for it. You can achieve what you want with the command-line +mh tools, though. +I suggest doing the following from a shell prompt: + + sh -c 'for f in "`folders -recurse -fast`" ; do sortm +"$f" ; done' + +(The command "sortm" will sort a particular folder, and +"folders -recurse -fast" prints out a list of all of your folders.) + + +I hope this helps, + Jacob Morzinski jmorzins@mit.edu + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1063.1efa0c16fac1c545a6cec35f06f38d2a b/machine-learning-ex6/ex6/easy_ham/1063.1efa0c16fac1c545a6cec35f06f38d2a new file mode 100644 index 0000000..c61a1c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1063.1efa0c16fac1c545a6cec35f06f38d2a @@ -0,0 +1,87 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:22:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C67A916F03 + for ; Tue, 10 Sep 2002 11:22:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:39 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89KFoC30744 for + ; Mon, 9 Sep 2002 21:15:51 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C38DE40F5F; Mon, 9 Sep 2002 + 16:15:45 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2121D40EFB + for ; Mon, 9 Sep 2002 16:06:46 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89K6fG10652 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 16:06:41 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89K6el10648 for + ; Mon, 9 Sep 2002 16:06:40 -0400 +Received: from shelob.ce.ttu.edu (IDENT:root@shelob.ce.ttu.edu + [129.118.20.23]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g89JoN113677 for ; Mon, 9 Sep 2002 15:50:23 -0400 +Received: from shelob.ce.ttu.edu (IDENT:thompson@localhost [127.0.0.1]) by + shelob.ce.ttu.edu (8.11.6/8.11.6) with ESMTP id g89K6dd15026 for + ; Mon, 9 Sep 2002 15:06:39 -0500 +Message-Id: <200209092006.g89K6dd15026@shelob.ce.ttu.edu> +X-Mailer: exmh version 2.3.1 01/18/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Exmh/nmh (was Sorting)... +In-Reply-To: Your message of + "Mon, 09 Sep 2002 15:36:37 EDT." + <20020909193637.590BBB1@whatexit.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: "David B. Thompson" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 15:06:39 -0500 +X-Spam-Status: No, hits=-12.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,SUPERLONG_LINE,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> I am facing the fact that exmh has been left behind in some industry +> standards. I use it for my personal mail. My mail server runs unix, +> and I connect over ssh and tunnel my X traffic over ssh. With a slow +> link, this makes exmh very slow. And mime handling is pretty bad +> compared with modern mailers. + +These are some good comments and I'd like to share an opinion here. (Is that permitted? :) + +I started using linux about 8 or 9 years ago in rebellion against what the university was doing with Winder$. I just couldn't get good support and was using a lot of unix-based tools (ported to Winder$) anyway. So, I jumped ship and became my own sysadm. + +What I got was the easy ability to use a shell (now ssh) to connect to my office box from just about anywhere and use either exmh or nmh (from the command line). I can do email for the office fairly easily. + +I haven't seen any other tools that let me do that yet. But, I have to admit, that some of the web-based mail software is getting pretty close. Quoting and such is still primitive, but they're moving forward. + +-=d + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1064.cc185e02744782aa86371b064d602e62 b/machine-learning-ex6/ex6/easy_ham/1064.cc185e02744782aa86371b064d602e62 new file mode 100644 index 0000000..5565ef5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1064.cc185e02744782aa86371b064d602e62 @@ -0,0 +1,97 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:22:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CB57716F03 + for ; Tue, 10 Sep 2002 11:22:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:50 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g89LNZC32760 for + ; Mon, 9 Sep 2002 22:23:36 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5154A40FB9; Mon, 9 Sep 2002 + 17:19:07 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id ECBC13EB21 + for ; Mon, 9 Sep 2002 17:11:23 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g89LBIJ26810 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 17:11:18 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g89LBIl26806 for + ; Mon, 9 Sep 2002 17:11:18 -0400 +Received: from lin12.triumf.ca + (IDENT:lgb/i4fEP4F7dyc3dKC7OrOBMnt1aqrI@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g89Kt0129698 for + ; Mon, 9 Sep 2002 16:55:00 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g89LBH703076 for ; + Mon, 9 Sep 2002 14:11:17 -0700 +Message-Id: <200209092111.g89LBH703076@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 14:11:17 -0700 +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_02_03,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> On Mon, 9 Sep 2002, Rick Baartman wrote: +> > Is there a way to do a global Sort command? +> +> +> Wanting to sort like that is not common; I'd be surprised if exmh has +> a widget for it. You can achieve what you want with the command-line +> mh tools, though. +> I suggest doing the following from a shell prompt: +> +> sh -c 'for f in "`folders -recurse -fast`" ; do sortm +"$f" ; done' +> +> (The command "sortm" will sort a particular folder, and +> "folders -recurse -fast" prints out a list of all of your folders.) +> +> +Thanks Tom and Jacob. The above works, but without the double quotes: i.e. + +sh -c 'for f in `folders -recurse -fast` ; do sortm +"$f" ; done' + +I'd attach this command to the sorting menu if I knew any tcl... + +-- +rick + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1065.966bd4583cf8a6dcd4d8dcfe20120041 b/machine-learning-ex6/ex6/easy_ham/1065.966bd4583cf8a6dcd4d8dcfe20120041 new file mode 100644 index 0000000..cb20907 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1065.966bd4583cf8a6dcd4d8dcfe20120041 @@ -0,0 +1,87 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BF59F16F16 + for ; Tue, 10 Sep 2002 11:23:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:14 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A22rC12157 for + ; Tue, 10 Sep 2002 03:02:53 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7BD7D400CF; Mon, 9 Sep 2002 + 22:02:22 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 105733FD4A + for ; Mon, 9 Sep 2002 21:51:15 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A1p9611293 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 21:51:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A1p9m11247 for + ; Mon, 9 Sep 2002 21:51:09 -0400 +Received: from lin12.triumf.ca + (IDENT:v9MDvCtdIjweE+mcqAIOp5nIo1sIIkcQ@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8A0b2v01079 for + ; Mon, 9 Sep 2002 20:37:02 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g89Ns8g04304 for ; + Mon, 9 Sep 2002 16:54:11 -0700 +Message-Id: <200209092354.g89Ns8g04304@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: <200209092111.g89LBH703076@lin12.triumf.ca> +References: <200209092111.g89LBH703076@lin12.triumf.ca> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 16:54:08 -0700 +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> > On Mon, 9 Sep 2002, Rick Baartman wrote: +> Thanks Tom and Jacob. The above works, but without the double quotes: i.e. +> +> sh -c 'for f in `folders -recurse -fast` ; do sortm +"$f" ; done' +> +But there is a problem with making changes outside of exmh: the .xmhcache files +don't get updated. This is dangerous; I have to remember to re-scan each folder +I enter. Is there a safeguard for this? + +-- +rick + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1066.45693bec27d1b4b1651e236bd4366cdc b/machine-learning-ex6/ex6/easy_ham/1066.45693bec27d1b4b1651e236bd4366cdc new file mode 100644 index 0000000..1dae195 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1066.45693bec27d1b4b1651e236bd4366cdc @@ -0,0 +1,96 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D2AFA16F03 + for ; Tue, 10 Sep 2002 11:23:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:17 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A2HHC12737 for + ; Tue, 10 Sep 2002 03:17:18 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id CA01940694; Mon, 9 Sep 2002 + 22:15:33 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E5D123FEFD + for ; Mon, 9 Sep 2002 22:00:12 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A207l18463 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 22:00:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A207m18459 for + ; Mon, 9 Sep 2002 22:00:07 -0400 +Received: from fort-point-station.mit.edu (FORT-POINT-STATION.MIT.EDU + [18.7.7.76]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8A1hmv13505 + for ; Mon, 9 Sep 2002 21:43:48 -0400 +Received: from central-city-carrier-station.mit.edu + (CENTRAL-CITY-CARRIER-STATION.MIT.EDU [18.7.7.72]) by + fort-point-station.mit.edu (8.9.2/8.9.2) with ESMTP id WAA20482 for + ; Mon, 9 Sep 2002 22:00:07 -0400 (EDT) +Received: from melbourne-city-street.mit.edu + (MELBOURNE-CITY-STREET.MIT.EDU [18.7.21.86]) by + central-city-carrier-station.mit.edu (8.9.2/8.9.2) with ESMTP id WAA23907 + for ; Mon, 9 Sep 2002 22:00:04 -0400 (EDT) +Received: from multics.mit.edu (MULTICS.MIT.EDU [18.187.1.73]) by + melbourne-city-street.mit.edu (8.9.2/8.9.2) with ESMTP id WAA19268 for + ; Mon, 9 Sep 2002 22:00:04 -0400 (EDT) +Received: from localhost (yyyyorzins@localhost) by multics.mit.edu (8.9.3) + with ESMTP id WAA09695; Mon, 9 Sep 2002 22:00:03 -0400 (EDT) +From: Jacob Morzinski +To: +Subject: Re: Sorting +In-Reply-To: <200209092111.g89LBH703076@lin12.triumf.ca> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 9 Sep 2002 22:00:03 -0400 (EDT) +X-Spam-Status: No, hits=-11.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,USER_AGENT_PINE,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> > sh -c 'for f in "`folders -recurse -fast`" ; do sortm +"$f" ; done' + +> Thanks Tom and Jacob. The above works, but without the double quotes: i.e. +> +> sh -c 'for f in `folders -recurse -fast` ; do sortm +"$f" ; done' + +I may have a different version of "sh" than you do; the double quotes +around the backticks work for my "sh". + +(In the more-than-you-really-wanted-to-know category, you're probably +safe without the double quotes. The only reason I put them in is that +I have some pathologically-named folders, including folders whose +names contain spaces. If all your folders have safe names, you don't +need special quoting.) + + + -Jacob + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1067.b872a9f6853971d7190007a64d60e381 b/machine-learning-ex6/ex6/easy_ham/1067.b872a9f6853971d7190007a64d60e381 new file mode 100644 index 0000000..54c0cb9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1067.b872a9f6853971d7190007a64d60e381 @@ -0,0 +1,96 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B7D3116F03 + for ; Tue, 10 Sep 2002 11:23:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:21 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A3C3C14737 for + ; Tue, 10 Sep 2002 04:12:03 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5D85A40B63; Mon, 9 Sep 2002 + 23:10:53 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1355B40BB1 + for ; Mon, 9 Sep 2002 23:07:10 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A375S32417 for exmh-users@listman.redhat.com; Mon, 9 Sep 2002 + 23:07:05 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A374m32413 for + ; Mon, 9 Sep 2002 23:07:04 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8A2ojv25839 for ; Mon, 9 Sep 2002 22:50:45 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 90F5D38DA9; + Mon, 9 Sep 2002 22:07:03 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 8455538DA2; Mon, 9 Sep 2002 22:07:03 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <200209092354.g89Ns8g04304@lin12.triumf.ca> +References: <200209092111.g89LBH703076@lin12.triumf.ca> + + <200209092354.g89Ns8g04304@lin12.triumf.ca> +Comments: In-reply-to Rick Baartman message + dated "Mon, 09 Sep 2002 16:54:08 -0700." +To: Rick Baartman +Cc: exmh-users@example.com +Subject: Re: Sorting +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <3642.1031627218@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 22:06:58 -0500 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Mon, 9 Sep 2002, "Rick" == Rick Baartman wrote: + + Rick> This is dangerous; I have to remember to re-scan each + Rick> folder I enter. Is there a safeguard for this? + +Nope. Regenerate the cache in the script + + for f in `folders -fast -r` + do + echo sorting $f ... + sortm +$f + scan `mhpath +`/$f/.xmhcache + done + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1068.3a4e8387265236bd326736c63dfa1ce0 b/machine-learning-ex6/ex6/easy_ham/1068.3a4e8387265236bd326736c63dfa1ce0 new file mode 100644 index 0000000..6af8dd6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1068.3a4e8387265236bd326736c63dfa1ce0 @@ -0,0 +1,118 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D7ADF16F03 + for ; Tue, 10 Sep 2002 11:23:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:32 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A60fC19383 for + ; Tue, 10 Sep 2002 07:00:41 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BB6323EA77; Tue, 10 Sep 2002 + 02:01:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E26FD3EA24 + for ; Tue, 10 Sep 2002 02:00:32 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A60RP01628 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 02:00:27 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A60Rm01624 for + ; Tue, 10 Sep 2002 02:00:27 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g8A5b9v24994 for ; + Tue, 10 Sep 2002 01:43:43 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g8A5qYg11224 for + ; Tue, 10 Sep 2002 12:52:37 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g8A5qG805307 for ; + Tue, 10 Sep 2002 12:52:30 +0700 (ICT) +From: Robert Elz +To: exmh-users@example.com +Subject: Patch to complete a change... +MIME-Version: 1.0 +Content-Type: multipart/mixed ; boundary="==_Exmh_16073047980" +Message-Id: <5305.1031637136@munnari.OZ.AU> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 12:52:16 +0700 +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01, + X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multipart MIME message. + +--==_Exmh_16073047980 +Content-Type: text/plain; charset=us-ascii + +I suspect that as part of Chris' set of changes, he cleaned up the +use of the variable that was named "L" in FtocCommit (in ftoc.tcl). +Its name got changed from L to lineno + +But there's one reference of $L left. That causes tracebacks if +you attempt to use "link" with the current CVS version of exmh. + +I guess that most of us don't use "link" very often ... I noticed it +last week, but only got time to look and see why today. + +If someone with the ability to commit to the CVS repository would +apply the following patch (to lib/ftoc.tcl) that would be nice. +(It works... and is trivial, and you could perhaps just apply it by +making the change with an editor faster than saving this patch and +applying it - there's only one instance of $L in the file, that +should be changed to $lineno) + +kre + + + +--==_Exmh_16073047980 +Content-Type: text/plain ; name="patch"; charset=us-ascii +Content-Description: patch +Content-Disposition: attachment; filename="PATCH" + +--- ftoc.tcl.PREV Wed Aug 21 15:01:48 2002 ++++ ftoc.tcl Tue Sep 10 12:47:06 2002 +@@ -1131,9 +1131,9 @@ + } + } + incr ftoc(numMsgs) -1 + } else { +- FtocUnmarkInner $L ++ FtocUnmarkInner $lineno + } + incr ftoc(changed) -1 + } + if {$delmsgs != {}} { + +--==_Exmh_16073047980-- + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1069.7e96836785285547e3c01a6db4daa9d0 b/machine-learning-ex6/ex6/easy_ham/1069.7e96836785285547e3c01a6db4daa9d0 new file mode 100644 index 0000000..0134221 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1069.7e96836785285547e3c01a6db4daa9d0 @@ -0,0 +1,119 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BA41D16F03 + for ; Tue, 10 Sep 2002 11:23:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:34 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A6BdC19749 for + ; Tue, 10 Sep 2002 07:11:39 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0DDD23EC9C; Tue, 10 Sep 2002 + 02:12:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 056013EA24 + for ; Tue, 10 Sep 2002 02:11:55 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A6Bom02865 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 02:11:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A6Bnm02860 for + ; Tue, 10 Sep 2002 02:11:49 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8A5tTv26732 for + ; Tue, 10 Sep 2002 01:55:29 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + CAA13807 for ; Tue, 10 Sep 2002 02:11:43 -0400 +Message-Id: <200209100611.CAA13807@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: Patch to complete a change... +In-Reply-To: <5305.1031637136@munnari.OZ.AU> +References: <5305.1031637136@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Tue, + 10 Sep 2002 12:52:16 +0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 09 Sep 2002 23:11:42 -0700 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.50-cvs +X-Spam-Level: + +Done + +>>>Robert Elz said: + > I suspect that as part of Chris' set of changes, he cleaned up the + > use of the variable that was named "L" in FtocCommit (in ftoc.tcl). + > Its name got changed from L to lineno + > + > But there's one reference of $L left. That causes tracebacks if + > you attempt to use "link" with the current CVS version of exmh. + > + > I guess that most of us don't use "link" very often ... I noticed it + > last week, but only got time to look and see why today. + > + > If someone with the ability to commit to the CVS repository would + > apply the following patch (to lib/ftoc.tcl) that would be nice. + > (It works... and is trivial, and you could perhaps just apply it by + > making the change with an editor faster than saving this patch and + > applying it - there's only one instance of $L in the file, that + > should be changed to $lineno) + > + > kre + > + > + > --- ftoc.tcl.PREV Wed Aug 21 15:01:48 2002 + > +++ ftoc.tcl Tue Sep 10 12:47:06 2002 + > @@ -1131,9 +1131,9 @@ + > } + > } + > incr ftoc(numMsgs) -1 + > } else { + > - FtocUnmarkInner $L + > + FtocUnmarkInner $lineno + > } + > incr ftoc(changed) -1 + > } + > if {$delmsgs != {}} { + > + > --==_Exmh_16073047980-- + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1070.08b260e66ee072ebac13b66969730352 b/machine-learning-ex6/ex6/easy_ham/1070.08b260e66ee072ebac13b66969730352 new file mode 100644 index 0000000..63b60bc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1070.08b260e66ee072ebac13b66969730352 @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D79B316F03 + for ; Tue, 10 Sep 2002 11:23:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:36 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A7TJC21707 for + ; Tue, 10 Sep 2002 08:29:19 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6661E3EA7F; Tue, 10 Sep 2002 + 03:29:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C7A203F316 + for ; Tue, 10 Sep 2002 03:24:25 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A7OKL13912 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 03:24:20 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A7OKm13904 for + ; Tue, 10 Sep 2002 03:24:20 -0400 +Received: from ka.graffl.net (ka.graffl.net [193.154.165.8]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8A77vv04319 for + ; Tue, 10 Sep 2002 03:07:59 -0400 +Received: from fsck.waldner.priv.at (fsck.waldner.priv.at + [213.225.31.166]) by ka.graffl.net (8.12.3/8.12.3/Debian -4) with ESMTP id + g8A7OACn016909 for ; Tue, 10 Sep 2002 09:24:10 + +0200 +Received: from fsck.intern.waldner.priv.at (localhost [127.0.0.1]) by + fsck.waldner.priv.at (8.12.3/8.12.3/Debian -4) with ESMTP id + g8A7O9M3004728 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 + verify=OK) for ; Tue, 10 Sep 2002 09:24:10 +0200 +Received: (from waldner@localhost) by fsck.intern.waldner.priv.at + (8.12.3/8.12.3/Debian -4) id g8A7O9jH004727 for exmh-users@redhat.com; + Tue, 10 Sep 2002 09:24:09 +0200 +Message-Id: <200209100724.g8A7O9jH004727@fsck.intern.waldner.priv.at> +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Your message of + "Mon, 09 Sep 2002 22:06:58 CDT." + <3642.1031627218@dimebox> +From: Robert Waldner +X-Organization: Bah. Speaking only for me humble self. +X-GPG: telnet fsck.waldner.priv.at for public key +X-GPG-Fingerprint: 406F 241A 9E21 CF92 1DED A0A8 1343 7348 9AF9 DE82 +X-GPG-Keyid: 0x9AF9DE82 +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----------=_1031642648-417-32"; + micalg="pgp-sha1"; + protocol="application/pgp-signature" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 09:23:50 +0200 +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_02_03,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +It has been signed conforming to RFC2015. +You'll need PGP or GPG to check the signature. + +------------=_1031642648-417-32 +Content-Type: text/plain; charset=us-ascii + + +On Mon, 09 Sep 2002 22:06:58 CDT, Hal DeVore writes: +> scan `mhpath +`/$f/.xmhcache + +Shouldn't that read + scan >`mhpath +`/$f/.xmhcache + ? + +(And, JIC something else changed the context in the background, it + doesn't hurt to explicitly state the folder: + scan "+$f" >`mhpath +`/$f/.xmhcache + ) + +cheers, +&rw +-- +-- "The problem with the IBM keyboards I have is that when you +-- use them to beat lusers, the caps come off the keys. +-- No real damage, but still a nuisance." -- Martijn Berlage + + + +------------=_1031642648-417-32 +Content-Type: application/pgp-signature; name="signature.ng" +Content-Disposition: inline; filename="signature.ng" +Content-Transfer-Encoding: 7bit + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9fZ4YE0NzSJr53oIRAlxqAJsG8DKAx7bxB6bGzz70VdsAkx6UiQCdG8pJ +s2JuFuUt7Kaz3xb0JyOx87A= +=RFA6 +-----END PGP SIGNATURE----- + +------------=_1031642648-417-32-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1071.91f54390dd8c0706ed1b657fb0598ba7 b/machine-learning-ex6/ex6/easy_ham/1071.91f54390dd8c0706ed1b657fb0598ba7 new file mode 100644 index 0000000..deb7392 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1071.91f54390dd8c0706ed1b657fb0598ba7 @@ -0,0 +1,105 @@ +From exmh-users-admin@redhat.com Tue Sep 10 11:23:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7AEE316F03 + for ; Tue, 10 Sep 2002 11:23:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:42 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8A8MCC23007 for + ; Tue, 10 Sep 2002 09:22:13 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 470A03F3CC; Tue, 10 Sep 2002 + 04:22:22 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 124A73EA64 + for ; Tue, 10 Sep 2002 04:21:06 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8A8L1i24928 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 04:21:01 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8A8L0m24924 for + ; Tue, 10 Sep 2002 04:21:00 -0400 +Received: from dingo.home.kanga.nu (ocker.kanga.nu [198.144.204.213]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8A84ev13908 for + ; Tue, 10 Sep 2002 04:04:40 -0400 +Received: from localhost ([127.0.0.1] helo=dingo.home.kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17ogGX-0007n7-00 + for ; Tue, 10 Sep 2002 01:20:57 -0700 +Received: from localhost ([127.0.0.1] helo=kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17ogGW-0007n0-00 + for ; Tue, 10 Sep 2002 01:20:56 -0700 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Message from Tom Reingold of + "Mon, 09 Sep 2002 15:36:37 EDT." + <20020909193637.590BBB1@whatexit.org> +References: <20020909193637.590BBB1@whatexit.org> +X-Face: ?^_yw@fA`CEX&}--=*&XqXbF-oePvxaT4(kyt\nwM9]{]N!>b^K}-Mb9 + YH%saz^>nq5usBlD"s{(.h'_w|U^3ldUq7wVZz$`u>MB(-4$f\a6Eu8.e=Pf\ +X-Image-Url: http://www.kanga.nu/~claw/kanga.face.tiff +X-Url: http://www.kanga.nu/~claw/ +Message-Id: <29945.1031646056@kanga.nu> +X-Envelope-To: exmh-users@example.com +From: J C Lawrence +X-Delivery-Agent: TMDA/0.58 +X-Tmda-Fingerprint: cW2GfTfrr9KCw5sTO3gaUCJfK8Q +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 01:20:56 -0700 +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Mon, 09 Sep 2002 15:36:37 -0400 +Tom Reingold wrote: + +> At work, I have to use Outlook. Ick. I hate it. + +Ahh. At work we fire people who use Outlook (Literally true: They get +escorted to the door, their badge confiscated, and told to return the +next day to collect their office contents). + +> But it does a few things right. Like making indices for each folder, +> and not just by date, but also by sender, message size, subject. So I +> can sort by any column instantly. + +Have you looked into using a custom sequences file? + +> And mime handling is pretty bad compared with modern mailers. + +The only thing I actually miss in that regard is support for S/MIME. + +-- +J C Lawrence +---------(*) Satan, oscillate my metallic sonatas. +claw@kanga.nu He lived as a devil, eh? +http://www.kanga.nu/~claw/ Evil is a name of a foeman, as I live. + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1072.f4f42529de5e15b3a123e5ec89f4dc49 b/machine-learning-ex6/ex6/easy_ham/1072.f4f42529de5e15b3a123e5ec89f4dc49 new file mode 100644 index 0000000..7668d69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1072.f4f42529de5e15b3a123e5ec89f4dc49 @@ -0,0 +1,103 @@ +From exmh-users-admin@redhat.com Tue Sep 10 15:47:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D561F16F03 + for ; Tue, 10 Sep 2002 15:47:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 15:47:04 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AETfC02512 for + ; Tue, 10 Sep 2002 15:29:45 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 21BBD3EBDE; Tue, 10 Sep 2002 + 10:30:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B4C643EAF8 + for ; Tue, 10 Sep 2002 10:29:35 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8AETUC14161 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 10:29:30 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8AETUm14157 for + ; Tue, 10 Sep 2002 10:29:30 -0400 +Received: from whatexit.org (postfix@whatexit.org [64.7.3.122]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8AED9v01013 for + ; Tue, 10 Sep 2002 10:13:09 -0400 +Received: from joisey.whatexit.org (localhost [127.0.0.1]) by whatexit.org + (Postfix) with ESMTP id C5DF2A7 for ; + Tue, 10 Sep 2002 10:29:26 -0400 (EDT) +To: exmh-users@example.com +Subject: Re: Sorting +From: Tom Reingold +X-Mailer: exmh version 2.5 07/13/2001 +X-Uri: http://whatexit.org/~tommy +X-Image-Url: http://whatexit.org/~tommy/zombie.gif +In-Reply-To: Message from J C Lawrence of Tue, + 10 Sep 2002 01:20:56 PDT <20020909193637.590BBB1@whatexit.org> + <29945.1031646056@kanga.nu> +Message-Id: <20020910142926.C5DF2A7@whatexit.org> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 10:29:26 -0400 +X-Spam-Status: No, hits=-11.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +On Tue, 10 Sep 2002 01:20:56 PDT, + J C Lawrence wrote: + +> On Mon, 09 Sep 2002 15:36:37 -0400 +> Tom Reingold wrote: +> +> > At work, I have to use Outlook. Ick. I hate it. +> +> Ahh. At work we fire people who use Outlook (Literally true: They get +> escorted to the door, their badge confiscated, and told to return the +> next day to collect their office contents). + +Why? What threat does Outlook pose to your organization? + +> > But it does a few things right. Like making indices for each folder, +> > and not just by date, but also by sender, message size, subject. So I +> > can sort by any column instantly. +> +> Have you looked into using a custom sequences file? + +More detail please? I do use sequences, so I'm familiar with their +use, but how can I make indices with them, and how can I keep them +up to date? + +> > And mime handling is pretty bad compared with modern mailers. +> +> The only thing I actually miss in that regard is support for S/MIME. + +You're probably running exmh on a local machine. I'm running it on +a very remote machine. In this scenario, the mime handling is weak. + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1073.3c644d088e1e9201208b906f0f062c48 b/machine-learning-ex6/ex6/easy_ham/1073.3c644d088e1e9201208b906f0f062c48 new file mode 100644 index 0000000..8fe35cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1073.3c644d088e1e9201208b906f0f062c48 @@ -0,0 +1,93 @@ +From exmh-users-admin@redhat.com Tue Sep 10 15:47:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 93AA716F03 + for ; Tue, 10 Sep 2002 15:47:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 15:47:06 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AEhhC03246 for + ; Tue, 10 Sep 2002 15:43:43 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id EAB713EF4F; Tue, 10 Sep 2002 + 10:44:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D1F293F6A0 + for ; Tue, 10 Sep 2002 10:43:49 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8AEhig17290 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 10:43:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8AEhim17286 for + ; Tue, 10 Sep 2002 10:43:44 -0400 +Received: from localhost.localdomain (m53-mp1.cvx2-c.nth.dial.ntli.net + [62.253.56.53]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8AERLv04165 for ; Tue, 10 Sep 2002 10:27:21 -0400 +Received: from compaq (jg@localhost) by localhost.localdomain + (8.11.6/8.11.6) with ESMTP id g8AEhWS17947 for ; + Tue, 10 Sep 2002 15:43:34 +0100 +Message-Id: <200209101443.g8AEhWS17947@localhost.localdomain> +X-Authentication-Warning: localhost.localdomain: jg owned process doing -bs +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: noglider's message of Tue, 10 Sep 2002 10:29:26 -0400. + <20020910142926.C5DF2A7@whatexit.org> +X-Image-Url: http://homepage.ntlworld.com/jgibbon/dlkface.gif +From: James Gibbon +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +X-Reply-To: james.gibbon@virgin.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 15:43:32 +0100 +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MSG_ID_ADDED_BY_MTA_3,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01, + X_AUTH_WARNING,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +Tom Reingold wrote: + +> > +> > Ahh. At work we fire people who use Outlook (Literally true: +> > They get escorted to the door, their badge confiscated, and +> > told to return the next day to collect their office contents). +> +> Why? What threat does Outlook pose to your organization? +> + +It has been described as "the technological equivalent of +soliciting blood transfusions from random strangers in the +street". In short - it's a virus magnet. + + + + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1074.3f586c8b4870fb60157afbad2e076b17 b/machine-learning-ex6/ex6/easy_ham/1074.3f586c8b4870fb60157afbad2e076b17 new file mode 100644 index 0000000..2387211 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1074.3f586c8b4870fb60157afbad2e076b17 @@ -0,0 +1,127 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:41:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C494916F03 + for ; Wed, 11 Sep 2002 13:41:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:41:38 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AIwRC12418 for + ; Tue, 10 Sep 2002 19:58:27 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id DD58640A9C; Tue, 10 Sep 2002 + 14:58:34 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx2.corp.example.com (nat-pool-rdu-dmz.example.com + [172.16.52.200]) by listman.redhat.com (Postfix) with ESMTP id A3CCC40200 + for ; Tue, 10 Sep 2002 14:00:44 -0400 (EDT) +Received: (from mail@localhost) by int-mx2.corp.example.com (8.11.6/8.11.6) + id g8AGUOt11947 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 12:30:24 -0400 +Received: from mx2.example.com ([172.16.26.25]) by int-mx2.corp.example.com + (8.11.6/8.11.6) with SMTP id g8AGUOd11941 for ; + Tue, 10 Sep 2002 12:30:24 -0400 +Received: from dingo.home.kanga.nu (ocker.kanga.nu [198.144.204.213]) by + mx2.redhat.com (8.11.6/8.11.6) with SMTP id g8AGE9s01322 for + ; Tue, 10 Sep 2002 12:14:09 -0400 +Received: from localhost ([127.0.0.1] helo=dingo.home.kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17onr6-0000Om-00 + for ; Tue, 10 Sep 2002 09:27:12 -0700 +Received: from localhost ([127.0.0.1] helo=kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17onr6-0000Of-00 + for ; Tue, 10 Sep 2002 09:27:12 -0700 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Message from Tom Reingold of + "Tue, 10 Sep 2002 10:29:26 EDT." + <20020910142926.C5DF2A7@whatexit.org> +References: <20020910142926.C5DF2A7@whatexit.org> +X-Face: ?^_yw@fA`CEX&}--=*&XqXbF-oePvxaT4(kyt\nwM9]{]N!>b^K}-Mb9 + YH%saz^>nq5usBlD"s{(.h'_w|U^3ldUq7wVZz$`u>MB(-4$f\a6Eu8.e=Pf\ +X-Image-Url: http://www.kanga.nu/~claw/kanga.face.tiff +X-Url: http://www.kanga.nu/~claw/ +Message-Id: <1528.1031675232@kanga.nu> +X-Envelope-To: exmh-users@example.com +From: J C Lawrence +X-Delivery-Agent: TMDA/0.58 +X-Tmda-Fingerprint: IZTwCv6Mb2sWKrZwIYESaf7l9a8 +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 09:27:12 -0700 +X-Spam-Status: No, hits=-16.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Tue, 10 Sep 2002 10:29:26 -0400 +Tom Reingold wrote: +> On Tue, 10 Sep 2002 01:20:56 PDT, J C Lawrence wrote: + +>> Ahh. At work we fire people who use Outlook (Literally true: They +>> get escorted to the door, their badge confiscated, and told to return +>> the next day to collect their office contents). + +> Why? What threat does Outlook pose to your organization? + +It places the company, corporate network and data at risk. + +Outlook is subject to an (absurdly large) number of exploits with more +being regularly found. An exploited system, to whatever extent, places +other corporate systems at risk, customer systems at risk, company +reputation and liability with customers at risk, and +proprietary/corporate data at risk. Further, users cannot be reliably +expected to use Outlook in a safe manner. The net result is that +Outlook use is considered to be somewhere between criminal negligence +and deliberately malicious as far as the employer is concerned. + +>> Have you looked into using a custom sequences file? + +> More detail please? I do use sequences, so I'm familiar with their +> use, but how can I make indices with them, and how can I keep them up +> to date? + +I don't use custom sequences, so I can't comment well. I suspect that +you'd have to use a cron job to maintain the sequences. + +>> The only thing I actually miss in that regard is support for S/MIME. + +> You're probably running exmh on a local machine. I'm running it on a +> very remote machine. In this scenario, the mime handling is weak. + +Nope. I run exmh on my desktops at home and at work with the resulting +exmh windows being displayed on both my work and home desktops (gratis +SSH X11 forwarding). In fact, your message was read and replied to +(this message) while at work, using an exmh instance running on my home +machine. + +-- +J C Lawrence +---------(*) Satan, oscillate my metallic sonatas. +claw@kanga.nu He lived as a devil, eh? +http://www.kanga.nu/~claw/ Evil is a name of a foeman, as I live. + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1075.3de216ecf7ce7145a20445d504976e2d b/machine-learning-ex6/ex6/easy_ham/1075.3de216ecf7ce7145a20445d504976e2d new file mode 100644 index 0000000..f8be249 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1075.3de216ecf7ce7145a20445d504976e2d @@ -0,0 +1,143 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:42:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2AB1316F03 + for ; Wed, 11 Sep 2002 13:42:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:42:07 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AIwYC12426 for + ; Tue, 10 Sep 2002 19:58:34 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id DAA593ED6C; Tue, 10 Sep 2002 + 14:58:48 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx2.corp.example.com (nat-pool-rdu-dmz.example.com + [172.16.52.200]) by listman.redhat.com (Postfix) with ESMTP id D850E40193 + for ; Tue, 10 Sep 2002 14:00:34 -0400 (EDT) +Received: (from mail@localhost) by int-mx2.corp.example.com (8.11.6/8.11.6) + id g8AFvEN06460 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 11:57:14 -0400 +Received: from mx2.example.com ([172.16.26.25]) by int-mx2.corp.example.com + (8.11.6/8.11.6) with SMTP id g8AFvDd06453 for ; + Tue, 10 Sep 2002 11:57:14 -0400 +Received: from postal3.es.net (postal3.es.net [198.128.3.207]) by + mx2.redhat.com (8.11.6/8.11.6) with SMTP id g8AFews27980 for + ; Tue, 10 Sep 2002 11:40:59 -0400 +Received: from ptavv.es.net ([198.128.4.29]) by postal3.es.net (Postal + Node 3) with ESMTP id GQF37091; Tue, 10 Sep 2002 08:56:48 -0700 +Received: from ptavv (localhost [127.0.0.1]) by ptavv.es.net (Postfix) + with ESMTP id 0B7FF5D04; Tue, 10 Sep 2002 08:56:47 -0700 (PDT) +To: exmh-users@example.com +Cc: Rick Baartman +Subject: Re: Sorting +In-Reply-To: Your message of + "Mon, 09 Sep 2002 22:06:58 CDT." + <3642.1031627218@dimebox> +MIME-Version: 1.0 (generated by tm-edit 1.8) +Content-Type: multipart/mixed; boundary="Multipart_Tue_Sep_10_08:56:11_2002-1" +Content-Transfer-Encoding: 7bit +From: "Kevin Oberman" +Message-Id: <20020910155647.0B7FF5D04@ptavv.es.net> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 08:56:47 -0700 +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--Multipart_Tue_Sep_10_08:56:11_2002-1 +Content-Type: text/plain; charset=US-ASCII + +> From: Hal DeVore +> Sender: exmh-users-admin@example.com +> Date: Mon, 09 Sep 2002 22:06:58 -0500 +> +> +> +> >>>>> On Mon, 9 Sep 2002, "Rick" == Rick Baartman wrote: +> +> Rick> This is dangerous; I have to remember to re-scan each +> Rick> folder I enter. Is there a safeguard for this? +> +> Nope. Regenerate the cache in the script +> +> for f in `folders -fast -r` +> do +> echo sorting $f ... +> sortm +$f +> scan `mhpath +`/$f/.xmhcache +> done +> +> --Hal + +Here is the little script I run I run nightly from cron. It does a +general tidying of things including sorting and updating the cache. + +I didn't write it and I'm afraid I have lost track of who did, but +it's worked well for years. I run a similar one to update the glimpse +indices nightly. + +R. Kevin Oberman, Network Engineer +Energy Sciences Network (ESnet) +Ernest O. Lawrence Berkeley National Laboratory (Berkeley Lab) +E-mail: oberman@es.net Phone: +1 510 486-8634 + + +--Multipart_Tue_Sep_10_08:56:11_2002-1 +Content-Type: application/octet-stream +Content-Disposition: attachment; filename="swasort" +Content-Transfer-Encoding: 7bit + +#!/bin/tcsh -f +# +# Sorts all folders +# +# We don't want to sort the drafts folder (and the folders ~/Mail/.glimpse/) +# +# default field to sort .: date +# default scan width ....: 100 +# +set MH_DIR=/usr/local/nmh/bin +set MAIL=/home/oberman/Mail + +# update $MAIL/.folders +$MH_DIR/folders -fast -recurse -all > $MAIL/.folders + +# thru all folders ... +foreach i ( `cat $MAIL/.folders | grep -v \.glim | grep -v drafts` ) + + # sort the stuff + $MH_DIR/mh/sortm +$i -datefield date >& /dev/null + + # and update the cache + $MH_DIR/scan +$i -width 100 > $MAIL/$i/.xmhcache +end + +--Multipart_Tue_Sep_10_08:56:11_2002-1-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1076.da788224ea4526c1e8e2a5840c9acf73 b/machine-learning-ex6/ex6/easy_ham/1076.da788224ea4526c1e8e2a5840c9acf73 new file mode 100644 index 0000000..02795d5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1076.da788224ea4526c1e8e2a5840c9acf73 @@ -0,0 +1,89 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:42:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0166F16F03 + for ; Wed, 11 Sep 2002 13:42:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:42:12 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AJ3lC12717 for + ; Tue, 10 Sep 2002 20:03:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 02ABB40AD6; Tue, 10 Sep 2002 + 15:00:37 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx2.corp.example.com (nat-pool-rdu-dmz.example.com + [172.16.52.200]) by listman.redhat.com (Postfix) with ESMTP id 27E20402CD + for ; Tue, 10 Sep 2002 14:01:09 -0400 (EDT) +Received: (from mail@localhost) by int-mx2.corp.example.com (8.11.6/8.11.6) + id g8AFXuT02956 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 11:33:56 -0400 +Received: from mx2.example.com ([172.16.26.25]) by int-mx2.corp.example.com + (8.11.6/8.11.6) with SMTP id g8AFXtd02947 for ; + Tue, 10 Sep 2002 11:33:56 -0400 +Received: from whatexit.org (postfix@whatexit.org [64.7.3.122]) by + mx2.redhat.com (8.11.6/8.11.6) with SMTP id g8AFHfs24010 for + ; Tue, 10 Sep 2002 11:17:41 -0400 +Received: from joisey.whatexit.org (localhost [127.0.0.1]) by whatexit.org + (Postfix) with ESMTP id 093F2A7 for ; + Tue, 10 Sep 2002 11:29:59 -0400 (EDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.3 +To: exmh-users@example.com +Subject: Re: Sorting +From: Tom Reingold +X-Uri: http://whatexit.org/~tommy +X-Image-Url: http://whatexit.org/~tommy/zombie.gif +In-Reply-To: Message from James Gibbon of Tue, + 10 Sep 2002 15:43:32 BST <200209101443.g8AEhWS17947@localhost.localdomain> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <20020910152959.093F2A7@whatexit.org> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 11:29:58 -0400 +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +On Tue, 10 Sep 2002 15:43:32 BST, + James Gibbon wrote: + +> +> Tom Reingold wrote: +> +> > Why? What threat does Outlook pose to your organization? +> > +> +> It has been described as "the technological equivalent of +> soliciting blood transfusions from random strangers in the +> street". In short - it's a virus magnet. + +Oh, that. Well, you're right. + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1077.5967a2892063a3470f32596403b095aa b/machine-learning-ex6/ex6/easy_ham/1077.5967a2892063a3470f32596403b095aa new file mode 100644 index 0000000..6473022 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1077.5967a2892063a3470f32596403b095aa @@ -0,0 +1,86 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:42:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1996C16F03 + for ; Wed, 11 Sep 2002 13:42:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:42:15 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AKN8C15441 for + ; Tue, 10 Sep 2002 21:23:12 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id A3FE7410FC; Tue, 10 Sep 2002 + 16:22:25 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 990B440CC2 + for ; Tue, 10 Sep 2002 15:16:25 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8AJGKj31072 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 15:16:20 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8AJGKk31068 for + ; Tue, 10 Sep 2002 15:16:20 -0400 +Received: from shelob.ce.ttu.edu (IDENT:root@shelob.ce.ttu.edu + [129.118.20.23]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8AIxww24664 for ; Tue, 10 Sep 2002 14:59:58 -0400 +Received: from shelob.ce.ttu.edu (IDENT:thompson@localhost [127.0.0.1]) by + shelob.ce.ttu.edu (8.11.6/8.11.6) with ESMTP id g8AJGJd17943 for + ; Tue, 10 Sep 2002 14:16:19 -0500 +Message-Id: <200209101916.g8AJGJd17943@shelob.ce.ttu.edu> +X-Mailer: exmh version 2.3.1 01/18/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Your message of + "Tue, 10 Sep 2002 09:27:12 PDT." + <1528.1031675232@kanga.nu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: "David B. Thompson" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 14:16:19 -0500 +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> > You're probably running exmh on a local machine. I'm running it on a +> > very remote machine. In this scenario, the mime handling is weak. +> +> Nope. I run exmh on my desktops at home and at work with the resulting +> exmh windows being displayed on both my work and home desktops (gratis +> SSH X11 forwarding). + +I run exmh routinely from home (broadband) using an XWindows Client tunneled through ssh under WinXP. It works very well in this fashion. + +FWIW, I use Eudora under Winder$ because it's less of a virus magnet. :) + +There's more to the story why I run Winder$, but that's really off-topic and I'm already guilty! + +-=d + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1078.f47613951afe10b6b663ee4e16816072 b/machine-learning-ex6/ex6/easy_ham/1078.f47613951afe10b6b663ee4e16816072 new file mode 100644 index 0000000..eaa9774 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1078.f47613951afe10b6b663ee4e16816072 @@ -0,0 +1,117 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:43:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2154316F03 + for ; Wed, 11 Sep 2002 13:43:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:43:12 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ALpkC18012 for + ; Tue, 10 Sep 2002 22:51:46 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 029BA403DD; Tue, 10 Sep 2002 + 17:42:14 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 613AE3FEC0 + for ; Tue, 10 Sep 2002 17:32:00 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8ALVts11608 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 17:31:55 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8ALVtk11604 for + ; Tue, 10 Sep 2002 17:31:55 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8ALFWw31621 for + ; Tue, 10 Sep 2002 17:15:32 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + RAA22275 for ; Tue, 10 Sep 2002 17:31:48 -0400 +Message-Id: <200209102131.RAA22275@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: <200209092354.g89Ns8g04304@lin12.triumf.ca> +References: <200209092111.g89LBH703076@lin12.triumf.ca> + + <200209092354.g89Ns8g04304@lin12.triumf.ca> +Comments: In-reply-to Rick Baartman message + dated "Mon, 09 Sep 2002 16:54:08 -0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 14:31:48 -0700 +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +There is an "Update all scan caches" menu entry that rescans your +folders similar to the short scripts folks have shared around. It +runs in the background. + +>>>Rick Baartman said: + > > > On Mon, 9 Sep 2002, Rick Baartman wrote: + > > Thanks Tom and Jacob. The above works, but without the double quotes: +i.e. + + > > + > > sh -c 'for f in `folders -recurse -fast` ; do sortm +"$f" ; done' + > > + > But there is a problem with making changes outside of exmh: the +.xmhcache fi + les + > don't get updated. This is dangerous; I have to remember to re-scan each +fol + der + > I enter. Is there a safeguard for this? + > + > -- + > rick + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1079.3d222257b98d7d58a0f970d101be3ad7 b/machine-learning-ex6/ex6/easy_ham/1079.3d222257b98d7d58a0f970d101be3ad7 new file mode 100644 index 0000000..69dd52b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1079.3d222257b98d7d58a0f970d101be3ad7 @@ -0,0 +1,131 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:43:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2AB3B16F03 + for ; Wed, 11 Sep 2002 13:43:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:43:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ANPeC21575 for + ; Wed, 11 Sep 2002 00:25:40 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2306C3EA4B; Tue, 10 Sep 2002 + 19:26:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C74863EAE7 + for ; Tue, 10 Sep 2002 19:25:17 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8ANPCU07117 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 19:25:12 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8ANPCk07113 for + ; Tue, 10 Sep 2002 19:25:12 -0400 +Received: from ka.graffl.net (ka.graffl.net [193.154.165.8]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8AN8kw23931 for + ; Tue, 10 Sep 2002 19:08:48 -0400 +Received: from fsck.waldner.priv.at (fsck.waldner.priv.at + [213.225.31.166]) by ka.graffl.net (8.12.3/8.12.3/Debian -4) with ESMTP id + g8ANP2Cn029488 for ; Wed, 11 Sep 2002 01:25:02 + +0200 +Received: from fsck.intern.waldner.priv.at (localhost [127.0.0.1]) by + fsck.waldner.priv.at (8.12.3/8.12.3/Debian -4) with ESMTP id + g8ANP2M3022605 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 + verify=OK) for ; Wed, 11 Sep 2002 01:25:02 +0200 +Received: (from waldner@localhost) by fsck.intern.waldner.priv.at + (8.12.3/8.12.3/Debian -4) id g8ANP2KX022602 for exmh-users@redhat.com; + Wed, 11 Sep 2002 01:25:02 +0200 +Message-Id: <200209102325.g8ANP2KX022602@fsck.intern.waldner.priv.at> +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Your message of + "Tue, 10 Sep 2002 09:27:12 PDT." + <1528.1031675232@kanga.nu> +From: Robert Waldner +X-Organization: Bah. Speaking only for me humble self. +X-GPG: telnet fsck.waldner.priv.at for public key +X-GPG-Fingerprint: 406F 241A 9E21 CF92 1DED A0A8 1343 7348 9AF9 DE82 +X-GPG-Keyid: 0x9AF9DE82 +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----------=_1031700302-417-36"; + micalg="pgp-sha1"; + protocol="application/pgp-signature" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 01:24:46 +0200 +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +It has been signed conforming to RFC2015. +You'll need PGP or GPG to check the signature. + +------------=_1031700302-417-36 +Content-Type: text/plain; charset=us-ascii + + +On Tue, 10 Sep 2002 09:27:12 PDT, J C Lawrence writes: +>I run exmh on my desktops at home and at work with the resulting +>exmh windows being displayed on both my work and home desktops (gratis +>SSH X11 forwarding). In fact, your message was read and replied to +>(this message) while at work, using an exmh instance running on my home +>machine. + +So you have 4 copies (1+1 per desktop) of exmh running? + +That's what I usually do, but what I'd really like would be some + automagism to tell them "Flist", "Rescan Folder", which I now do + manually whenever I'm going to work at the "other" machine. + +cheers, +&rw +-- +-- In the first place, God made idiots; +-- though this was for practice only; +-- then he made users. (Mark Twain, modified) + + + +------------=_1031700302-417-36 +Content-Type: application/pgp-signature; name="signature.ng" +Content-Disposition: inline; filename="signature.ng" +Content-Transfer-Encoding: 7bit + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9fn9OE0NzSJr53oIRAkEtAJwLbcoH2lx/CnhG/eQN1mJMDqnO7wCeLrKo +wFXc+1hVHd8T3cQZbbOYeUk= +=40Qu +-----END PGP SIGNATURE----- + +------------=_1031700302-417-36-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1080.8b94422c246c5503b91521d41d552bdc b/machine-learning-ex6/ex6/easy_ham/1080.8b94422c246c5503b91521d41d552bdc new file mode 100644 index 0000000..740e667 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1080.8b94422c246c5503b91521d41d552bdc @@ -0,0 +1,98 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:43:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6806516F03 + for ; Wed, 11 Sep 2002 13:43:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:43:25 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ANseC22497 for + ; Wed, 11 Sep 2002 00:54:41 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 64F893EA8B; Tue, 10 Sep 2002 + 19:55:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 8D8613EA78 + for ; Tue, 10 Sep 2002 19:54:45 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8ANsem12415 for exmh-users@listman.redhat.com; Tue, 10 Sep 2002 + 19:54:40 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8ANsek12411 for + ; Tue, 10 Sep 2002 19:54:40 -0400 +Received: from lin12.triumf.ca + (IDENT:DxS4pR8U5YoPdULv16q3n6j+mSk51O0Y@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8ANcGw29293 for + ; Tue, 10 Sep 2002 19:38:16 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g8ANscL17172 for ; + Tue, 10 Sep 2002 16:54:38 -0700 +Message-Id: <200209102354.g8ANscL17172@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: <200209102131.RAA22275@blackcomb.panasas.com> +References: <200209102131.RAA22275@blackcomb.panasas.com> + <200209092111.g89LBH703076@lin12.triumf.ca> + + <200209092354.g89Ns8g04304@lin12.triumf.ca> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 10 Sep 2002 16:54:38 -0700 +X-Spam-Status: No, hits=-9.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Thanks Brent: now it's clearer (to me) what's needed. I've used the global +sort and J C Lawrence's re-scan, but there is still a vulnerability there: +If I have an instance of exmh running, the folder I'm visiting will have +its new, correct .xmhcache overwritten with an incorrect one when I switch +folders. I can cron the sort and re-scan process, but I should kill running +exmh's first. + +Best would be to have a button for "Global sort and update all scan caches" +in the exmh More... menu + +-- +rick + +>>>>> "Brent" == Brent Welch +>>>>> wrote the following on Tue, 10 Sep 2002 14:31:48 -0700 + + Brent> There is an "Update all scan caches" menu entry that rescans your + Brent> folders similar to the short scripts folks have shared around. It + Brent> runs in the background. + + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1081.8c0f0b598d40adc80393d5d049a2a1f1 b/machine-learning-ex6/ex6/easy_ham/1081.8c0f0b598d40adc80393d5d049a2a1f1 new file mode 100644 index 0000000..b7caf67 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1081.8c0f0b598d40adc80393d5d049a2a1f1 @@ -0,0 +1,113 @@ +From exmh-users-admin@redhat.com Wed Sep 11 13:43:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BFA5B16F03 + for ; Wed, 11 Sep 2002 13:43:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:43:46 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8B82rC06745 for + ; Wed, 11 Sep 2002 09:02:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 531063ED40; Wed, 11 Sep 2002 + 03:56:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 98B603ED40 + for ; Wed, 11 Sep 2002 03:55:30 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8B7tPk11473 for exmh-users@listman.redhat.com; Wed, 11 Sep 2002 + 03:55:25 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8B7tPk11468 for + ; Wed, 11 Sep 2002 03:55:25 -0400 +Received: from dingo.home.kanga.nu (ocker.kanga.nu [198.144.204.213]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8B7cuw23656 for + ; Wed, 11 Sep 2002 03:38:57 -0400 +Received: from localhost ([127.0.0.1] helo=dingo.home.kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17p2L6-0002bM-00 + for ; Wed, 11 Sep 2002 00:55:08 -0700 +Received: from localhost ([127.0.0.1] helo=kanga.nu) by + dingo.home.kanga.nu with esmtp (Exim 3.35 #1 (Debian)) id 17p2L6-0002bF-00 + for ; Wed, 11 Sep 2002 00:55:08 -0700 +To: exmh-users@example.com +Subject: Re: Sorting +In-Reply-To: Message from Robert Waldner of + "Wed, 11 Sep 2002 01:24:46 +0200." + <200209102325.g8ANP2KX022602@fsck.intern.waldner.priv.at> +References: <200209102325.g8ANP2KX022602@fsck.intern.waldner.priv.at> +X-Face: ?^_yw@fA`CEX&}--=*&XqXbF-oePvxaT4(kyt\nwM9]{]N!>b^K}-Mb9 + YH%saz^>nq5usBlD"s{(.h'_w|U^3ldUq7wVZz$`u>MB(-4$f\a6Eu8.e=Pf\ +X-Image-Url: http://www.kanga.nu/~claw/kanga.face.tiff +X-Url: http://www.kanga.nu/~claw/ +Message-Id: <9996.1031730908@kanga.nu> +X-Envelope-To: exmh-users@example.com +From: J C Lawrence +X-Delivery-Agent: TMDA/0.58 +X-Tmda-Fingerprint: HP7OLOKowRnJvfkYd/QjGfm15K4 +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 00:55:08 -0700 +X-Spam-Status: No, hits=-16.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Wed, 11 Sep 2002 01:24:46 +0200 +Robert Waldner wrote: +> On Tue, 10 Sep 2002 09:27:12 PDT, J C Lawrence writes: + +>> I run exmh on my desktops at home and at work with the resulting exmh +>> windows being displayed on both my work and home desktops (gratis SSH +>> X11 forwarding). In fact, your message was read and replied to (this +>> message) while at work, using an exmh instance running on my home +>> machine. + +> So you have 4 copies (1+1 per desktop) of exmh running? + +Yes. + +One of the nicer aspects of exmh's colour handling is that while I have +the default background for the message pane set to black, the second +insance of exmh displaying to a given $DISPLAY will set the background +of the message pane to darkslategray. Very nice as it provides an +instant visual cue as to which is which. (No: I've not checked where it +gets that colour selection from). + +> That's what I usually do, but what I'd really like would be some +> automagism to tell them "Flist", "Rescan Folder", which I now do +> manually whenever I'm going to work at the "other" machine. + + + +-- +J C Lawrence +---------(*) Satan, oscillate my metallic sonatas. +claw@kanga.nu He lived as a devil, eh? +http://www.kanga.nu/~claw/ Evil is a name of a foeman, as I live. + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1082.9739a457291bc5f545b370052a6da3c8 b/machine-learning-ex6/ex6/easy_ham/1082.9739a457291bc5f545b370052a6da3c8 new file mode 100644 index 0000000..bb16862 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1082.9739a457291bc5f545b370052a6da3c8 @@ -0,0 +1,102 @@ +From exmh-users-admin@redhat.com Wed Sep 11 16:03:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1B88116F20 + for ; Wed, 11 Sep 2002 16:03:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 16:03:21 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BDRcC16348 for + ; Wed, 11 Sep 2002 14:27:38 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 814B54002C; Wed, 11 Sep 2002 + 09:28:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A065D3F65F + for ; Wed, 11 Sep 2002 09:27:36 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BDRVS32571 for exmh-users@listman.redhat.com; Wed, 11 Sep 2002 + 09:27:31 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BDRVk32567 for + ; Wed, 11 Sep 2002 09:27:31 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8BDB4w09569 for ; Wed, 11 Sep 2002 09:11:05 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 143BB38DA9; + Wed, 11 Sep 2002 08:27:30 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 069E838DA2 for ; + Wed, 11 Sep 2002 08:27:30 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <9996.1031730908@kanga.nu> +References: <200209102325.g8ANP2KX022602@fsck.intern.waldner.priv.at> + <9996.1031730908@kanga.nu> +Comments: In-reply-to J C Lawrence message dated "Wed, 11 + Sep 2002 00:55:08 -0700." +To: exmh-users@example.com +Subject: Re: Sorting +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <14343.1031750844@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 08:27:24 -0500 +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_03_05,WORK_AT_HOME,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>> I run exmh on my desktops at home and at work with the resulting exmh +>> windows being displayed on both my work and home desktops (gratis SSH +>> X11 forwarding). In fact, your message was read and replied to (this +>> message) while at work, using an exmh instance running on my home +>> machine. + +Just to throw in another approach to solving the same problem. + +I run two copies of exmh, one at work, one at home. They both +display on a "virtual X server" created by vncserver on the home +box. I connect to that virtual X server using vncviewer wherever +I happen to be. The VNC connection is tunneled over ssh and is +carried over the Internet via an IPSEC appliance. + +That gives me access to both home and work email from either +place without the complications involved in having two copies of +exmh working on the same set of folders. + +It's a tad slow viewing work email when I'm at work ... but not +so bad that I can't stand it. + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1083.cd4daaf03a683446a6c47fdc2c5eda7e b/machine-learning-ex6/ex6/easy_ham/1083.cd4daaf03a683446a6c47fdc2c5eda7e new file mode 100644 index 0000000..4cbc967 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1083.cd4daaf03a683446a6c47fdc2c5eda7e @@ -0,0 +1,118 @@ +From exmh-workers-admin@redhat.com Wed Sep 11 20:26:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E6F2A16F03 + for ; Wed, 11 Sep 2002 20:26:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 20:26:50 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BJI8C28223 for + ; Wed, 11 Sep 2002 20:18:09 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 193B13FD11; Wed, 11 Sep 2002 + 15:18:29 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id BA7B73EE17 + for ; Wed, 11 Sep 2002 15:17:54 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BJHna17335 for exmh-workers@listman.redhat.com; Wed, 11 Sep 2002 + 15:17:49 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BJHnk17328 for + ; Wed, 11 Sep 2002 15:17:49 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8BJ1Lw24675 for + ; Wed, 11 Sep 2002 15:01:21 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + PAA02912; Wed, 11 Sep 2002 15:17:34 -0400 +Message-Id: <200209111917.PAA02912@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: Hacksaw +Cc: exmh-workers@example.com +Subject: Re: exmh bug? +In-Reply-To: hacksaw's message of Tue, 10 Sep 2002 19:28:18 -0400. + <200209102328.g8ANSIeP007847@habitrail.home.fools-errant.com> +X-Url: http://www.beedub.com/ +From: Brent Welch +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 12:17:33 -0700 +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + TO_LOCALPART_EQ_REAL,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Hmm - I'm cc'ing the exmh-workers list, because I really don't know +much about the various PGP interfaces. I think there has been some +talk about "issues" with the latest version of gpg. + +>>>Hacksaw said: + > version 2.5 08/15/2002 + > Linux habitrail.home.fools-errant.com 2.4.7-10smp #1 SMP Thu Sep 6 +17:09:31 + > EDT 2001 i686 unknown + > Tk 8.3 Tcl 8.3 + > + > It's not clear to me this is a bug with exmh per se, but it's something +that + + > manifests through exmh, so I figured asking you might help me track it +down. + > + > When I receive a gpg encrypted message, and it asks me for a passphrase, +it + > first tries to ask me via the tty under which exmh is running. It tells +me m + y + > passphrase is incorrect every time, at which point exmh offers me the +line i + n + > the message about decrypting. I click the line and it offers me the +dialog + > box, and tells me the passphrase is correct, and shows me the decrypted + > message. + > + > Any ideas on that? + > -- + > Honour necessity. + > http://www.hacksaw.org -- http://www.privatecircus.com -- KB1FVD + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1084.c773b581863827faac61d6727562dc54 b/machine-learning-ex6/ex6/easy_ham/1084.c773b581863827faac61d6727562dc54 new file mode 100644 index 0000000..d4035ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1084.c773b581863827faac61d6727562dc54 @@ -0,0 +1,127 @@ +From exmh-workers-admin@redhat.com Wed Sep 11 21:29:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 93EE616F03 + for ; Wed, 11 Sep 2002 21:29:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:29:13 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BJrYC29444 for + ; Wed, 11 Sep 2002 20:53:34 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99E4C3F8E1; Wed, 11 Sep 2002 + 15:53:46 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id F27CD3F1F9 + for ; Wed, 11 Sep 2002 15:49:29 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BJnOp25735 for exmh-workers@listman.redhat.com; Wed, 11 Sep 2002 + 15:49:24 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BJnOk25731 for + ; Wed, 11 Sep 2002 15:49:24 -0400 +Received: from mail2.lsil.com (mail2.lsil.com [147.145.40.22]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8BJWsw31928 for + ; Wed, 11 Sep 2002 15:32:54 -0400 +Received: from mhbs.lsil.com (mhbs [147.145.31.100]) by mail2.lsil.com + (8.9.3+Sun/8.9.1) with ESMTP id MAA12062 for ; + Wed, 11 Sep 2002 12:49:10 -0700 (PDT) +From: kchrist@lsil.com +Received: from inca.co.lsil.com by mhbs.lsil.com with ESMTP; + Wed, 11 Sep 2002 12:48:53 -0700 +Received: from flytrap.co.lsil.com (flytrap.co.lsil.com [172.20.3.234]) by + inca.co.lsil.com (8.9.3/8.9.3) with ESMTP id NAA16659; Wed, 11 Sep 2002 + 13:48:52 -0600 (MDT) +Received: from bhuta.co.lsil.com (bhuta [172.20.12.135]) by + flytrap.co.lsil.com (8.9.3+Sun/8.9.1) with ESMTP id NAA20468; + Wed, 11 Sep 2002 13:48:50 -0600 (MDT) +Received: from bhuta (localhost [127.0.0.1]) by bhuta.co.lsil.com + (8.10.2+Sun/8.9.1) with ESMTP id g8BJmed21224; Wed, 11 Sep 2002 13:48:40 + -0600 (MDT) +X-Mailer: exmh version 2.5 07/09/2001 with nmh-1.0.4+dev +To: Hacksaw +Cc: exmh-workers@example.com +Subject: Re: exmh bug? +Reply-To: Kevin.Christian@lsil.com +In-Reply-To: Your message of + "Wed, 11 Sep 2002 12:17:33 PDT." + <200209111917.PAA02912@blackcomb.panasas.com> +References: <200209111917.PAA02912@blackcomb.panasas.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <21222.1031773720@bhuta> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 13:48:40 -0600 +X-Spam-Status: No, hits=-14.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +The way to debug something like this is to turn on the log (Preferences +-> Hacking Support -> Debug log enabled) and track the gpg commands +being issued and the responses. + +FWIW, using exmh 2.5 and gpg 1.0.7 I do not have problems sending +encrypted messages to myself. When I select the message, an xterm +window pops up asking for the passphrase. I don't recall exmh ever +asking me for the passphrase from the tty that started exmh nor from a +dialog box. (But then again, I'm not a heavy gpg user). + +Kevin + +In message <200209111917.PAA02912@blackcomb.panasas.com>, Brent Welch writes: +> Hmm - I'm cc'ing the exmh-workers list, because I really don't know +> much about the various PGP interfaces. I think there has been some +> talk about "issues" with the latest version of gpg. +> +> >>>Hacksaw said: +> > version 2.5 08/15/2002 +> > Linux habitrail.home.fools-errant.com 2.4.7-10smp #1 SMP Thu Sep 6 17:09:31 +> > EDT 2001 i686 unknown +> > Tk 8.3 Tcl 8.3 +> > +> > It's not clear to me this is a bug with exmh per se, but it's something +> > that manifests through exmh, so I figured asking you might help me track +> > it down. +> > +> > When I receive a gpg encrypted message, and it asks me for a passphrase, +> > it first tries to ask me via the tty under which exmh is running. It +> > tells me my passphrase is incorrect every time, at which point exmh +> > offers me the line in the message about decrypting. I click the line +> > and it offers me the dialog box, and tells me the passphrase is correct, +> > and shows me the decrypted message. +> > +> > Any ideas on that? + + + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1085.868ec696162f19a3a6b8993b1d675c5d b/machine-learning-ex6/ex6/easy_ham/1085.868ec696162f19a3a6b8993b1d675c5d new file mode 100644 index 0000000..aeea985 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1085.868ec696162f19a3a6b8993b1d675c5d @@ -0,0 +1,120 @@ +From exmh-workers-admin@redhat.com Wed Sep 11 21:29:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1999E16F03 + for ; Wed, 11 Sep 2002 21:29:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:29:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BJvaC29683 for + ; Wed, 11 Sep 2002 20:57:36 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id E614140976; Wed, 11 Sep 2002 + 15:54:46 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 11AF13F2EE + for ; Wed, 11 Sep 2002 15:52:54 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BJqnR26738 for exmh-workers@listman.redhat.com; Wed, 11 Sep 2002 + 15:52:49 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BJqmk26734 for + ; Wed, 11 Sep 2002 15:52:48 -0400 +Received: from turing-police.cc.vt.edu (turing-police.cc.vt.edu + [128.173.14.107]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8BJaKw00436 for ; Wed, 11 Sep 2002 15:36:20 + -0400 +Received: from turing-police.cc.vt.edu (localhost [127.0.0.1]) by + turing-police.cc.vt.edu (8.12.6.Beta1/8.12.6.Beta1) with ESMTP id + g8BJqPrl020350; Wed, 11 Sep 2002 15:52:25 -0400 +Message-Id: <200209111952.g8BJqPrl020350@turing-police.cc.vt.edu> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4+dev +To: Brent Welch +Cc: Hacksaw , exmh-workers@example.com +Subject: Re: exmh bug? +In-Reply-To: Your message of + "Wed, 11 Sep 2002 12:17:33 PDT." + <200209111917.PAA02912@blackcomb.panasas.com> +From: Valdis.Kletnieks@vt.edu +X-Url: http://black-ice.cc.vt.edu/~valdis/ +X-Face-Viewer: See ftp://cs.indiana.edu/pub/faces/index.html to decode picture +X-Face: 34C9$Ewd2zeX+\!i1BA\j{ex+$/V'JBG#;3_noWWYPa"|,I#`R"{n@w>#:{)FXyiAS7(8t( + ^*w5O*!8O9YTe[r{e%7(yVRb|qxsRYw`7J!`AM}m_SHaj}f8eb@d^L>BrX7iO[ +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_9304186P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 15:52:25 -0400 +X-Spam-Status: No, hits=-10.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,REFERENCES, + SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_9304186P +Content-Type: text/plain; charset=us-ascii + +On Wed, 11 Sep 2002 12:17:33 PDT, Brent Welch said: + +> >>>Hacksaw said: + +> > When I receive a gpg encrypted message, and it asks me for a passphrase, +> it +> > first tries to ask me via the tty under which exmh is running. It tells +> +Hmm.. I've seen the *opposite* issue - if I go to *SEND* a signed message, +sometimes Exmh will put up the dialog box, but fail to set keyboard focus +there, so no passphrase can be entered. Of course, hitting 'return' doesnt +work so you need to click the 'OK' box, at which point it finds that the +passphrase that wasn't entered doesn't work, and asks again, this time with +proper focus set. + +I suspect some variable/codepath is getting hosed for the focus, or possibly +some borkedness with --no-tty and/or --status-fd flags to gnupg. + +/Valdis + +--==_Exmh_9304186P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) +Comment: Exmh version 2.5 07/13/2001 + +iD8DBQE9f575cC3lWbTT17ARApK5AKD+PToDpgdcd0Ore2BwJ1qVakfMDgCcDRsa +HqcPiRZRSxFvAQBe+Ma1qmY= +=lXe4 +-----END PGP SIGNATURE----- + +--==_Exmh_9304186P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1086.b51953361efc50df363334b72a566863 b/machine-learning-ex6/ex6/easy_ham/1086.b51953361efc50df363334b72a566863 new file mode 100644 index 0000000..a3325c4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1086.b51953361efc50df363334b72a566863 @@ -0,0 +1,116 @@ +From exmh-workers-admin@redhat.com Wed Sep 11 21:29:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BA8F516F03 + for ; Wed, 11 Sep 2002 21:29:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:29:18 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BJvlC29695 for + ; Wed, 11 Sep 2002 20:57:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AF63E403DA; Wed, 11 Sep 2002 + 15:58:06 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4C15340E51 + for ; Wed, 11 Sep 2002 15:56:43 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BJucr27588 for exmh-workers@listman.redhat.com; Wed, 11 Sep 2002 + 15:56:38 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BJuck27584 for + ; Wed, 11 Sep 2002 15:56:38 -0400 +Received: from qiclab.scn.rain.com (postfix@qiclab.scn.rain.com + [205.238.26.97]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8BJe9w01356 for ; Wed, 11 Sep 2002 15:40:09 + -0400 +Received: by qiclab.scn.rain.com (Postfix, from userid 177) id 4C64224E158; + Wed, 11 Sep 2002 12:56:36 -0700 (PDT) +>Received: by joseph.doink.com (Postfix, from userid 11334) id 92D352FEAB; + Wed, 11 Sep 2002 12:53:12 -0700 (PDT) +Received: from dOink.COM (localhost [127.0.0.1]) by joseph.doink.com + (Postfix) with ESMTP id 6EB8F4BDC3; Wed, 11 Sep 2002 12:53:12 -0700 (PDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +Cc: Hacksaw , exmh-workers@example.com +X-Message-Flag: After so many viruses, why are you still using Outlook? +X-Priority: 3 +Subject: Re: exmh bug? +In-Reply-To: <200209111917.PAA02912@blackcomb.panasas.com> +MIME-Version: 1.0 +From: Kevin Cosgrove +Message-Id: <20020911195312.92D352FEAB@joseph.doink.com> +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 12:53:10 -0700 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MISSING_HEADERS,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +Gotta wonder what the GPG config stuff in ~/.exmh/exmh-defaults looks +like. Also gotta wonder what the message headers in the offending +message are saying to nmh/exmh. My set-up works perfectly. That is, +I get a pop-up window to enter my passphrase into, and when I type it +correctly, the message display changes from a prompt to click to +decrypt to the message content. + +TTFN.... + +On 11 September 2002 at 12:17, Brent Welch wrote: + +Hmm - I'm cc'ing the exmh-workers list, because I really don't know +much about the various PGP interfaces. I think there has been some +talk about "issues" with the latest version of gpg. + +>>>Hacksaw said: + > version 2.5 08/15/2002 + > Linux habitrail.home.fools-errant.com 2.4.7-10smp #1 SMP Thu Sep 6 17:09:31 + > EDT 2001 i686 unknown + > Tk 8.3 Tcl 8.3 + > + > It's not clear to me this is a bug with exmh per se, but it's + > something that manifests through exmh, so I figured asking you + > might help me track it down. + > + > When I receive a gpg encrypted message, and it asks me for a + > passphrase, it first tries to ask me via the tty under which + > exmh is running. It tells me my passphrase is incorrect every + > time, at which point exmh offers me the line in the message + > about decrypting. I click the line and it offers me the dialog + > box, and tells me the passphrase is correct, and shows me the + > decrypted message. + > + > Any ideas on that? + > -- + > Honour necessity. + > http://www.hacksaw.org -- http://www.privatecircus.com -- KB1FVD + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1087.512badc5c555eb050c83ceb7faef9b61 b/machine-learning-ex6/ex6/easy_ham/1087.512badc5c555eb050c83ceb7faef9b61 new file mode 100644 index 0000000..23afad8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1087.512badc5c555eb050c83ceb7faef9b61 @@ -0,0 +1,160 @@ +From exmh-workers-admin@redhat.com Wed Sep 11 21:52:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2055B16F03 + for ; Wed, 11 Sep 2002 21:52:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:52:08 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8BKhcC31373 for + ; Wed, 11 Sep 2002 21:43:38 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0312B408EB; Wed, 11 Sep 2002 + 16:42:45 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A11BB3F5C6 + for ; Wed, 11 Sep 2002 16:41:37 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8BKfWH05116 for exmh-workers@listman.redhat.com; Wed, 11 Sep 2002 + 16:41:32 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8BKfWk05112 for + ; Wed, 11 Sep 2002 16:41:32 -0400 +Received: from qiclab.scn.rain.com (postfix@qiclab.scn.rain.com + [205.238.26.97]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8BKP3w11308 for ; Wed, 11 Sep 2002 16:25:03 + -0400 +Received: by qiclab.scn.rain.com (Postfix, from userid 177) id DBB6324E06A; + Wed, 11 Sep 2002 13:41:30 -0700 (PDT) +>Received: by joseph.doink.com (Postfix, from userid 11334) id 348DD2FEAB; + Wed, 11 Sep 2002 13:26:30 -0700 (PDT) +Received: from dOink.COM (localhost [127.0.0.1]) by joseph.doink.com + (Postfix) with ESMTP id 113BA4BDC3; Wed, 11 Sep 2002 13:26:30 -0700 (PDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Hacksaw +Cc: exmh-workers@example.com +Reply-To: exmh-workers@example.com +X-Message-Flag: After so many viruses, why are you still using Outlook? +X-Priority: 3 +Subject: Re: exmh bug? +In-Reply-To: <200209112011.g8BKB71c016315@habitrail.home.fools-errant.com> +MIME-Version: 1.0 +From: Kevin Cosgrove +Message-Id: <20020911202630.348DD2FEAB@joseph.doink.com> +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 13:26:27 -0700 +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,HOT_NASTY,IN_REP_TO, + KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL, + X_LOOP + version=2.50-cvs +X-Spam-Level: + + +Here's a message that works fine for me: + + + +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: kevinc@doink.com +Subject: gpg test +Mime-Version: 1.0 +Content-Type: text/x-pgp; format=mime; x-action=encrypt; + x-recipients="D165C0CC, D165C0CC" +Content-Transfer-Encoding: 7bit +Date: Wed, 11 Sep 2002 13:18:58 -0700 +From: Kevin Cosgrove +Message-Id: <20020911201900.492892FEAB@joseph.doink.com> +X-Spam-Status: No, hits=-1.3 required=5.0 tests=AWL version=2.11 + +-----BEGIN PGP MESSAGE----- +Version: GnuPG v1.0.7 (GNU/Linux) +Comment: Exmh version 2.5 10/15/1999 + +blah, blah, blah + +-----END PGP MESSAGE----- + + + + + +It could be that your content type of text/plain is messing you up. +Your config stuff looks substantially the same as mine. + +Cheers.... + + + + + + + +On 11 September 2002 at 16:11, Hacksaw wrote: + +You may assume the X's were originally a valid address. + +X-em-version: 5, 0, 0, 4 +X-em-registration: #01E0520310450300B900 +X-priority: 3 +X-mailer: My Own Email v4.00 +Mime-version: 1.0 +Content-type: text/plain; charset=US-ASCII +Subject: Discussion +From: "XXXXXXX" +Date: Tue, 10 Sep 2002 05:47:46 -0500 (06:47 EDT) +To: hacksaw@hacksaw.org + + +*gpgRfc822: 0 +*gpgChooseKey: 1 +*gpgRunTwice: 1 +*gpgCacheIds: persistent +*gpgMinMatch: 75 +*gpgShowInline: none +*gpgShortMessages: 1 +*gpgAutoExtract: 1 +*gpgKeyServer: pgp-public-keys@keys.pgp.net +*gpgKeyQueryMethod: hkp +*gpgHKPKeyServerUrl: keys.pgp.com +*gpgKeyServerURL: http://www-swiss.ai.mit.edu/htbin/pks-extract-key.pl?op +=get&search=0x%s +*gpgKeyOtherMethod: exec echo "can't find $id" > $tmp +*gpgComment: Exmh version 2.5 08/15/2002 +*gpgModulePath: /usr/lib/gnupg +*gpgCipherMods: skipjack idea +*gpgDigestMods: tiger +*gpgPubkeyMods: rsa +*gpgPgp5Compatibility: 1 +*gpgCipherAlgo: 3des +*gpgDigestAlgo: sha1 +*gpgCompressAlgo: zip + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1088.3386ac349cead5b5be4f4fad8ed998c1 b/machine-learning-ex6/ex6/easy_ham/1088.3386ac349cead5b5be4f4fad8ed998c1 new file mode 100644 index 0000000..1bee675 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1088.3386ac349cead5b5be4f4fad8ed998c1 @@ -0,0 +1,85 @@ +From exmh-users-admin@redhat.com Thu Sep 12 14:01:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 947EE16F03 + for ; Thu, 12 Sep 2002 14:01:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 14:01:40 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8C2LhC13465 for + ; Thu, 12 Sep 2002 03:21:43 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id A81BC3F7F8; Wed, 11 Sep 2002 + 22:22:04 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D92653F7F8 + for ; Wed, 11 Sep 2002 22:21:59 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8C2LsK04918 for exmh-users@listman.redhat.com; Wed, 11 Sep 2002 + 22:21:54 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8C2Lsk04912 for + ; Wed, 11 Sep 2002 22:21:54 -0400 +Received: from garlic.apnic.net (garlic.apnic.net [202.12.29.224]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8C25Nw06472 for + ; Wed, 11 Sep 2002 22:05:23 -0400 +Received: from garlic.apnic.net (localhost [127.0.0.1]) by + garlic.apnic.net (8.11.6/8.11.6) with ESMTP id g8CCJTq17707 for + ; Thu, 12 Sep 2002 12:19:30 GMT +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +From: George Michaelson +To: exmh-users@example.com +Subject: bad focus/click behaviours +In-Reply-To: Your message of + "Wed, 11 Sep 2002 08:27:24 -0500." + <14343.1031750844@dimebox> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <17705.1031833169@garlic.apnic.net> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 12:19:29 +0000 +X-Spam-Status: No, hits=-6.8 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +I am a (tv)twm user. when I snarf text into my mouse cut buffer, and then +attempt to inject it into the exmh input windows for comp/repl, the 'point' +is often an apparently random place in the text pane, not where I think I +have current flashing cursor. + +I usually wipe out any of To:/Subject:/ with the text. Its +often not even beginning of line denoted, ie its an unexplicable number +of char spaces in to the text where it inserts, + +What am I doing wrong in either X, WM, shell, EXMH which is causing this? + +cheers + -George + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1089.8c0c02d20cf78372808b29860b4e406a b/machine-learning-ex6/ex6/easy_ham/1089.8c0c02d20cf78372808b29860b4e406a new file mode 100644 index 0000000..80d0810 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1089.8c0c02d20cf78372808b29860b4e406a @@ -0,0 +1,103 @@ +From exmh-users-admin@redhat.com Thu Sep 12 14:01:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8A8D116F03 + for ; Thu, 12 Sep 2002 14:01:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 14:01:42 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8C3H2C14719 for + ; Thu, 12 Sep 2002 04:17:03 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BE30D4007B; Wed, 11 Sep 2002 + 23:17:23 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9EEE741194 + for ; Wed, 11 Sep 2002 23:15:13 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8C3F8813342 for exmh-users@listman.redhat.com; Wed, 11 Sep 2002 + 23:15:08 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8C3F8k13338 for + ; Wed, 11 Sep 2002 23:15:08 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8C2wcw14812 for + ; Wed, 11 Sep 2002 22:58:38 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + XAA25189 for ; Wed, 11 Sep 2002 23:15:02 -0400 +Message-Id: <200209120315.XAA25189@blackcomb.panasas.com> +X-Mailer: exmh version 2.5.9 07/25/2002 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <17705.1031833169@garlic.apnic.net> +References: <17705.1031833169@garlic.apnic.net> +Comments: In-reply-to George Michaelson message dated + "Thu, 12 Sep 2002 12:19:29 -0000." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=> + r5~UnRml1:4EglY{9B+ :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 11 Sep 2002 20:15:00 -0700 +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +exmh has a funky cut/paste model that is essentially all my fault. +The middle click sets the insert point. If you hate that, go to the +Bindings... Simple Edit preferences window and de-select +"Paste Sets Insert". + +>>>George Michaelson said: + > + > I am a (tv)twm user. when I snarf text into my mouse cut buffer, and then + > attempt to inject it into the exmh input windows for comp/repl, the +'point' + > is often an apparently random place in the text pane, not where I think I + > have current flashing cursor. + > + > I usually wipe out any of To:/Subject:/ with the text. Its + > often not even beginning of line denoted, ie its an unexplicable number + > of char spaces in to the text where it inserts, + > + > What am I doing wrong in either X, WM, shell, EXMH which is causing this? + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1090.9fda543ea022ae10968dd56d2c710b9d b/machine-learning-ex6/ex6/easy_ham/1090.9fda543ea022ae10968dd56d2c710b9d new file mode 100644 index 0000000..3961f4e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1090.9fda543ea022ae10968dd56d2c710b9d @@ -0,0 +1,97 @@ +From exmh-users-admin@redhat.com Thu Sep 12 21:21:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0059816F03 + for ; Thu, 12 Sep 2002 21:21:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 21:21:22 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8CJDmC12084 for + ; Thu, 12 Sep 2002 20:13:49 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C03803FDDE; Thu, 12 Sep 2002 + 15:09:41 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4EEF441687 + for ; Thu, 12 Sep 2002 15:05:53 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8CJ5mD22205 for exmh-users@listman.redhat.com; Thu, 12 Sep 2002 + 15:05:48 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8CJ5lk22201 for + ; Thu, 12 Sep 2002 15:05:47 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g8CInCw15959 for ; + Thu, 12 Sep 2002 14:49:12 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g8CJ40t23726 for + ; Fri, 13 Sep 2002 02:04:00 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g8CJ37821379 for ; + Fri, 13 Sep 2002 02:03:09 +0700 (ICT) +From: Robert Elz +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209120315.XAA25189@blackcomb.panasas.com> +References: <200209120315.XAA25189@blackcomb.panasas.com> + <17705.1031833169@garlic.apnic.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <21377.1031857387@munnari.OZ.AU> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 02:03:07 +0700 +X-Spam-Status: No, hits=-7.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_03_05,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Wed, 11 Sep 2002 20:15:00 -0700 + From: Brent Welch + Message-ID: <200209120315.XAA25189@blackcomb.panasas.com> + + | exmh has a funky cut/paste model that is essentially all my fault. + | The middle click sets the insert point. If you hate that, go to the + | Bindings... Simple Edit preferences window and de-select + | "Paste Sets Insert". + +Unfortunately, the side effect of that solution is that it is no longer +possible to cut/paste within one sedit window, some intermediate client +always must be used (except in the rare case where you want to select +some text, and then paste it at the same place). + +That's because the click that you have to (with this option) make to set +the insert point, also kills the selection (it ends up reverting to the +last selection made in some other window, or something like that). + +So, the vast majority of people probably want that "Paste Sets Insert" +enabled - that one you can learn to live with, the other is much more +painful. + +kre + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1091.0bade8676340d304cae87dad02efa8ce b/machine-learning-ex6/ex6/easy_ham/1091.0bade8676340d304cae87dad02efa8ce new file mode 100644 index 0000000..833c3bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1091.0bade8676340d304cae87dad02efa8ce @@ -0,0 +1,115 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:34:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 47E4C16F03 + for ; Fri, 13 Sep 2002 13:34:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:34:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8D1UfC27366 for + ; Fri, 13 Sep 2002 02:30:44 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 69E903EB9E; Thu, 12 Sep 2002 + 21:31:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3461B3F7EB + for ; Thu, 12 Sep 2002 21:28:15 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8D1SAK10892 for exmh-users@listman.redhat.com; Thu, 12 Sep 2002 + 21:28:10 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8D1S9k10888 for + ; Thu, 12 Sep 2002 21:28:09 -0400 +Received: from hobbit.linuxworks.com.au + (CPE-203-51-196-87.qld.bigpond.net.au [203.51.196.87]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8D1BWw05803 for ; + Thu, 12 Sep 2002 21:11:32 -0400 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g8D1QUf21470; Fri, 13 Sep 2002 11:26:30 +1000 +Message-Id: <200209130126.g8D1QUf21470@hobbit.linuxworks.com.au.nospam> +To: exmh-users@example.com +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <21377.1031857387@munnari.OZ.AU> of Fri, + Sep 13 02:03:07 2002 +Subject: Re: bad focus/click behaviours +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 11:26:30 +1000 +X-Spam-Status: No, hits=-14.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Fri Sep 13 2002 at 02:03, Robert Elz wrote: + +> Date: Wed, 11 Sep 2002 20:15:00 -0700 +> From: Brent Welch + +> | exmh has a funky cut/paste model that is essentially all my fault. +> | The middle click sets the insert point. If you hate that, go to the +> | Bindings... Simple Edit preferences window and de-select +> | "Paste Sets Insert". +> +> Unfortunately, the side effect of that solution is that it is no longer +> possible to cut/paste within one sedit window, some intermediate client +> always must be used (except in the rare case where you want to select +> some text, and then paste it at the same place). + +> So, the vast majority of people probably want that "Paste Sets Insert" +> enabled - that one you can learn to live with, the other is much more +> painful. + +For a long time I have used an external editor with exmh (gvim). + +I can cut'n'paste from exmh's message display window into spawned +gvim processes, but not into anything else. + +This is VERY annoying. + + (I have to look at the message with cat or less or whatever in a + terminal window if I want to do this - which is quite often. And + if the message is q-p encoded or a non-text/plain mime type, I end + up with all that raw garbage too). + +Anyway to fix this? + +(BTW: standard i386 redhat7.3) + +Thanks. + +> kre + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1092.8d0dea0481c9364381de6277614ac9bf b/machine-learning-ex6/ex6/easy_ham/1092.8d0dea0481c9364381de6277614ac9bf new file mode 100644 index 0000000..ca8a242 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1092.8d0dea0481c9364381de6277614ac9bf @@ -0,0 +1,101 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:35:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F2C0716F03 + for ; Fri, 13 Sep 2002 13:35:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:35:07 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8D2ZuC29994 for + ; Fri, 13 Sep 2002 03:35:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7ED0F3FDA1; Thu, 12 Sep 2002 + 22:34:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 633FA3FC80 + for ; Thu, 12 Sep 2002 22:33:03 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8D2Wwc20428 for exmh-users@listman.redhat.com; Thu, 12 Sep 2002 + 22:32:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8D2Wvk20424 for + ; Thu, 12 Sep 2002 22:32:57 -0400 +Received: from hobbit.linuxworks.com.au + (CPE-203-51-196-87.qld.bigpond.net.au [203.51.196.87]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8D2GKw15477 for ; + Thu, 12 Sep 2002 22:16:20 -0400 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g8D2VO021580; Fri, 13 Sep 2002 12:31:24 +1000 +Message-Id: <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +To: exmh-users@example.com +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <5305.1031637136@munnari.OZ.AU> of Tue, + Sep 10 12:52:16 2002 +Subject: Linking message [was: Re: Patch to complete a change...] +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 12:31:24 +1000 +X-Spam-Status: No, hits=-14.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Tue Sep 10 2002 at 12:52, Robert Elz wrote: + +> Subject: Patch to complete a change... + +> I guess that most of us don't use "link" very often ... I noticed it +> last week, but only got time to look and see why today. + +I would like to use [Link] a lot more, but is it rather +inconvenient. + +I have set my right mouse button to [Move] a message to another +folder, which works fine. + +However, [Link] also uses the same destination folder as [Move], and +so if I want to use [Link] I first have to mark the destination +folder with a message-move, undo the move, then I can use the +[Link]. Very inconvenient. + +Is there a better way for me to set this up so that [Link] works +with one or two simple clicks? + +(In essence: is there a way to mark a destination folder for a +message link or move without actually doing a move or link, I +couldn't see anything obvious). + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1093.b1db4ecf90ab3a08c60b551311c47ed0 b/machine-learning-ex6/ex6/easy_ham/1093.b1db4ecf90ab3a08c60b551311c47ed0 new file mode 100644 index 0000000..769ebd8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1093.b1db4ecf90ab3a08c60b551311c47ed0 @@ -0,0 +1,94 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:35:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B346E16F03 + for ; Fri, 13 Sep 2002 13:35:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:35:10 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8D4R4C01333 for + ; Fri, 13 Sep 2002 05:27:04 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 29EB13F5C3; Fri, 13 Sep 2002 + 00:27:27 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 27D413EA41 + for ; Fri, 13 Sep 2002 00:26:46 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8D4Qe505081 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 00:26:40 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8D4Qek05077 for + ; Fri, 13 Sep 2002 00:26:40 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8D4A3w31410 for ; Fri, 13 Sep 2002 00:10:03 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 1EAB838DA9; + Thu, 12 Sep 2002 23:26:38 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id DD2D438DA7; Thu, 12 Sep 2002 23:26:38 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +References: <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +Comments: In-reply-to Tony Nugent message dated + "Fri, 13 Sep 2002 12:31:24 +1000." +To: Tony Nugent +Cc: exmh-users@example.com +Subject: Re: Linking message [was: Re: Patch to complete a change...] +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <23204.1031891193@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 12 Sep 2002 23:26:33 -0500 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Fri, 13 Sep 2002, "Tony" == Tony Nugent wrote: + + Tony> (In essence: is there a way to mark a destination folder + Tony> for a message link or move without actually doing a move + Tony> or link, I couldn't see anything obvious). + +1) Right click on the folder label in the folder list + +2) In the main window, the "+" key puts you into a "change + folder" mode (the first time you use it after starting exmh), + hit a second + and you go to "set a target" mode. Type a few + characters of the folder name and hit space for autocomplete. + +--Hal + +How's spring shaping up "down under"? + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1094.01d0cbf9f63dd83cdae62a98ec351d70 b/machine-learning-ex6/ex6/easy_ham/1094.01d0cbf9f63dd83cdae62a98ec351d70 new file mode 100644 index 0000000..574bc4d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1094.01d0cbf9f63dd83cdae62a98ec351d70 @@ -0,0 +1,119 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:35:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5EDF716F03 + for ; Fri, 13 Sep 2002 13:35:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:35:54 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DACnC13369 for + ; Fri, 13 Sep 2002 11:12:50 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 285A13F372; Fri, 13 Sep 2002 + 06:13:12 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A5DDB3F53B + for ; Fri, 13 Sep 2002 06:11:06 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DAB1826852 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 06:11:01 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DAB1k26848 for + ; Fri, 13 Sep 2002 06:11:01 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g8D9sAw16968 for ; + Fri, 13 Sep 2002 05:54:16 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g8DAA6t27100 for + ; Fri, 13 Sep 2002 17:10:09 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g8DA9t826042 for ; + Fri, 13 Sep 2002 17:10:02 +0700 (ICT) +From: Robert Elz +To: exmh-users@example.com +Subject: Re: Linking message [was: Re: Patch to complete a change...] +In-Reply-To: <23204.1031891193@dimebox> +References: <23204.1031891193@dimebox> + <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <26040.1031911795@munnari.OZ.AU> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 17:09:55 +0700 +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_02_03,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Thu, 12 Sep 2002 23:26:33 -0500 + From: Hal DeVore + Message-ID: <23204.1031891193@dimebox> + + | 1) Right click on the folder label in the folder list + +That (the way I have it configured, and it sounds as if the way Tony does +too) just does a move (rather than select as target without moving). + +Of course, if you can manage to get no messages currently selected, then +it works fine. + + | 2) In the main window, the "+" key puts you into a "change + | folder" mode (the first time you use it after starting exmh), + | hit a second + and you go to "set a target" mode. Type a few + | characters of the folder name and hit space for autocomplete. + +This works, but is not nice if you're not using the keyboard, but just +the mouse. + +Tony: I agree - a nice way to link in one click would be good, and should +be easy to add, though currently adding mouse bindings (something like +shift right click would be a good choice) is much harder than adding +key bindings. + +But note there's no need to "undo" - the way I generally use link, if +the desired destination folder isn't the current selected target, is +to right click on the target, which selects it and moves the message, +(and because I have the "automatic move to the next message on move or +link option set) select the message again, and then "Link". + +Exmh only permits one uncomitted action to be selected for a message at a +time, that is, one of delete, move, or link. Selecting any of those +implicitly undoes any previous choice from the three (so you cannot +achieve a "move" by doing a link, then delete, then commit, it needs to +be link, commit, delete, commit). (xmh was just the same there incidentally). + + | How's spring shaping up "down under"? + +No meaningful comment from me, I'm not there at the minute. But I'm told +that where I'm from it is cold, wet, and miserable, though has been better +during the day (sunny days, cold nights) for the past few. In any case, +all of that is a good enough reason to stay away... + +kre + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1095.60cfb65a74ce7c100cb31a7fbada7520 b/machine-learning-ex6/ex6/easy_ham/1095.60cfb65a74ce7c100cb31a7fbada7520 new file mode 100644 index 0000000..a5918d3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1095.60cfb65a74ce7c100cb31a7fbada7520 @@ -0,0 +1,89 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:36:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D097916F03 + for ; Fri, 13 Sep 2002 13:35:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:35:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DAudC14907 for + ; Fri, 13 Sep 2002 11:56:39 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id E901B3ED5E; Fri, 13 Sep 2002 + 06:57:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4E0D53EC06 + for ; Fri, 13 Sep 2002 06:56:24 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DAuJ932477 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 06:56:19 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DAuIk32473 for + ; Fri, 13 Sep 2002 06:56:18 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g8DAdUw22284 for ; + Fri, 13 Sep 2002 06:39:34 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g8DAtbt01502 for + ; Fri, 13 Sep 2002 17:55:50 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g8DAtU826497 for ; + Fri, 13 Sep 2002 17:55:31 +0700 (ICT) +From: Robert Elz +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209130126.g8D1QUf21470@hobbit.linuxworks.com.au.nospam> +References: <200209130126.g8D1QUf21470@hobbit.linuxworks.com.au.nospam> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <26495.1031914530@munnari.OZ.AU> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 17:55:30 +0700 +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Fri, 13 Sep 2002 11:26:30 +1000 + From: Tony Nugent + Message-ID: <200209130126.g8D1QUf21470@hobbit.linuxworks.com.au.nospam> + + | I can cut'n'paste from exmh's message display window into spawned + | gvim processes, but not into anything else. + +That's odd. I cut & paste between all kinds of windows (exmh into +mozilla, xterm, another wish script of mine I use for DNS tasks (but +that one I guess is to be expected) netscape (when I used to use it, +but I suppose it and mozilla are the same codebase, approx) - in fact +I can't thing of anything it fails for, that I have noticed. + +What is an example of an "anything else" that it fails for for you? + +kre + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1096.1ed72c081c54694040d74a28a7d0d8fd b/machine-learning-ex6/ex6/easy_ham/1096.1ed72c081c54694040d74a28a7d0d8fd new file mode 100644 index 0000000..26aba5e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1096.1ed72c081c54694040d74a28a7d0d8fd @@ -0,0 +1,111 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:36:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 568FD16F03 + for ; Fri, 13 Sep 2002 13:36:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:36:09 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DBXaC16246 for + ; Fri, 13 Sep 2002 12:33:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id E67FE3EA26; Fri, 13 Sep 2002 + 07:34:00 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2401C401C5 + for ; Fri, 13 Sep 2002 07:32:15 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DBW9904558 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 07:32:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DBW9k04554 for + ; Fri, 13 Sep 2002 07:32:09 -0400 +Received: from hobbit.linuxworks.com.au + (CPE-203-51-196-87.qld.bigpond.net.au [203.51.196.87]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8DBFTw26632 for ; + Fri, 13 Sep 2002 07:15:29 -0400 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g8DBUZL24217; Fri, 13 Sep 2002 21:30:35 +1000 +Message-Id: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +To: exmh-users@example.com +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <26495.1031914530@munnari.OZ.AU> of Fri, + Sep 13 17:55:30 2002 +Subject: Re: bad focus/click behaviours +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 21:30:34 +1000 +X-Spam-Status: No, hits=-14.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Fri Sep 13 2002 at 17:55, Robert Elz wrote: + +> Date: Fri, 13 Sep 2002 11:26:30 +1000 +> From: Tony Nugent + +> | I can cut'n'paste from exmh's message display window into spawned +> | gvim processes, but not into anything else. +> +> That's odd. I cut & paste between all kinds of windows (exmh into + +Not so odd, this issue came up several weeks ago (with no real +resolution). + +> mozilla, xterm, another wish script of mine I use for DNS tasks (but +> that one I guess is to be expected) netscape (when I used to use it, +> but I suppose it and mozilla are the same codebase, approx) - in fact +> I can't thing of anything it fails for, that I have noticed. +> +> What is an example of an "anything else" that it fails for for you? + +Everything else :) I can't even mark text in an exmh message window +and then paste it into a terminal window, the cut buffer seems to be +completely empty (and its previous contents are no longer there +either). + +> kre + + BTW: talking of spring downunder... I'm in Queensland. It almost + feels like early summer already (winters here are dry and warm, + much better than cold wet miserable Melbourne :-) Despite some + recent rain (first in months), we are already into a drought, with + an El-Nino on the way it is only going to get worse... (the last + one in the 90s caused one of the worst droughts ever seen here in + aussie). + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1097.8c06e645fdaab234454bf0b72217700d b/machine-learning-ex6/ex6/easy_ham/1097.8c06e645fdaab234454bf0b72217700d new file mode 100644 index 0000000..b390524 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1097.8c06e645fdaab234454bf0b72217700d @@ -0,0 +1,95 @@ +From exmh-users-admin@redhat.com Fri Sep 13 13:36:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 20D3316F03 + for ; Fri, 13 Sep 2002 13:36:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:36:15 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DBwbC16917 for + ; Fri, 13 Sep 2002 12:58:41 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 63C7B3F4D0; Fri, 13 Sep 2002 + 07:59:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id BACAA4022B + for ; Fri, 13 Sep 2002 07:58:02 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DBvvg08846 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 07:57:57 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DBvvk08842 for + ; Fri, 13 Sep 2002 07:57:57 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8DBfIw30334 for ; Fri, 13 Sep 2002 07:41:18 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id CDA1F38DA9; + Fri, 13 Sep 2002 06:57:55 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id C2E4E38DA2 for ; + Fri, 13 Sep 2002 06:57:55 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <23204.1031891193@dimebox> +References: <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> + <23204.1031891193@dimebox> +Comments: In-reply-to Hal DeVore message dated "Thu, + 12 Sep 2002 23:26:33 -0500." +To: exmh-users@example.com +Subject: Re: Linking message [was: Re: Patch to complete a change...] +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <25104.1031918270@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 06:57:50 -0500 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +2) In the main window, the "+" key puts you into a "change + folder" mode (the first time you use it after starting exmh), + hit a second + and you go to "set a target" mode. Type a few + characters of the folder name and hit space for autocomplete. + +I should have finished this off. + +3) Keep hitting space to loop thru all the folders that match + the characters you typed. Hit return to actually select the + folder shown in the message area. + +I don't use this for navigating into nested folders as the only +thing I have nested is my archives. Someone else will have to +tell you how to do that if there are any tricks to it. + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1098.0f56b798157b9bd933814ba687e722f1 b/machine-learning-ex6/ex6/easy_ham/1098.0f56b798157b9bd933814ba687e722f1 new file mode 100644 index 0000000..3663c35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1098.0f56b798157b9bd933814ba687e722f1 @@ -0,0 +1,96 @@ +From exmh-users-admin@redhat.com Fri Sep 13 16:49:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 617DC16F03 + for ; Fri, 13 Sep 2002 16:49:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:49:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DEJGC21884 for + ; Fri, 13 Sep 2002 15:19:16 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AF2C03F162; Fri, 13 Sep 2002 + 10:19:11 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3EFD13EA28 + for ; Fri, 13 Sep 2002 10:18:55 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DEIoH01540 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 10:18:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DEInk01536 for + ; Fri, 13 Sep 2002 10:18:49 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8DE29w21593 for ; Fri, 13 Sep 2002 10:02:10 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 1428F38DAB; + Fri, 13 Sep 2002 09:18:46 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 0A90338DA2 for ; + Fri, 13 Sep 2002 09:18:46 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <26040.1031911795@munnari.OZ.AU> +References: <23204.1031891193@dimebox> + <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> + <26040.1031911795@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Fri, + 13 Sep 2002 17:09:55 +0700." +To: exmh-users@example.com +Subject: Re: Linking message [was: Re: Patch to complete a change...] +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <25618.1031926721@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 09:18:41 -0500 +X-Spam-Status: No, hits=-9.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Fri, 13 Sep 2002, "Robert" == Robert Elz wrote: + + Robert> That (the way I have it configured, and it sounds as if + Robert> the way Tony does too) just does a move (rather than + Robert> select as target without moving). + +Ah. I had forgotten that was settable. + +Preferences, Folder Display, "Action when Target Button +clicked..." set to "Select only" will change it. I seem to +recall that the button that is used as "Target button" is +configurable but I haven't had enough caffeine to recall where +that is. + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1099.dc3a681609f628b202e6c832d16c0d4a b/machine-learning-ex6/ex6/easy_ham/1099.dc3a681609f628b202e6c832d16c0d4a new file mode 100644 index 0000000..2c039aa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1099.dc3a681609f628b202e6c832d16c0d4a @@ -0,0 +1,103 @@ +From exmh-users-admin@redhat.com Fri Sep 13 16:50:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3F1E916F03 + for ; Fri, 13 Sep 2002 16:50:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:50:01 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DEShC22227 for + ; Fri, 13 Sep 2002 15:28:44 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id EB4213F138; Fri, 13 Sep 2002 + 10:29:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E0C2B3EC07 + for ; Fri, 13 Sep 2002 10:28:28 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DESNq03491 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 10:28:23 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DESNk03487 for + ; Fri, 13 Sep 2002 10:28:23 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8DEBhw23464 for ; Fri, 13 Sep 2002 10:11:43 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id EB0F338DAB; + Fri, 13 Sep 2002 09:28:20 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id E158E38DA2 for ; + Fri, 13 Sep 2002 09:28:20 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +References: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +Comments: In-reply-to Tony Nugent message dated + "Fri, 13 Sep 2002 21:30:34 +1000." +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <25647.1031927295@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 09:28:15 -0500 +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Fri, 13 Sep 2002, "Tony" == Tony Nugent wrote: + + Tony> I can't even mark text in an exmh message window and then + Tony> paste it into a terminal window, the cut buffer seems to + Tony> be completely empty (and its previous contents are no + Tony> longer there either). + +Brent confessed recently that he had tried to subvert the X +model(s) of copy and paste. Not in those words... but that +was how I read it. ;) + +I have a lot of trouble copying and pasting from or to exmh +across a VNC link (from things in the vncviewer to things not in +it and vice versa). As long as I stick to apps being "normally" +displayed on my X server I don't have much of a problem. + +My recollection from my X programming days is that the X model, +like everything in X, is more complex than the human brain can +handle. It also is very different from the MS-Windows model. +And I get the feeling that Tk tries to "unify" those two models +and fails. Not sure what the exmh-specific contribution to the +confusion is, frankly. + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1100.2a253a3a1ec54d9c7d452ea00834bcad b/machine-learning-ex6/ex6/easy_ham/1100.2a253a3a1ec54d9c7d452ea00834bcad new file mode 100644 index 0000000..0e8c7d7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1100.2a253a3a1ec54d9c7d452ea00834bcad @@ -0,0 +1,125 @@ +From exmh-users-admin@redhat.com Fri Sep 13 16:50:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E42916F03 + for ; Fri, 13 Sep 2002 16:50:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:50:06 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DEkcC22817 for + ; Fri, 13 Sep 2002 15:46:43 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5CA003F4AE; Fri, 13 Sep 2002 + 10:47:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D79F83EF71 + for ; Fri, 13 Sep 2002 10:46:55 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DEkoL07782 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 10:46:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DEkok07778 for + ; Fri, 13 Sep 2002 10:46:50 -0400 +Received: from postal3.es.net (postal3.es.net [198.128.3.207]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8DEUAw27778 for + ; Fri, 13 Sep 2002 10:30:10 -0400 +Received: from ptavv.es.net ([198.128.4.29]) by postal3.es.net (Postal + Node 3) with ESMTP id GQF37091 for ; Fri, + 13 Sep 2002 07:46:48 -0700 +Received: from ptavv (localhost [127.0.0.1]) by ptavv.es.net (Postfix) + with ESMTP id E8CED5D04 for ; Fri, 13 Sep 2002 + 07:46:47 -0700 (PDT) +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: Your message of + "Fri, 13 Sep 2002 21:30:34 +1000." + <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +From: "Kevin Oberman" +Message-Id: <20020913144647.E8CED5D04@ptavv.es.net> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 07:46:47 -0700 +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> From: Tony Nugent +> Sender: exmh-users-admin@example.com +> Date: Fri, 13 Sep 2002 21:30:34 +1000 +> +> On Fri Sep 13 2002 at 17:55, Robert Elz wrote: +> +> > Date: Fri, 13 Sep 2002 11:26:30 +1000 +> > From: Tony Nugent +> +> > | I can cut'n'paste from exmh's message display window into spawned +> > | gvim processes, but not into anything else. +> > +> > That's odd. I cut & paste between all kinds of windows (exmh into +> +> Not so odd, this issue came up several weeks ago (with no real +> resolution). +> +> > mozilla, xterm, another wish script of mine I use for DNS tasks (but +> > that one I guess is to be expected) netscape (when I used to use it, +> > but I suppose it and mozilla are the same codebase, approx) - in fact +> > I can't thing of anything it fails for, that I have noticed. +> > +> > What is an example of an "anything else" that it fails for for you? +> +> Everything else :) I can't even mark text in an exmh message window +> and then paste it into a terminal window, the cut buffer seems to be +> completely empty (and its previous contents are no longer there +> either). +> +> > kre +> +> BTW: talking of spring downunder... I'm in Queensland. It almost +> feels like early summer already (winters here are dry and warm, +> much better than cold wet miserable Melbourne :-) Despite some +> recent rain (first in months), we are already into a drought, with +> an El-Nino on the way it is only going to get worse... (the last +> one in the 90s caused one of the worst droughts ever seen here in +> aussie). + +(This is all guess work and may be bogus.) + +Are you running Gnome 1.4? I had similar problems as did several +co-workers. Updating my Gnome components has fixed it for me and +others, although I can't say exactly which component did the +trick. Gnomecore or gtk would seem most likely, but it may have been +something else. + +In any case, I have not seen the problem for quite a while, now. + +R. Kevin Oberman, Network Engineer +Energy Sciences Network (ESnet) +Ernest O. Lawrence Berkeley National Laboratory (Berkeley Lab) +E-mail: oberman@es.net Phone: +1 510 486-8634 + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1101.746ef58163a737e92d65d20b0e928120 b/machine-learning-ex6/ex6/easy_ham/1101.746ef58163a737e92d65d20b0e928120 new file mode 100644 index 0000000..a6fda9a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1101.746ef58163a737e92d65d20b0e928120 @@ -0,0 +1,118 @@ +From exmh-users-admin@redhat.com Fri Sep 13 16:50:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5437616F03 + for ; Fri, 13 Sep 2002 16:50:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:50:08 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DFJvC24079 for + ; Fri, 13 Sep 2002 16:19:57 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 9EC4E3F1F5; Fri, 13 Sep 2002 + 11:17:18 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id EBA9F40653 + for ; Fri, 13 Sep 2002 11:15:40 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DFFZU15677 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 11:15:35 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DFFZk15671 for + ; Fri, 13 Sep 2002 11:15:35 -0400 +Received: from mail2.lsil.com (mail2.lsil.com [147.145.40.22]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8DEwtw02432 for + ; Fri, 13 Sep 2002 10:58:55 -0400 +Received: from mhbs.lsil.com (mhbs [147.145.31.100]) by mail2.lsil.com + (8.9.3+Sun/8.9.1) with ESMTP id IAA24135 for ; + Fri, 13 Sep 2002 08:15:24 -0700 (PDT) +From: kchrist@lsil.com +Received: from inca.co.lsil.com by mhbs.lsil.com with ESMTP; + Fri, 13 Sep 2002 08:15:10 -0700 +Received: from flytrap.co.lsil.com (flytrap.co.lsil.com [172.20.3.234]) by + inca.co.lsil.com (8.9.3/8.9.3) with ESMTP id JAA25467; Fri, 13 Sep 2002 + 09:15:09 -0600 (MDT) +Received: from bhuta.co.lsil.com (bhuta [172.20.12.135]) by + flytrap.co.lsil.com (8.9.3+Sun/8.9.1) with ESMTP id JAA11684; + Fri, 13 Sep 2002 09:15:08 -0600 (MDT) +Received: from bhuta (localhost [127.0.0.1]) by bhuta.co.lsil.com + (8.10.2+Sun/8.9.1) with ESMTP id g8DFEwd26734; Fri, 13 Sep 2002 09:14:58 + -0600 (MDT) +X-Mailer: exmh version 2.5 07/09/2001 with nmh-1.0.4+dev +To: exmh-users@example.com +Cc: Tony Nugent +Subject: Re: Linking message [was: Re: Patch to complete a change...] +In-Reply-To: Your message of + "Fri, 13 Sep 2002 12:31:24 +1000." + <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +References: <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <26732.1031930098@bhuta> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +X-Reply-To: Kevin.Christian@lsil.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 09:14:58 -0600 +X-Spam-Status: No, hits=-13.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +In message <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam>, Tony Nu +gent writes: +> +> I have set my right mouse button to [Move] a message to another +> folder, which works fine. +> +> However, [Link] also uses the same destination folder as [Move], and +> so if I want to use [Link] I first have to mark the destination +> folder with a message-move, undo the move, then I can use the +> [Link]. Very inconvenient. +> +> Is there a better way for me to set this up so that [Link] works +> with one or two simple clicks? +> + +According to some old documentation (man exmh-ref) + + The mouse bindings for the folders labels are: + + Left - Change to folder. + Middle - View nested folders. + Right - Refile current messages to the folder. + Shift-Right - Link current messages to the folder. + Shift-Middle - Drag a folder label to some drop target. + Control-Right - Clear the current target folder. + +It should be possible to link using shift-right-click the same way you +can move using only right-click. + +Kevin + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1102.25a9175170413ba941d49db2e99ebd0c b/machine-learning-ex6/ex6/easy_ham/1102.25a9175170413ba941d49db2e99ebd0c new file mode 100644 index 0000000..f2b12a6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1102.25a9175170413ba941d49db2e99ebd0c @@ -0,0 +1,104 @@ +From exmh-users-admin@redhat.com Fri Sep 13 18:40:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 24E1616F03 + for ; Fri, 13 Sep 2002 18:40:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 18:40:34 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DH5cC27575 for + ; Fri, 13 Sep 2002 18:05:38 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0D89D3F9CE; Fri, 13 Sep 2002 + 13:06:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E15EC3F9CE + for ; Fri, 13 Sep 2002 13:05:31 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DH5Qi02324 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 13:05:26 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DH5Qk02320 for + ; Fri, 13 Sep 2002 13:05:26 -0400 +Received: from lin12.triumf.ca + (IDENT:O1a17hgrh9hJ51MjhgnkNLni8RQK5mZ3@lin12.Triumf.CA [142.90.114.144]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8DGmjw01679 for + ; Fri, 13 Sep 2002 12:48:45 -0400 +Received: from lin12.triumf.ca (baartman@localhost) by lin12.triumf.ca + (8.11.6/8.11.6) with ESMTP id g8DH5Or30284 for ; + Fri, 13 Sep 2002 10:05:24 -0700 +Message-Id: <200209131705.g8DH5Or30284@lin12.triumf.ca> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +X-Url: http://www.triumf.ca/people/baartman/ +X-Image-Url: http://lin12.triumf.ca/me3.gif +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +References: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Rick Baartman +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 10:05:23 -0700 +X-Spam-Status: No, hits=-9.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I've never understood the mouse buffer operation with exmh either. Here's the +behaviour I have. I have exmh and XEmacs windows up, and a terminal window. (I +also have gnome1.4 running and enlightenment as wm.) I select text in the exmh +window and while it is highlighted, I can paste into anything else. If I select +it and then click so the highlighting is off, then what I paste is not the +recently-selected text in exmh, but an old selection. If I select in XEmacs and +leave it highlighted, I can paste it into exmh sedit window; but if it is no +longer highlighted, what I paste is an old selection. I can live with this +behaviour except for one additional thing. If nothing is highlighted, then what +I paste into exmh is different from what I paste into other windows. To be more +specific, here's what gets pasted if nothing is highlighted: + +Application What gets pasted + +XEmacs whatever was last selected unless it was last selected in exmh +xterm same as XEmacs +AbiWord nothing +Nedit nothing +sedit Whatever was last highlighted in sedit and overwritten + +The last needs some amplification. If I highlight something in sedit, then +obviously that's what gets pasted. If the highlighting is off, then what gets +pasted is NOT what was last highlighted in sedit, but what was last highlighted +and typed over (I have "Type Kills SEL" on.). + +It seems that exmh and sedit are the oddballs here. Very often when I try to +paste something in sedit I end up muttering WTF?? + +-- +rick + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1103.e4d34070786a4d46da1061628bef2b57 b/machine-learning-ex6/ex6/easy_ham/1103.e4d34070786a4d46da1061628bef2b57 new file mode 100644 index 0000000..a3cee0b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1103.e4d34070786a4d46da1061628bef2b57 @@ -0,0 +1,100 @@ +From exmh-users-admin@redhat.com Sat Sep 14 16:22:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E931C16F03 + for ; Sat, 14 Sep 2002 16:22:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:22:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8DNWcC07796 for + ; Sat, 14 Sep 2002 00:32:39 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2C1143EA1A; Fri, 13 Sep 2002 + 19:33:04 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1A01D3EF12 + for ; Fri, 13 Sep 2002 19:30:06 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8DNU0222121 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 19:30:00 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8DNU0k22117 for + ; Fri, 13 Sep 2002 19:30:00 -0400 +Received: from head-cfa.harvard.edu (head-cfa.harvard.edu [131.142.41.8]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8DNDHw22160 for + ; Fri, 13 Sep 2002 19:13:17 -0400 +Received: from head-cfa.harvard.edu (neverland.harvard.edu + [131.142.42.198]) by head-cfa.harvard.edu (8.11.1/8.11.1) with ESMTP id + g8DNTx409571 for ; Fri, 13 Sep 2002 19:29:59 -0400 + (EDT) +Message-Id: <200209132329.g8DNTx409571@head-cfa.harvard.edu> +X-Mailer: exmh version 2.3.1 01/18/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Automated forwarding +From: "Wendy P. Roberts" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 13 Sep 2002 19:29:59 -0400 +X-Spam-Status: No, hits=-4.2 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +Hi Folks, + +I've been trying to set a button called which automatically +forwards mail using a '-form mycomps' without going through +the editor, but so far haven't got the right recipe. + +I currently have in my .exmh-defaults: + +*Mops.spam.text: Spam +*Mops.spam.command: Msg_Forward -form spamcomps -noedit -nowhatnowproc ; Msg +_Remove + + +I've also tried with "SeditSend {$draft $t 0}" after the forward command. +It should forward to a spam address (where filters get adjusted) and then +delete. It does so, but not without producing the edit window. + +Any help appreciated. + +Wendy Roberts + + + +=========================================== +Wendy Roberts +HEAD System Administrator +High Energy Astrophsics Division +Harvard-Smithsonian Center for Astrophysics +Cambridge, MA USA 02138 +wendy@cfa.harvard.edu +Phone: 617-495-7153 +=========================================== + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1104.9ade312a3932dca487c70d8c4ea81585 b/machine-learning-ex6/ex6/easy_ham/1104.9ade312a3932dca487c70d8c4ea81585 new file mode 100644 index 0000000..e6caef2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1104.9ade312a3932dca487c70d8c4ea81585 @@ -0,0 +1,105 @@ +From exmh-users-admin@redhat.com Sat Sep 14 16:22:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6088A16F03 + for ; Sat, 14 Sep 2002 16:22:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:22:40 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8E3MbC20623 for + ; Sat, 14 Sep 2002 04:22:38 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BE6643EB86; Fri, 13 Sep 2002 + 23:23:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C385C3EAB4 + for ; Fri, 13 Sep 2002 23:22:39 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8E3MYO19803 for exmh-users@listman.redhat.com; Fri, 13 Sep 2002 + 23:22:34 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8E3MYk19799 for + ; Fri, 13 Sep 2002 23:22:34 -0400 +Received: from hobbit.linuxworks.com.au + (CPE-203-51-194-212.qld.bigpond.net.au [203.51.194.212]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8E35nw19374 for ; + Fri, 13 Sep 2002 23:05:49 -0400 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g8E3Kww29126; Sat, 14 Sep 2002 13:20:58 +1000 +Message-Id: <200209140320.g8E3Kww29126@hobbit.linuxworks.com.au.nospam> +To: exmh-users@example.com +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <20020913144647.E8CED5D04@ptavv.es.net> of Fri, + Sep 13 07:46:47 2002 +Subject: Re: bad focus/click behaviours +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sat, 14 Sep 2002 13:20:58 +1000 +X-Spam-Status: No, hits=-14.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Fri Sep 13 2002 at 07:46, "Kevin Oberman" wrote: + +> > > What is an example of an "anything else" that it fails for for you? +> > +> > Everything else :) I can't even mark text in an exmh message window +> > and then paste it into a terminal window, the cut buffer seems to be +> > completely empty (and its previous contents are no longer there +> > either). + +> (This is all guess work and may be bogus.) +> +> Are you running Gnome 1.4? I had similar problems as did several +> co-workers. Updating my Gnome components has fixed it for me and +> others, although I can't say exactly which component did the +> trick. Gnomecore or gtk would seem most likely, but it may have been +> something else. + +Indeed I am (this workstation is rh7.2 with gnome1.4, it [mostly?] +works, so I hadn't bothered to updated it to 7.3:) + +> In any case, I have not seen the problem for quite a while, now. + +So upgrading gnome will fix the problem, it's not an exmh/tktcl +issue. + +> R. Kevin Oberman, Network Engineer + +Thanks. + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1105.6f46ad31778d293c889baaefab4db271 b/machine-learning-ex6/ex6/easy_ham/1105.6f46ad31778d293c889baaefab4db271 new file mode 100644 index 0000000..32865b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1105.6f46ad31778d293c889baaefab4db271 @@ -0,0 +1,105 @@ +From exmh-users-admin@redhat.com Sat Sep 14 16:22:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1C31616F16 + for ; Sat, 14 Sep 2002 16:22:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:22:57 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ECobC04161 for + ; Sat, 14 Sep 2002 13:50:41 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F1D6E3F95C; Sat, 14 Sep 2002 + 08:51:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 7AC293F95C + for ; Sat, 14 Sep 2002 08:50:36 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8ECoVm10789 for exmh-users@listman.redhat.com; Sat, 14 Sep 2002 + 08:50:31 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8ECoUk10785 for + ; Sat, 14 Sep 2002 08:50:30 -0400 +Received: from pacific-carrier-annex.mit.edu + (PACIFIC-CARRIER-ANNEX.MIT.EDU [18.7.21.83]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8ECXjw01630 for ; + Sat, 14 Sep 2002 08:33:45 -0400 +Received: from central-city-carrier-station.mit.edu + (CENTRAL-CITY-CARRIER-STATION.MIT.EDU [18.7.7.72]) by + pacific-carrier-annex.mit.edu (8.9.2/8.9.2) with ESMTP id IAA11250 for + ; Sat, 14 Sep 2002 08:50:30 -0400 (EDT) +Received: from manawatu-mail-centre.mit.edu (MANAWATU-MAIL-CENTRE.MIT.EDU + [18.7.7.71]) by central-city-carrier-station.mit.edu (8.9.2/8.9.2) with + ESMTP id IAA21083 for ; Sat, 14 Sep 2002 08:50:29 + -0400 (EDT) +Received: from multics.mit.edu (MULTICS.MIT.EDU [18.187.1.73]) by + manawatu-mail-centre.mit.edu (8.9.2/8.9.2) with ESMTP id IAA15442 for + ; Sat, 14 Sep 2002 08:50:29 -0400 (EDT) +Received: from localhost (yyyyorzins@localhost) by multics.mit.edu (8.9.3) + with ESMTP id IAA02319; Sat, 14 Sep 2002 08:50:28 -0400 (EDT) +From: Jacob Morzinski +To: +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209132022.g8DKMps00640@ms417l.math.okstate.edu> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sat, 14 Sep 2002 08:50:28 -0400 (EDT) +X-Spam-Status: No, hits=-11.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08,USER_AGENT_PINE,X_LOOP + version=2.50-cvs +X-Spam-Level: + +On Fri, 13 Sep 2002, Dale Alspach wrote: +> My experience has been that if the item is showing in xclipboard +> and is highlighted that is what is pasted using the mouse. + +Classic X copy-and-paste behavior is that you can only paste what is +currently highlighted. In fact, it is the act of highlighting a +selection that actually copies that selection into the buffer. X has +no "copy" command -- if you highlighted it, you just copied it. + +> This does not seem to override what is in an application's own +> paste buffer. As far as I can tell Maple's cut and paste, for +> example, is isolated. + +If ab application has a "copy" command that you can choose to use +separately from the process of highlighting something, that command +is something the application authors wrote on their own. (And it it +likely that an application that wrote an internal "copy" command would +also have their own customized "paste" command, to make sure the two +work together.) Whether the internal (custom) select and paste +functions interoperate with the X server's global select and paste +functions will vary from program to program, because in each case you +are relying on the program's authors' efforts to blend separate systems. + + + Jacob Morzinski jmorzins@mit.edu + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1106.e8f11a2a435c86f57edaf08a726bb72a b/machine-learning-ex6/ex6/easy_ham/1106.e8f11a2a435c86f57edaf08a726bb72a new file mode 100644 index 0000000..85d44d4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1106.e8f11a2a435c86f57edaf08a726bb72a @@ -0,0 +1,129 @@ +From exmh-users-admin@redhat.com Sat Sep 14 16:22:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5BBA16F03 + for ; Sat, 14 Sep 2002 16:22:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:22:58 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8EDNbC04904 for + ; Sat, 14 Sep 2002 14:23:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 605E03FB5A; Sat, 14 Sep 2002 + 09:24:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 611563EC22 + for ; Sat, 14 Sep 2002 09:23:12 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8EDN7j14880 for exmh-users@listman.redhat.com; Sat, 14 Sep 2002 + 09:23:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8EDN6k14876 for + ; Sat, 14 Sep 2002 09:23:06 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8ED6Kw05816 for ; Sat, 14 Sep 2002 09:06:21 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 6C21138DAC; + Sat, 14 Sep 2002 08:23:04 -0500 (CDT) +Received: from dimebox (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 2F41638DA7 for ; + Sat, 14 Sep 2002 08:23:04 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <200209132329.g8DNTx409571@head-cfa.harvard.edu> +References: <200209132329.g8DNTx409571@head-cfa.harvard.edu> +Comments: In-reply-to "Wendy P. Roberts" + message dated "Fri, 13 Sep 2002 19:29:59 -0400." +To: exmh-users@example.com +Subject: Re: Automated forwarding +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <29520.1032009778@dimebox> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sat, 14 Sep 2002 08:22:58 -0500 +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +>>>>> On Fri, 13 Sep 2002, "Wendy" == Wendy P. Roberts wrote: + + Wendy> I've been trying to set a button called which + Wendy> automatically forwards mail using a '-form mycomps' + Wendy> without going through the editor, but so far haven't got + Wendy> the right recipe. + +I have one that uses dist to send stuff from my work mail to my +home mail. The binding looks like this: + +set {bindings(key,HD_Dist_Silently -form distcomps.to-me)} + +The "HD_Dist_Silently" is a hacked up version of the proc that +does dist in exmh and is pasted in below. It's getting old and +probably should be "resynced" with the current code. But it +still works (on a relatively recent CVS copy of exmh) + +It's also possible that there's an easier way but I hacked this +together quickly a year or more ago and when it worked I moved +on to other tasks. + +--Hal + +proc HD_Dist_Silently { args } { + + global exmh msg + set exmh(ctype) {dist} + if {[string length $args] == 0} { + set args Mh_DistSetup + } + + if [MsgOk $msg(id) m] { + if {[string compare [info command $args] $args] == 0} { + # Old interface with hook procedure + if [catch {$args $exmh(folder) $m} err] { ;# Setup draft msg + Exmh_Status "${args}: $err" purple + return + } + } else { + if [catch { + Exmh_Status "dist +$exmh(folder) $m" + eval {MhExec dist +$exmh(folder) $m} -nowhatnowproc $args + MhAnnoSetup $exmh(folder) $m dist + } err] { + Exmh_Status "dist: $err" purple + return + } + } + Edit_Done send ;# Just send it + } +} + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1107.7f3b20213d2397c966dfc7defebee2e7 b/machine-learning-ex6/ex6/easy_ham/1107.7f3b20213d2397c966dfc7defebee2e7 new file mode 100644 index 0000000..333a7e5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1107.7f3b20213d2397c966dfc7defebee2e7 @@ -0,0 +1,113 @@ +From exmh-users-admin@redhat.com Mon Sep 16 10:41:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6153916F03 + for ; Mon, 16 Sep 2002 10:41:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 10:41:54 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8G5YtC14552 for + ; Mon, 16 Sep 2002 06:34:56 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id E91E73EC79; Mon, 16 Sep 2002 + 01:34:25 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id BDE7A3EA2C + for ; Sun, 15 Sep 2002 16:29:07 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8FKT2r21372 for exmh-users@listman.redhat.com; Sun, 15 Sep 2002 + 16:29:02 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8FKT2k21368 for + ; Sun, 15 Sep 2002 16:29:02 -0400 +Received: from postal2.es.net (postal2.es.net [198.128.3.206]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8FKCAw30494 for + ; Sun, 15 Sep 2002 16:12:10 -0400 +Received: from ptavv.es.net ([198.128.4.29]) by postal2.es.net (Postal + Node 2) with ESMTP id GQF37091 for ; Sun, + 15 Sep 2002 13:29:00 -0700 +Received: from ptavv (localhost [127.0.0.1]) by ptavv.es.net (Postfix) + with ESMTP id F294C5D04 for ; Sun, 15 Sep 2002 + 13:28:59 -0700 (PDT) +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: Your message of + "Sat, 14 Sep 2002 13:20:58 +1000." + <200209140320.g8E3Kww29126@hobbit.linuxworks.com.au.nospam> +From: "Kevin Oberman" +Message-Id: <20020915202900.F294C5D04@ptavv.es.net> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 15 Sep 2002 13:28:59 -0700 +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_01_02,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> From: Tony Nugent +> Sender: exmh-users-admin@example.com +> Date: Sat, 14 Sep 2002 13:20:58 +1000 +> +> On Fri Sep 13 2002 at 07:46, "Kevin Oberman" wrote: +> +> > > > What is an example of an "anything else" that it fails for for you? +> > > +> > > Everything else :) I can't even mark text in an exmh message window +> > > and then paste it into a terminal window, the cut buffer seems to be +> > > completely empty (and its previous contents are no longer there +> > > either). +> +> > (This is all guess work and may be bogus.) +> > +> > Are you running Gnome 1.4? I had similar problems as did several +> > co-workers. Updating my Gnome components has fixed it for me and +> > others, although I can't say exactly which component did the +> > trick. Gnomecore or gtk would seem most likely, but it may have been +> > something else. +> +> Indeed I am (this workstation is rh7.2 with gnome1.4, it [mostly?] +> works, so I hadn't bothered to updated it to 7.3:) +> +> > In any case, I have not seen the problem for quite a while, now. +> +> So upgrading gnome will fix the problem, it's not an exmh/tktcl +> issue. + +It did for me, but I am not willing to say it is not a tcl/tk issue as +other apps seemed to work OK for cut and paste and Tk does its +clipboard stuff a bit differently than most toolkits. So I'm not +about to place blame. Just reporting my experience. + +Also, I am not talking about installing Gnome2. Just updating the +many, many pieces of gnome to the current rev level. + +R. Kevin Oberman, Network Engineer +Energy Sciences Network (ESnet) +Ernest O. Lawrence Berkeley National Laboratory (Berkeley Lab) +E-mail: oberman@es.net Phone: +1 510 486-8634 + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1108.128f9f0247b131505281874efc8e02f8 b/machine-learning-ex6/ex6/easy_ham/1108.128f9f0247b131505281874efc8e02f8 new file mode 100644 index 0000000..a2ccb6f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1108.128f9f0247b131505281874efc8e02f8 @@ -0,0 +1,76 @@ +From exmh-users-admin@redhat.com Mon Sep 16 15:30:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4E22B16F03 + for ; Mon, 16 Sep 2002 15:30:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 15:30:56 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8GDbTC27396 for + ; Mon, 16 Sep 2002 14:37:29 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id A283F3EAA8; Mon, 16 Sep 2002 + 09:37:56 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 847DB3EF88 + for ; Mon, 16 Sep 2002 09:35:01 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8GDYtY31245 for exmh-users@listman.redhat.com; Mon, 16 Sep 2002 + 09:34:55 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8GDYtk31241 for + ; Mon, 16 Sep 2002 09:34:55 -0400 +Received: from opt.nrl.navy.mil (opt.nrl.navy.mil [132.250.123.123]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8GDI1w03532 for + ; Mon, 16 Sep 2002 09:18:01 -0400 +Received: from opt.nrl.navy.mil (hoppel@localhost) by opt.nrl.navy.mil + (8.11.6/8.11.6) with ESMTP id g8G1aQk05815 for ; + Sun, 15 Sep 2002 21:36:26 -0400 +Message-Id: <200209160136.g8G1aQk05815@opt.nrl.navy.mil> +X-Mailer: exmh version 2.4 06/23/2000 with nmh-1.0.4 +To: exmh-users@example.com +Subject: MyIncErrors +From: "Karl Hoppel" +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 15 Sep 2002 21:36:26 -0400 +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=DATE_IN_PAST_06_12,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + X_LOOP + version=2.50-cvs +X-Spam-Level: + +I recently transfered my exmh setup to a new system, and now +all my email ends up in Mail/MyIncErrors folder. This is true for +inbox or presort options. I'm having difficulty finding this condition +in the documention. Suggestions? + +Cheers, +Karl + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1109.50269c75e11405ffa85a38881a36e166 b/machine-learning-ex6/ex6/easy_ham/1109.50269c75e11405ffa85a38881a36e166 new file mode 100644 index 0000000..d790be1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1109.50269c75e11405ffa85a38881a36e166 @@ -0,0 +1,94 @@ +From exmh-users-admin@redhat.com Thu Sep 19 13:00:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0DC3D16F03 + for ; Thu, 19 Sep 2002 13:00:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:00:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8J2feC01001 for + ; Thu, 19 Sep 2002 03:41:41 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id D633B3EE40; Wed, 18 Sep 2002 + 22:42:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 80E523EA54 + for ; Wed, 18 Sep 2002 22:41:41 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8J2ffW30587 for exmh-users@listman.redhat.com; Wed, 18 Sep 2002 + 22:41:41 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8J2feh30583 for + ; Wed, 18 Sep 2002 22:41:40 -0400 +Received: from orion.dwf.com (bgp01360964bgs.sandia01.nm.comcast.net + [68.35.68.128]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8J2ORi12911 for ; Wed, 18 Sep 2002 22:24:27 -0400 +Received: from orion.dwf.com (localhost.dwf.com [127.0.0.1]) by + orion.dwf.com (8.12.1/8.12.1) with ESMTP id g8J2fYUb001632 for + ; Wed, 18 Sep 2002 20:41:34 -0600 +Received: from orion.dwf.com (reg@localhost) by orion.dwf.com + (8.12.1/8.12.1/Submit) with ESMTP id g8J2fY3o001629 for + ; Wed, 18 Sep 2002 20:41:34 -0600 +Message-Id: <200209190241.g8J2fY3o001629@orion.dwf.com> +X-Mailer: exmh version 2.5 07/25/2002 with nmh-1.0.4 +To: exmh-users@example.com +Subject: (PGP problem) EXMH hangs during 'Query keyserver' +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Reg Clemens +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 18 Sep 2002 20:41:34 -0600 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I guess the first question here should be does anyone have some +updates to the PGP code in EXMH that I should know about? + +My current problem is that if I get a PGP signed message, I first +get a button that reads: + "Check the signature with GnuPG" +If I punch the button, and I dont have the signature on my keyring +then I get a message saying just that, and the message: + "Can't check signature: public key not found" +along with a button with the inscription + "Query keyserver" +If I punch the button then EXMH just hangs. Forever. + +If instead of punching the button, I go out to the keyserver myself +and then try the message again, everything works, so it SEEMS that it +must be the code that goes out to the keyserver. + +Anyone else with this problem? +This is EXMH v2.5 and tcl/tk 8.4a4 +-- + Reg.Clemens + reg@dwf.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1110.607e74a3949cd6e4787031e0164f09ff b/machine-learning-ex6/ex6/easy_ham/1110.607e74a3949cd6e4787031e0164f09ff new file mode 100644 index 0000000..3ae1091 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1110.607e74a3949cd6e4787031e0164f09ff @@ -0,0 +1,80 @@ +From exmh-users-admin@redhat.com Thu Sep 19 13:01:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1006916F03 + for ; Thu, 19 Sep 2002 13:01:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:01:41 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8J9kbC14322 for + ; Thu, 19 Sep 2002 10:46:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id E59D23ECE2; Thu, 19 Sep 2002 + 05:47:01 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 90B8A3ECE2 + for ; Thu, 19 Sep 2002 05:46:14 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8J9kEq09095 for exmh-users@listman.redhat.com; Thu, 19 Sep 2002 + 05:46:14 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8J9kEh09088 for + ; Thu, 19 Sep 2002 05:46:14 -0400 +Received: from hobbit.linuxworks.com.au + (CPE-203-51-198-239.qld.bigpond.net.au [203.51.198.239]) by mx1.redhat.com + (8.11.6/8.11.6) with SMTP id g8J9Swi03770 for ; + Thu, 19 Sep 2002 05:28:58 -0400 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g8J9k1308152; Thu, 19 Sep 2002 19:46:01 +1000 +Message-Id: <200209190946.g8J9k1308152@hobbit.linuxworks.com.au.nospam> +To: exmh-users@example.com +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +Subject: customising FTOC display for specific folders... +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 19 Sep 2002 19:46:01 +1000 +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Is there any way to customise the folder table of contents for +specific folders? + +I know it is possible to do per-folder customisation with components +and replcomps for message templates, but what about -form format +files for scan? + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1111.682637cab441c4614d42314d8c82c2c6 b/machine-learning-ex6/ex6/easy_ham/1111.682637cab441c4614d42314d8c82c2c6 new file mode 100644 index 0000000..71f3345 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1111.682637cab441c4614d42314d8c82c2c6 @@ -0,0 +1,123 @@ +From exmh-users-admin@redhat.com Fri Sep 20 21:45:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C135216F03 + for ; Fri, 20 Sep 2002 21:45:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 21:45:35 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8KJ6HC19158 for + ; Fri, 20 Sep 2002 20:06:19 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id CDFC441197; Fri, 20 Sep 2002 + 15:03:05 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3881240B8D + for ; Fri, 20 Sep 2002 14:57:05 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8KIv5K28339 for exmh-users@listman.redhat.com; Fri, 20 Sep 2002 + 14:57:05 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8KIv4h28335 for + ; Fri, 20 Sep 2002 14:57:04 -0400 +Received: from austin-jump.vircio.com + (IDENT:y9S4NRBm7xu5CJteofINMSj1AvueZzLf@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8KIddi01398 + for ; Fri, 20 Sep 2002 14:39:39 -0400 +Received: (qmail 20056 invoked by uid 104); 20 Sep 2002 18:57:03 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4223. . Clean. Processed in 0.330518 + secs); 20/09/2002 13:57:03 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 20 Sep 2002 18:57:03 -0000 +Received: (qmail 28209 invoked from network); 20 Sep 2002 18:57:00 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?arLzUBkPND7nmMFDfHxZLvzRwOF+H4Kq?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 20 Sep 2002 18:57:00 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: I'm back in town... +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1920300774P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +From: Chris Garrigues +Message-Id: <1032548220.28201.TMDA@deepeddy.vircio.com> +X-Delivery-Agent: TMDA/0.57 +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +X-Reply-To: Chris Garrigues +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 20 Sep 2002 13:56:59 -0500 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_1920300774P +Content-Type: text/plain; charset=us-ascii + +I've been working on salary related things the past few days, but I'm starting +to think about exmh again. + +Thanks to Robert for finding that s/$L/$lineno/ bug. + +So, has anybody else been looking at the performance issues that we were +talking about before I left, or should I dig right in? + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1920300774P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9i297K9b4h5R0IUIRAiURAJ9aNU4uwQn+EwNOJlrvGJp9U4wVNQCcCkmT +KgDY1o8a2qpBe53DfoNyX9g= +=LClg +-----END PGP SIGNATURE----- + +--==_Exmh_1920300774P-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1112.2e9833f8ba14f5c8fb76c35322ed4a8c b/machine-learning-ex6/ex6/easy_ham/1112.2e9833f8ba14f5c8fb76c35322ed4a8c new file mode 100644 index 0000000..9591300 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1112.2e9833f8ba14f5c8fb76c35322ed4a8c @@ -0,0 +1,109 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 12:06:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CB0FE16F03 + for ; Mon, 23 Sep 2002 12:06:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:11 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N2wYC29572 for + ; Mon, 23 Sep 2002 03:58:38 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 537483EA72; Sun, 22 Sep 2002 + 22:59:01 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0244C3EE13 + for ; Sun, 22 Sep 2002 22:58:18 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N2wHD02305 for exmh-workers@listman.redhat.com; Sun, 22 Sep 2002 + 22:58:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N2wHh02301 for + ; Sun, 22 Sep 2002 22:58:17 -0400 +Received: from mercea.net (dsl092-151-122.wdc1.dsl.speakeasy.net + [66.92.151.122]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8N2eci08189 for ; Sun, 22 Sep 2002 22:40:39 + -0400 +Received: from mercea.mercea.net (localhost.mercea.net [127.0.0.1]) by + mercea.net (Postfix) with ESMTP id 8E7A34A8 for ; + Sun, 22 Sep 2002 22:58:16 -0400 (EDT) +X-Mailer: exmh version 2.5_20020922 (09/22/02) with nmh-1.0.4 +From: Scott Lipcon +To: exmh-workers@example.com +Subject: traceback in new exmh +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <20020923025816.8E7A34A8@mercea.net> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:58:16 -0400 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I just updated to the latest CVS - I had been running a build from June. +Hitting the Flist button gives the following traceback: + +syntax error in expression "int(17+1+(222-)*(19-17-2)/(224-))" + while executing +"expr int($minLine+1+($msgid-$minMsg)*($maxLine-$minLine-2)/($maxMsg-$minMsg))" + (procedure "Ftoc_FindMsg" line 57) + invoked from within +"Ftoc_FindMsg $i" + (procedure "Ftoc_ShowSequences" line 16) + invoked from within +"Ftoc_ShowSequences $F" + (procedure "ScanFolder" line 81) + invoked from within +"ScanFolder inbox 0" + invoked from within +"time [list ScanFolder $F $adjustDisplay" + (procedure "Scan_Folder" line 2) + invoked from within +"Scan_Folder $exmh(folder) $ftoc(showNew)" + (procedure "Inc_PresortFinish" line 7) + invoked from within +"Inc_PresortFinish" + invoked from within +".fops.flist invoke" + ("uplevel" body line 1) + invoked from within +"uplevel #0 [list $w invoke]" + (procedure "tkButtonUp" line 7) + invoked from within +"tkButtonUp .fops.flist +" + (command bound to event) + + +It seems to only happen in a folder with no unseen messages. + +Chris, is this related to your recent changes? + +Scott + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1113.13231f60c358f003d7a4ee9c678bcf66 b/machine-learning-ex6/ex6/easy_ham/1113.13231f60c358f003d7a4ee9c678bcf66 new file mode 100644 index 0000000..734306d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1113.13231f60c358f003d7a4ee9c678bcf66 @@ -0,0 +1,141 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:06:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F1BE16F03 + for ; Mon, 23 Sep 2002 12:06:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:17 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N4wUC01425 for + ; Mon, 23 Sep 2002 05:58:30 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 528BB3EA45; Mon, 23 Sep 2002 + 00:59:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id CF8A23EA09 + for ; Mon, 23 Sep 2002 00:58:37 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N4wbt18650 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 00:58:37 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N4wbh18646 for + ; Mon, 23 Sep 2002 00:58:37 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8N4ewi21751 for + ; Mon, 23 Sep 2002 00:40:58 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + AAA08321 for ; Mon, 23 Sep 2002 00:58:30 -0400 +Message-Id: <200209230458.AAA08321@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: Linking message [was: Re: Patch to complete a change...] +In-Reply-To: <26040.1031911795@munnari.OZ.AU> +References: <23204.1031891193@dimebox> + <200209130231.g8D2VO021580@hobbit.linuxworks.com.au.nospam> + <26040.1031911795@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Fri, + 13 Sep 2002 17:09:55 +0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 21:58:30 -0700 +X-Spam-Status: No, hits=-5.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Both Move and Link are one-click actions. + + on a folder label Move's the current message + on a folder label Link's the current message + +>>>Robert Elz said: + > Date: Thu, 12 Sep 2002 23:26:33 -0500 + > From: Hal DeVore + > Message-ID: <23204.1031891193@dimebox> + > + > | 1) Right click on the folder label in the folder list + > + > That (the way I have it configured, and it sounds as if the way Tony does + > too) just does a move (rather than select as target without moving). + > + > Of course, if you can manage to get no messages currently selected, then + > it works fine. + > + > | 2) In the main window, the "+" key puts you into a "change + > | folder" mode (the first time you use it after starting exmh), + > | hit a second + and you go to "set a target" mode. Type a few + > | characters of the folder name and hit space for autocomplete. + > + > This works, but is not nice if you're not using the keyboard, but just + > the mouse. + > + > Tony: I agree - a nice way to link in one click would be good, and should + > be easy to add, though currently adding mouse bindings (something like + > shift right click would be a good choice) is much harder than adding + > key bindings. + > + > But note there's no need to "undo" - the way I generally use link, if + > the desired destination folder isn't the current selected target, is + > to right click on the target, which selects it and moves the message, + > (and because I have the "automatic move to the next message on move or + > link option set) select the message again, and then "Link". + > + > Exmh only permits one uncomitted action to be selected for a message at a + > time, that is, one of delete, move, or link. Selecting any of those + > implicitly undoes any previous choice from the three (so you cannot + > achieve a "move" by doing a link, then delete, then commit, it needs to + > be link, commit, delete, commit). (xmh was just the same there incidentally + ). + > + > | How's spring shaping up "down under"? + > + > No meaningful comment from me, I'm not there at the minute. But I'm told + > that where I'm from it is cold, wet, and miserable, though has been better + > during the day (sunny days, cold nights) for the past few. In any case, + > all of that is a good enough reason to stay away... + > + > kre + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1114.3ee361561ee25d914e377dd8473a9cb6 b/machine-learning-ex6/ex6/easy_ham/1114.3ee361561ee25d914e377dd8473a9cb6 new file mode 100644 index 0000000..c4152f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1114.3ee361561ee25d914e377dd8473a9cb6 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Tue Aug 27 04:47:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A2E5543F99 + for ; Mon, 26 Aug 2002 23:47:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 04:47:46 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7R3iJZ24528 for + ; Tue, 27 Aug 2002 04:44:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7R3g2J04120; Tue, 27 Aug 2002 05:42:02 + +0200 +Received: from r220-1.rz.RWTH-Aachen.DE (r220-1.rz.RWTH-Aachen.DE + [134.130.3.31]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7R3fKJ25597 for ; Tue, 27 Aug 2002 05:41:20 +0200 +Received: from r220-1.rz.RWTH-Aachen.DE (relay2.RWTH-Aachen.DE + [134.130.3.1]) by r220-1.rz.RWTH-Aachen.DE (8.12.1/8.11.3-2) with ESMTP id + g7R3fKam028262 for ; Tue, 27 Aug 2002 05:41:20 + +0200 (MEST) +Received: from wilson (wilson.weh.RWTH-Aachen.DE [137.226.141.141]) by + r220-1.rz.RWTH-Aachen.DE (8.12.1/8.11.3/24) with SMTP id g7R3fJwP028257 + for ; Tue, 27 Aug 2002 05:41:19 +0200 (MEST) +Content-Type: text/plain; charset="iso-8859-15" +From: Torsten Bronger +Organization: RWTH Aachen +Subject: "requires:" and relational operators +X-Mailer: KMail [version 1.2] +MIME-Version: 1.0 +Message-Id: <02082705410501.08779@wilson> +To: "RPM Mailing List" +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7R3fKJ25597 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 27 Aug 2002 05:41:16 +0200 +Date: Tue, 27 Aug 2002 05:41:16 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.7 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Halloechen! + +I have + +Requires: saxon >= 6.5.1 +Conflicts: saxon >= 7 + +in my spec file. But apparently rpm ignores all version numbers. So, + +Requires: saxon >= 6.5.1 +# Conflicts: saxon >= 7 + +would install even with saxon-3.0.0, and + +# Requires: saxon >= 6.5.1 +Conflicts: saxon >= 7 + +wouldn't install even with saxon-6.5.2. What could be the reason +for this? + +Tschoe, +Torsten. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1115.e88f46679ef431c8b88cafdd3d21b8ac b/machine-learning-ex6/ex6/easy_ham/1115.e88f46679ef431c8b88cafdd3d21b8ac new file mode 100644 index 0000000..a428061 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1115.e88f46679ef431c8b88cafdd3d21b8ac @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Tue Aug 27 10:35:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4C98F43F99 + for ; Tue, 27 Aug 2002 05:35:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 10:35:45 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7R9ZnZ01670 for + ; Tue, 27 Aug 2002 10:35:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7R9X2J23503; Tue, 27 Aug 2002 11:33:02 + +0200 +Received: from r220-1.rz.RWTH-Aachen.DE (r220-1.rz.RWTH-Aachen.DE + [134.130.3.31]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7R9VxJ07183 for ; Tue, 27 Aug 2002 11:31:59 +0200 +Received: from r220-1.rz.RWTH-Aachen.DE (relay2.RWTH-Aachen.DE + [134.130.3.1]) by r220-1.rz.RWTH-Aachen.DE (8.12.1/8.11.3-2) with ESMTP id + g7R9Vxam022047 for ; Tue, 27 Aug 2002 11:31:59 + +0200 (MEST) +Received: from wilson (wilson.weh.RWTH-Aachen.DE [137.226.141.141]) by + r220-1.rz.RWTH-Aachen.DE (8.12.1/8.11.3/24) with SMTP id g7R9VwwP022042 + for ; Tue, 27 Aug 2002 11:31:58 +0200 (MEST) +Content-Type: text/plain; charset="iso-8859-15" +From: Torsten Bronger +Organization: RWTH Aachen +To: rpm-zzzlist@freshrpms.net +Subject: Re: "requires:" and relational operators +X-Mailer: KMail [version 1.2] +References: <02082705410501.08779@wilson> +In-Reply-To: <02082705410501.08779@wilson> +MIME-Version: 1.0 +Message-Id: <02082711315303.08779@wilson> +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7R9VxJ07183 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 27 Aug 2002 11:31:53 +0200 +Date: Tue, 27 Aug 2002 11:31:53 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Halloechen! + +On Dienstag, 27. August 2002 05:41 schrieben Sie: +> [Question about require tag] + +Oops, sorry. Now I found out that there is a noewsgroup ... +:-) + +Tschoe, +Torsten. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1116.e30f22bbdea56cb1ba244a559564ddde b/machine-learning-ex6/ex6/easy_ham/1116.e30f22bbdea56cb1ba244a559564ddde new file mode 100644 index 0000000..041205c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1116.e30f22bbdea56cb1ba244a559564ddde @@ -0,0 +1,89 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:57:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AF12F43F99 + for ; Thu, 29 Aug 2002 05:57:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:57:56 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SKqGZ09818 for + ; Wed, 28 Aug 2002 21:52:16 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SKo3J29063; Wed, 28 Aug 2002 22:50:03 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SKmvJ24463 for + ; Wed, 28 Aug 2002 22:48:57 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7SKmv627266; Wed, 28 Aug 2002 23:48:57 + +0300 (EETDST) +Subject: Re: ALSA (almost) made easy +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +Cc: valhalla-list@example.com +In-Reply-To: <20020828190006.2200a154.matthias@rpmforge.net> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030567737.10901.9.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7SKmvJ24463 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 23:48:57 +0300 +Date: 28 Aug 2002 23:48:57 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.3 required=7.0 + tests=FROM_ISO885915,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +> The devices are there now, thank Gordon for reporting the problem (and as I +> said, you were the only one). Any further comments are very welcome! +> +> Download : http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ +> New spec : http://freshrpms.net/builds/alsa-driver/alsa-driver.spec + +Ahh, wonderful! Just tried out these and *finally* got sound working +with my Abit TH7II-RAID's integrated audio. I've been pulling hair +together with the (helpful) OpenSound people for quite some time now, +but we've failed to get sound to work, either with the drivers included +in kernel, or the commercial OSS. + +Thanks a *lot* ! The RPMs seem to be fine, they worked for me out of +the box (on vanilla Valhalla w/latest errata). + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1117.571c1399a9b49bf25062fcd2242d72f1 b/machine-learning-ex6/ex6/easy_ham/1117.571c1399a9b49bf25062fcd2242d72f1 new file mode 100644 index 0000000..ade427a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1117.571c1399a9b49bf25062fcd2242d72f1 @@ -0,0 +1,97 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7DA9E43F9B + for ; Thu, 29 Aug 2002 05:57:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:57:58 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SL8UZ10341 for + ; Wed, 28 Aug 2002 22:08:30 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SL32J26091; Wed, 28 Aug 2002 23:03:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SL2hJ26035 for + ; Wed, 28 Aug 2002 23:02:43 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7SL2i600486; Thu, 29 Aug 2002 00:02:44 + +0300 (EETDST) +Subject: Re: ALSA (almost) made easy +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +Cc: valhalla-list@example.com +In-Reply-To: <1030567737.10901.9.camel@bobcat.ods.org> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030568564.10902.22.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7SL2hJ26035 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 00:02:43 +0300 +Date: 29 Aug 2002 00:02:43 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.1 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_ISO885915,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Wed, 2002-08-28 at 23:48, Ville Skyttä wrote: + +> > The devices are there now, thank Gordon for reporting the problem (and as I +> > said, you were the only one). Any further comments are very welcome! +> > +> > Download : http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ +> > New spec : http://freshrpms.net/builds/alsa-driver/alsa-driver.spec +> +> Ahh, wonderful! Just tried out these and *finally* got sound working +> with my Abit TH7II-RAID's integrated audio. I've been pulling hair +> together with the (helpful) OpenSound people for quite some time now, +> but we've failed to get sound to work, either with the drivers included +> in kernel, or the commercial OSS. +> +> Thanks a *lot* ! The RPMs seem to be fine, they worked for me out of +> the box (on vanilla Valhalla w/latest errata). + +...except that I don't see an init script in the RPMs, a sample one +designed for RH is supposed to be in "utils/alsasound". Could you take +a look if it can be included? + +Cheers, +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1118.41f75976258428a527855201ced28007 b/machine-learning-ex6/ex6/easy_ham/1118.41f75976258428a527855201ced28007 new file mode 100644 index 0000000..83d7176 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1118.41f75976258428a527855201ced28007 @@ -0,0 +1,103 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9033143F99 + for ; Thu, 29 Aug 2002 05:58:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:58:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SM9oZ12169 for + ; Wed, 28 Aug 2002 23:09:50 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SM81J23338; Thu, 29 Aug 2002 00:08:01 + +0200 +Received: from unknown (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7SM6XJ23146 for ; Thu, 29 Aug 2002 00:06:33 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829000606.5906404a.matthias@egwn.net> +In-Reply-To: <1030568564.10902.22.camel@bobcat.ods.org> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:06:06 +0200 +Date: Thu, 29 Aug 2002 00:06:06 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-14.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> > Thanks a *lot* ! The RPMs seem to be fine, they worked for me out of +> > the box (on vanilla Valhalla w/latest errata). +> +> ...except that I don't see an init script in the RPMs, a sample one +> designed for RH is supposed to be in "utils/alsasound". Could you take +> a look if it can be included? + +It doesn't need to as Red Hat Linux already sets correct permissions on all +ALSA audio devices for locally logged in users (through the console.perms +file) and the modules.conf files takes care of loading the right modules on +demand. Also, aumix and the scripts that come with Red Hat Linux still work +for controlling the volume, so it's still saved and restored when the +computer is halted, even using ALSA. + +I'm glad you got your card working with these! I'm now wondering if I won't +maybe buy an amplifier that supports Dolby Digial decoding (my current one +"only" does PRo Logic) since I've read that ALSA supports the S/PDIF +optical output of the sound chip of my Shuttle! +(http://freshrpms.net/shuttle/) + +>>From what I can tell after only 2 days using it : ALSA rocks, especially +since having a full OSS compatibility results that it breaks nothing at +all! :-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1119.ce22f4a2ffbc03cd2625cb10ba561058 b/machine-learning-ex6/ex6/easy_ham/1119.ce22f4a2ffbc03cd2625cb10ba561058 new file mode 100644 index 0000000..9565d22 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1119.ce22f4a2ffbc03cd2625cb10ba561058 @@ -0,0 +1,96 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E43ED44157 + for ; Thu, 29 Aug 2002 05:58:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:58:14 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SMC3Z12215 for + ; Wed, 28 Aug 2002 23:12:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SMB2J08733; Thu, 29 Aug 2002 00:11:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SMA8J29427 for + ; Thu, 29 Aug 2002 00:10:08 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7SMA8612924 for ; + Thu, 29 Aug 2002 01:10:08 +0300 (EETDST) +Subject: Re: ALSA (almost) made easy +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <1030568564.10902.22.camel@bobcat.ods.org> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030572601.1643.26.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7SMA8J29427 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 01:10:01 +0300 +Date: 29 Aug 2002 01:10:01 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.1 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_ISO885915,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Thu, 2002-08-29 at 00:02, Ville Skyttä wrote: + +> > Thanks a *lot* ! The RPMs seem to be fine, they worked for me out of +> > the box (on vanilla Valhalla w/latest errata). +> +> ...except that I don't see an init script in the RPMs, a sample one +> designed for RH is supposed to be in "utils/alsasound". Could you take +> a look if it can be included? + +Ok, some more nits: alsa-xmms doesn't work if I don't have +alsa-lib-devel installed, but xmms dies on startup telling me: + + Cannot load alsa library: libasound.so: cannot open shared object + file: No such file or directory + +libasound.so is part of alsa-lib-devel... if I install it, the ALSA XMMS +output plugins works fine. + +I can't install the xine stuff, because xine-libs needs libGLcore.so.1, +which I can't find anywhere (NVidia stuff? I have Radeon 7500...) + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1120.bec3610a9fcdb3cf5c74d9e60bfbfa1d b/machine-learning-ex6/ex6/easy_ham/1120.bec3610a9fcdb3cf5c74d9e60bfbfa1d new file mode 100644 index 0000000..ac2cf85 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1120.bec3610a9fcdb3cf5c74d9e60bfbfa1d @@ -0,0 +1,98 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8F7F544155 + for ; Thu, 29 Aug 2002 05:58:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:58:16 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SMIMZ12443 for + ; Wed, 28 Aug 2002 23:18:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SMG2J30252; Thu, 29 Aug 2002 00:16:02 + +0200 +Received: from unknown (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7SMFKJ21832 for ; Thu, 29 Aug 2002 00:15:20 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829001503.7aab8ccf.matthias@egwn.net> +In-Reply-To: <1030572601.1643.26.camel@bobcat.ods.org> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <1030572601.1643.26.camel@bobcat.ods.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:15:03 +0200 +Date: Thu, 29 Aug 2002 00:15:03 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-14.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> Ok, some more nits: alsa-xmms doesn't work if I don't have +> alsa-lib-devel installed, but xmms dies on startup telling me: +> +> Cannot load alsa library: libasound.so: cannot open shared object +> file: No such file or directory +> +> libasound.so is part of alsa-lib-devel... if I install it, the ALSA XMMS +> output plugins works fine. + +OK, will fix :-) + +> I can't install the xine stuff, because xine-libs needs libGLcore.so.1, +> which I can't find anywhere (NVidia stuff? I have Radeon 7500...) + +Argh, got bitten again! :-( +Will fix too... + +Thanks a lot for pointing these out! +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1121.51f7e5e557bde451a6b36e527211ed04 b/machine-learning-ex6/ex6/easy_ham/1121.51f7e5e557bde451a6b36e527211ed04 new file mode 100644 index 0000000..a02fcf3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1121.51f7e5e557bde451a6b36e527211ed04 @@ -0,0 +1,103 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5BEE744158 + for ; Thu, 29 Aug 2002 05:58:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:58:18 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SMf3Z13159 for + ; Wed, 28 Aug 2002 23:41:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SMd2J27219; Thu, 29 Aug 2002 00:39:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SMchJ27162 for + ; Thu, 29 Aug 2002 00:38:43 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7SMci617627 for ; + Thu, 29 Aug 2002 01:38:44 +0300 (EETDST) +Subject: Re: ALSA (almost) made easy +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020829000606.5906404a.matthias@egwn.net> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030574318.1651.30.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7SMchJ27162 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 01:38:38 +0300 +Date: 29 Aug 2002 01:38:38 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.8 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_ISO885915,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Thu, 2002-08-29 at 01:06, Matthias Saou wrote: + +> > > Thanks a *lot* ! The RPMs seem to be fine, they worked for me out of +> > > the box (on vanilla Valhalla w/latest errata). +> > +> > ...except that I don't see an init script in the RPMs, a sample one +> > designed for RH is supposed to be in "utils/alsasound". Could you take +> > a look if it can be included? +> +> It doesn't need to as Red Hat Linux already sets correct permissions on all +> ALSA audio devices for locally logged in users (through the console.perms +> file) and the modules.conf files takes care of loading the right modules on +> demand. Also, aumix and the scripts that come with Red Hat Linux still work +> for controlling the volume, so it's still saved and restored when the +> computer is halted, even using ALSA. + +Ah! The mixer stuff was what made me look for an init script in the +first place, I didn't bother to check whether the existing stuff would +have worked with that. Will try that out, you can assume silence == +success :) + +> >From what I can tell after only 2 days using it : ALSA rocks, especially +> since having a full OSS compatibility results that it breaks nothing at +> all! :-) + +Agreed. Though with only 2 hours experience... + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1122.0306e263408d376f3abc5eddba544a59 b/machine-learning-ex6/ex6/easy_ham/1122.0306e263408d376f3abc5eddba544a59 new file mode 100644 index 0000000..ec4e6bd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1122.0306e263408d376f3abc5eddba544a59 @@ -0,0 +1,107 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:58:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1E1654415A + for ; Thu, 29 Aug 2002 05:58:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:58:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SMs3Z13555 for + ; Wed, 28 Aug 2002 23:54:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SMq2J28816; Thu, 29 Aug 2002 00:52:02 + +0200 +Received: from unknown (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7SMorJ22054 for ; Thu, 29 Aug 2002 00:50:53 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829005025.160073af.matthias@egwn.net> +In-Reply-To: <1030574318.1651.30.camel@bobcat.ods.org> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> + <1030574318.1651.30.camel@bobcat.ods.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:50:25 +0200 +Date: Thu, 29 Aug 2002 00:50:25 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.4 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> Ah! The mixer stuff was what made me look for an init script in the +> first place, I didn't bother to check whether the existing stuff would +> have worked with that. Will try that out, you can assume silence == +> success :) + +Well, from what I've tried, both the main and the PCM (at least) volume +levels can be controlled either by "alsamixer" or the good old "aumix". + +> > >From what I can tell after only 2 days using it : ALSA rocks, +> > >especially +> > since having a full OSS compatibility results that it breaks nothing at +> > all! :-) +> +> Agreed. Though with only 2 hours experience... + +I guess/hope some other people from the list will try it out ;-) + +Both problems you reported (libasound.so and wrong xine dependency) are now +fixed in the current packages. + +Oh, it's maybe also worth pointing out : I've implemented at last sorting +by both last change date and alphabetically for my "build list" in the php +code : http://freshrpms.net/builds/ + +And yes, I accept patches/comments/suggestions about all those spec files! + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1123.bad0078427c9876eb7986cd7e9000553 b/machine-learning-ex6/ex6/easy_ham/1123.bad0078427c9876eb7986cd7e9000553 new file mode 100644 index 0000000..0171d1e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1123.bad0078427c9876eb7986cd7e9000553 @@ -0,0 +1,122 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:59:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1CC0643F9B + for ; Thu, 29 Aug 2002 05:59:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:59:26 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SNDjZ14734 for + ; Thu, 29 Aug 2002 00:13:45 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SNB2J15836; Thu, 29 Aug 2002 01:11:02 + +0200 +Received: from imf03bis.bellsouth.net (mail203.mail.bellsouth.net + [205.152.58.143]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7SN9jJ31163 for ; Thu, 29 Aug 2002 01:09:45 +0200 +Received: from adsl-157-19-245.msy.bellsouth.net ([66.157.19.245]) by + imf03bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020828231115.SWA795.imf03bis.bellsouth.net@adsl-157-19-245.msy.bellsouth.net> + for ; Wed, 28 Aug 2002 19:11:15 -0400 +Subject: Re: ALSA (almost) made easy +From: Lance +To: RPM-List +In-Reply-To: <20020828190006.2200a154.matthias@rpmforge.net> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6) +Message-Id: <1030576177.6448.1.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 18:09:37 -0500 +Date: 28 Aug 2002 18:09:37 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_03_05, + TO_LOCALPART_EQ_REAL + version=2.40-cvs +X-Spam-Level: + +Thanks for this, I'm going to give them another try. One question: How +do I switch between digital out and analog out with ALSA? With +emu10k1-tools it's easy enough (emu-config -d for digital, emu-config -a +for analog) Is there a similar method with ALSA? + +Lance + +On Wed, 2002-08-28 at 12:00, Matthias Saou wrote: +> Followup to the story : +> +> I've now made a sub-package of alsa-driver called "alsa-kernel" which +> contains only the kernel modules, and alsa-driver contains everything else +> from the original package (device entries, include files and docs). +> +> This should allow installation of a single "alsa-driver" package and +> multiple "alsa-kernel" if you have more than one kernel installed. Right +> now the dependencies make it mandatory to have kernels installed through +> rpm... people who install from source can still install the ALSA modules +> from the source though ;-) +> +> The devices are there now, thank Gordon for reporting the problem (and as I +> said, you were the only one). Any further comments are very welcome! +> +> Download : http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ +> New spec : http://freshrpms.net/builds/alsa-driver/alsa-driver.spec +> +> If you aren't running kernel-2.4.18-10 for i686, simply --rebuild the +> alsa-driver source rpm and you'll get a package for your running kernel. +> +> Matthias +> +> -- +> Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +> Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +> Load : 0.08 0.42 0.84, AC on-line, battery charging: 100% (6:36) +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Finding out files larger than given size LOST #324 + +To find out all files in a dir over a given size, try: +find /path/to/dir_of_file -type f -size +Nk +[Where N is a number like 1024 for 1mb, and multiples thereof] + +####[Discussions on LIH : 04 Jul 2002]######################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1124.ca18e9fe0618bbac33ef2156d047cc7d b/machine-learning-ex6/ex6/easy_ham/1124.ca18e9fe0618bbac33ef2156d047cc7d new file mode 100644 index 0000000..2cf2bb6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1124.ca18e9fe0618bbac33ef2156d047cc7d @@ -0,0 +1,104 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 10:59:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5A04343F99 + for ; Thu, 29 Aug 2002 05:59:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 10:59:35 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SNEKZ14749 for + ; Thu, 29 Aug 2002 00:14:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SN93J30796; Thu, 29 Aug 2002 01:09:03 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SN83J30677 for + ; Thu, 29 Aug 2002 01:08:03 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7SN84622061 for ; + Thu, 29 Aug 2002 02:08:04 +0300 (EETDST) +Subject: Re: ALSA (almost) made easy +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020829005025.160073af.matthias@egwn.net> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> + <1030574318.1651.30.camel@bobcat.ods.org> + <20020829005025.160073af.matthias@egwn.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030576078.1643.61.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7SN83J30677 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 02:07:58 +0300 +Date: 29 Aug 2002 02:07:58 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.8 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_ISO885915,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +On Thu, 2002-08-29 at 01:50, Matthias Saou wrote: + +> > Ah! The mixer stuff was what made me look for an init script in the +> > first place, I didn't bother to check whether the existing stuff would +> > have worked with that. Will try that out, you can assume silence == +> > success :) +> +> Well, from what I've tried, both the main and the PCM (at least) volume +> levels can be controlled either by "alsamixer" or the good old "aumix". + +Cool, I'll try it out as well as the new RPMs tomorrow. + +> > > >From what I can tell after only 2 days using it : ALSA rocks, +> > > >especially +> > > since having a full OSS compatibility results that it breaks nothing at +> > > all! :-) +> > +> > Agreed. Though with only 2 hours experience... +> +> I guess/hope some other people from the list will try it out ;-) +> +> Both problems you reported (libasound.so and wrong xine dependency) are now +> fixed in the current packages. + +Thanks, that was quick! + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1125.32b3964c09cb6a90f69b0631171283e3 b/machine-learning-ex6/ex6/easy_ham/1125.32b3964c09cb6a90f69b0631171283e3 new file mode 100644 index 0000000..bc832cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1125.32b3964c09cb6a90f69b0631171283e3 @@ -0,0 +1,148 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 11:01:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6AE6043F99 + for ; Thu, 29 Aug 2002 06:01:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:01:04 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7T0IgZ20518 for + ; Thu, 29 Aug 2002 01:18:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7T0G6J12978; Thu, 29 Aug 2002 02:16:06 + +0200 +Received: from imf24bis.bellsouth.net (mail124.mail.bellsouth.net + [205.152.58.84]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7T0FHJ03427 for ; Thu, 29 Aug 2002 02:15:17 +0200 +Received: from adsl-157-16-61.msy.bellsouth.net ([66.157.16.61]) by + imf24bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020829001508.JZK24863.imf24bis.bellsouth.net@adsl-157-16-61.msy.bellsouth.net> + for ; Wed, 28 Aug 2002 20:15:08 -0400 +Subject: Re: ALSA (almost) made easy +From: Lance +To: RPM-List +In-Reply-To: <1030576177.6448.1.camel@localhost.localdomain> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030576177.6448.1.camel@localhost.localdomain> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6) +Message-Id: <1030580111.1388.2.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 19:15:10 -0500 +Date: 28 Aug 2002 19:15:10 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_03_05, + TO_LOCALPART_EQ_REAL + version=2.40-cvs +X-Spam-Level: + +Ok, I got ALSA installed and there is no static inbetween mp3s like +before which is great! My setup is digital 4.1 but sound is only coming +from front 2 speakers and subwoofer, rear speakers there is no sound. +Also alsamixer or aumix are unresponsive as well. + +Lance + +On Wed, 2002-08-28 at 18:09, Lance wrote: +> Thanks for this, I'm going to give them another try. One question: How +> do I switch between digital out and analog out with ALSA? With +> emu10k1-tools it's easy enough (emu-config -d for digital, emu-config -a +> for analog) Is there a similar method with ALSA? +> +> Lance +> +> On Wed, 2002-08-28 at 12:00, Matthias Saou wrote: +> > Followup to the story : +> > +> > I've now made a sub-package of alsa-driver called "alsa-kernel" which +> > contains only the kernel modules, and alsa-driver contains everything else +> > from the original package (device entries, include files and docs). +> > +> > This should allow installation of a single "alsa-driver" package and +> > multiple "alsa-kernel" if you have more than one kernel installed. Right +> > now the dependencies make it mandatory to have kernels installed through +> > rpm... people who install from source can still install the ALSA modules +> > from the source though ;-) +> > +> > The devices are there now, thank Gordon for reporting the problem (and as I +> > said, you were the only one). Any further comments are very welcome! +> > +> > Download : http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ +> > New spec : http://freshrpms.net/builds/alsa-driver/alsa-driver.spec +> > +> > If you aren't running kernel-2.4.18-10 for i686, simply --rebuild the +> > alsa-driver source rpm and you'll get a package for your running kernel. +> > +> > Matthias +> > +> > -- +> > Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +> > Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +> > Load : 0.08 0.42 0.84, AC on-line, battery charging: 100% (6:36) +> > +> > _______________________________________________ +> > RPM-List mailing list +> > http://lists.freshrpms.net/mailman/listinfo/rpm-list +> -- +> : +> ####[ Linux One Stanza Tip (LOST) ]########################### +> +> Sub : Finding out files larger than given size LOST #324 +> +> To find out all files in a dir over a given size, try: +> find /path/to/dir_of_file -type f -size +Nk +> [Where N is a number like 1024 for 1mb, and multiples thereof] +> +> ####[Discussions on LIH : 04 Jul 2002]######################## +> : +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Finding out files larger than given size LOST #324 + +To find out all files in a dir over a given size, try: +find /path/to/dir_of_file -type f -size +Nk +[Where N is a number like 1024 for 1mb, and multiples thereof] + +####[Discussions on LIH : 04 Jul 2002]######################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1126.b707ed79d4930e8b4fda1eb0dcd5add8 b/machine-learning-ex6/ex6/easy_ham/1126.b707ed79d4930e8b4fda1eb0dcd5add8 new file mode 100644 index 0000000..ad10114 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1126.b707ed79d4930e8b4fda1eb0dcd5add8 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 11:01:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BFB2844156 + for ; Thu, 29 Aug 2002 06:01:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:01:24 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7T4XQZ29855 for + ; Thu, 29 Aug 2002 05:33:26 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7T4T2J30066; Thu, 29 Aug 2002 06:29:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7T4STJ29980 for ; Thu, 29 Aug 2002 06:28:29 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829062638.53279644.matthias@egwn.net> +In-Reply-To: <1030580111.1388.2.camel@localhost.localdomain> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030576177.6448.1.camel@localhost.localdomain> + <1030580111.1388.2.camel@localhost.localdomain> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 06:26:38 +0200 +Date: Thu, 29 Aug 2002 06:26:38 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Lance wrote : + +> Ok, I got ALSA installed and there is no static inbetween mp3s like +> before which is great! My setup is digital 4.1 but sound is only coming +> from front 2 speakers and subwoofer, rear speakers there is no sound. +> Also alsamixer or aumix are unresponsive as well. + +Maybe you could find more info or tips on the ALSA page for your card? +Also, you could try "alsactl store", editing /etc/asound.state" by hand +(for me it contains data similar to what I can control with "alsamixer") +then run "alsactl restore" and see if you're able to change what you want +that way. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1127.1b3f0a69bea37c4e0a04b66ebc841196 b/machine-learning-ex6/ex6/easy_ham/1127.1b3f0a69bea37c4e0a04b66ebc841196 new file mode 100644 index 0000000..90c8baa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1127.1b3f0a69bea37c4e0a04b66ebc841196 @@ -0,0 +1,224 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 11:03:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 87D8943F99 + for ; Thu, 29 Aug 2002 06:03:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:03:34 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7T9uqZ07335 for + ; Thu, 29 Aug 2002 10:56:52 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7T9s2J15334; Thu, 29 Aug 2002 11:54:02 + +0200 +Received: from smtp-send.myrealbox.com (smtp-send.myrealbox.com + [192.108.102.143]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7T9rkJ15284 for ; Thu, 29 Aug 2002 11:53:46 +0200 +Received: from myrealbox.com danielpavel@smtp-send.myrealbox.com + [194.102.210.216] by smtp-send.myrealbox.com with NetMail SMTP Agent + $Revision: 3.11 $ on Novell NetWare via secured & encrypted transport + (TLS); Thu, 29 Aug 2002 03:53:42 -0600 +Message-Id: <3D6DED60.7070107@myrealbox.com> +From: Daniel Pavel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> + <1030574318.1651.30.camel@bobcat.ods.org> + <20020829005025.160073af.matthias@egwn.net> +Content-Type: multipart/mixed; boundary="------------090303060407010605030507" +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 12:46:08 +0300 +Date: Thu, 29 Aug 2002 12:46:08 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +--------------090303060407010605030507 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit + +Matthias Saou wrote: + > I guess/hope some other people from the list will try it out ;-) + > + > Both problems you reported (libasound.so and wrong xine dependency) are now + > fixed in the current packages. + > + > Oh, it's maybe also worth pointing out : I've implemented at last sorting + > by both last change date and alphabetically for my "build list" in the php + > code : http://freshrpms.net/builds/ + > + > And yes, I accept patches/comments/suggestions about all those spec files! + +Sure thing :) + +I've added to the spec some flags to remove OSS and ISA-PNP support at +build time if one wishes to, so is's possible to do a + + rpmbuild --recompile --without oss --without isapnp + +(I haven't included OSS in my 2.4.19, because VT82433 on my motherboard +is not supported :( yet, and I'm too lazy to recompile the kernel :)). + +Also, having the kernel compiled by me, I have no kernel-source package +installed. I've added a flag "kernsrc", that also can be used +--without, to remove the dependency for kernel-source at build time. It +would be nice to check the correct kernel include files actually exist +(/lib/modules/`uname -r`/build/include/linux/*.h), though; however, I'm +a beginner in RPM building -- is it possible to BuildRequire for a file +not provided by a package at all? I've googled a bit, and found no way +to do that. + +I was also considering adding some sort of flag for the --with-cards +option in alsa's ./configure, but don't know how to do that. Only found +out about --without from your first alsa-driver.spec, and existing RPM docs +don't help much. + + +Oh, and one more thing :). At first I've installed the first version of +alsa-driver for 2.4.18-10, although I don't have that kernel, to supply +the dependency for the rest of the alsa rpm's, and compiled the modules +from source. It created the /dev files and all. + +Then wanted to make my own rpm for 2.4.19, so now I'm trying to rpmbuild +the alsa-kernel package. Removed all alsa rpms, and tried my spec: + +rpmbuild --ba alsa-driver.spec.mine --without oss --without isapnp +--without kernsrc + +But I get this: + +==[long successful compile snipped]===================================== +warning: File listed twice: /dev/adsp +warning: File listed twice: /dev/amidi +Finding Provides: /usr/lib/rpm/find-provides +Finding Requires: /usr/lib/rpm/find-requires +PreReq: /bin/sh /bin/sh rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires(interp): /bin/sh /bin/sh +Requires(rpmlib): rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires(post): /bin/sh +Requires(postun): /bin/sh +Requires: alsa-kernel = 0.9.0rc3 /sbin/depmod +Processing files: alsa-kernel-0.9.0rc3-fr4_2.4.19 +Finding Provides: /usr/lib/rpm/find-provides +Finding Requires: /usr/lib/rpm/find-requires +PreReq: rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires(rpmlib): rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires: alsa-driver = 0.9.0rc3 kernel = 2.4.19 +Checking for unpackaged file(s): /usr/lib/rpm/check-files +/var/tmp/alsa-driver-0.9.0rc3-root +error: Installed (but unpackaged) file(s) found: + /etc/makedev.d/00macros + /etc/rc.d/init.d/alsasound + + +RPM build errors: + File listed twice: /dev/adsp + File listed twice: /dev/amidi + Installed (but unpackaged) file(s) found: + /etc/makedev.d/00macros + /etc/rc.d/init.d/alsasound +======================================================================== + +Like I said, I'm a beginned with RPM building, so I don't understand +much of what's going on here. The 00macros file is from the MAKEDEV +rpm, and alsasound was supposed to be installed by alsa-driver, I think. + It is not in the filesystem, anyway. + +I've looked in /var/tmp/alsa-driver-0.9.0rc3-root, they are there in +etc. For 00macros I think the part that does it is this line +in alsa-driver.spec: + +cp -a %{_sysconfdir}/makedev.d/00macros /{buildroot}%{_sysconfdir}/makedev.d/ + +And alsasound is installed by %{BUILDIDR}/Makefile. + + +Oh, and I think I've forgot to mention, I'm running beta-null :). + + > Matthias + +-silent + +-- +... And on the seventh day, God was arrested for tresspassing. + + +--------------090303060407010605030507 +Content-Type: text/plain; + name="alsa-driver.spec.patch" +Content-Transfer-Encoding: 7bit +Content-Disposition: inline; + filename="alsa-driver.spec.patch" + +6a7,17 +> +> %define withoss yes +> %{?_without_oss:%define withoss no} +> +> %define withisapnp auto +> %{?_without_isapnp:%define withisapnp no} +> +> %define kernsrc 1 +> %{?_without_kernsrc:%define kernsrc 0} +> +> +20a32 +> %if %{kernsrc} +21a34,36 +> %else +> BuildRequires: MAKEDEV +> %endif +64c79 +< %configure +--- +> %configure --with-oss=%{withoss} --with-isapnp=%{withisapnp} +119a135,137 +> * Thu Aug 29 2002 Daniel Pavel +> - Added OSS and ISA-PNP build-time flags. +> - Added kernel-source requirement flag. + + +--------------090303060407010605030507-- + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1128.03b2776407c0cc561ab9fa6bb46bd9ef b/machine-learning-ex6/ex6/easy_ham/1128.03b2776407c0cc561ab9fa6bb46bd9ef new file mode 100644 index 0000000..b45e131 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1128.03b2776407c0cc561ab9fa6bb46bd9ef @@ -0,0 +1,158 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 11:37:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A351843F99 + for ; Thu, 29 Aug 2002 06:37:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:37:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TAV8Z08321 for + ; Thu, 29 Aug 2002 11:31:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TAS2J09618; Thu, 29 Aug 2002 12:28:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7TARYJ09551 for + ; Thu, 29 Aug 2002 12:27:35 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829120926.0e6f691e.matthias@egwn.net> +In-Reply-To: <3D6DED60.7070107@myrealbox.com> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> + <1030574318.1651.30.camel@bobcat.ods.org> + <20020829005025.160073af.matthias@egwn.net> + <3D6DED60.7070107@myrealbox.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 12:09:26 +0200 +Date: Thu, 29 Aug 2002 12:09:26 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Daniel wrote : + +> > And yes, I accept patches/comments/suggestions about all those spec +> > files! +> +> Sure thing :) + +Cool :-) + +> I've added to the spec some flags to remove OSS and ISA-PNP support at +> build time if one wishes to, so is's possible to do a +> +> rpmbuild --recompile --without oss --without isapnp + +OK, I'll add this. + +> Also, having the kernel compiled by me, I have no kernel-source package +> installed. I've added a flag "kernsrc", that also can be used +> --without, to remove the dependency for kernel-source at build time. It +> would be nice to check the correct kernel include files actually exist +> (/lib/modules/`uname -r`/build/include/linux/*.h), though; however, I'm +> a beginner in RPM building -- is it possible to BuildRequire for a file +> not provided by a package at all? I've googled a bit, and found no way +> to do that. + +Requiring a file that isn't part of an rpm is not possible, no, except +maybe by stopping the build process if it isn't found... but that's errr... +ugly! +And I really think that for people who installed a kernel from sources, the +easiest is to install the alsa kernel drivers from source too... + +> I was also considering adding some sort of flag for the --with-cards +> option in alsa's ./configure, but don't know how to do that. Only found +> out about --without from your first alsa-driver.spec, and existing RPM +> docs don't help much. + +This would be a tricky one since to use the "--with " feature of +rpmbuild, I think you'd need to add individual handling of each and every +card :-/ + +> Oh, and one more thing :). At first I've installed the first version of +> alsa-driver for 2.4.18-10, although I don't have that kernel, to supply +> the dependency for the rest of the alsa rpm's, and compiled the modules +> from source. It created the /dev files and all. + +That's what the "alsa-driver" is there for, create all the base files +excluding the kernel drivers. What I would suggest for dependency reasons +it to install an "alsa-kernel" for the original kernel (you've kept it, +right? ;-)) and install ALSA modules from source for custom kernels built +from source. + +> Then wanted to make my own rpm for 2.4.19, so now I'm trying to rpmbuild +> the alsa-kernel package. Removed all alsa rpms, and tried my spec: +> +> rpmbuild --ba alsa-driver.spec.mine --without oss --without isapnp +> --without kernsrc +> +> But I get this: +> +> ==[long successful compile snipped]===================================== +> RPM build errors: +> File listed twice: /dev/adsp +> File listed twice: /dev/amidi +> Installed (but unpackaged) file(s) found: +> /etc/makedev.d/00macros +> /etc/rc.d/init.d/alsasound +> ======================================================================== +> +> Oh, and I think I've forgot to mention, I'm running beta-null :). + +Indeed : The rpm 4.1 snapshot in (null) has a few new features among which +having the build fail when files are present in the build root but not +listed in the %files section. I should remove them manually as part of the +build process... or maybe the new "%exclude /path/to/file" in the %files +section would do, but I don't know how older versions of rpm would handle +it. On my (null) build system, I've simply set the variable : +%_unpackaged_files_terminate_build 0 + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1129.50af16cc80052d1d25f28edcd3d1f439 b/machine-learning-ex6/ex6/easy_ham/1129.50af16cc80052d1d25f28edcd3d1f439 new file mode 100644 index 0000000..66ad949 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1129.50af16cc80052d1d25f28edcd3d1f439 @@ -0,0 +1,114 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 12:08:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2269443F9B + for ; Thu, 29 Aug 2002 07:08:26 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 12:08:26 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TBA6Z09559 for + ; Thu, 29 Aug 2002 12:10:06 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TB53J17968; Thu, 29 Aug 2002 13:05:03 + +0200 +Received: from smtp-send.myrealbox.com (smtp-send.myrealbox.com + [192.108.102.143]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7TB40J03972 for ; Thu, 29 Aug 2002 13:04:00 +0200 +Received: from myrealbox.com danielpavel@smtp-send.myrealbox.com + [194.102.210.216] by smtp-send.myrealbox.com with NetMail SMTP Agent + $Revision: 3.11 $ on Novell NetWare via secured & encrypted transport + (TLS); Thu, 29 Aug 2002 05:03:58 -0600 +Message-Id: <3D6DFDED.3000304@myrealbox.com> +From: Daniel Pavel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030567737.10901.9.camel@bobcat.ods.org> + <1030568564.10902.22.camel@bobcat.ods.org> + <20020829000606.5906404a.matthias@egwn.net> + <1030574318.1651.30.camel@bobcat.ods.org> + <20020829005025.160073af.matthias@egwn.net> + <3D6DED60.7070107@myrealbox.com> + <20020829120926.0e6f691e.matthias@egwn.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 13:56:45 +0300 +Date: Thu, 29 Aug 2002 13:56:45 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.5 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Matthias Saou wrote: +> OK, I'll add this. + +Cool :) + +> Requiring a file that isn't part of an rpm is not possible, no, except +> maybe by stopping the build process if it isn't found... but that's errr... +> ugly! +> And I really think that for people who installed a kernel from sources, the +> easiest is to install the alsa kernel drivers from source too... + +Yes, it is... But then alsa-driver requires alsa-kernel, and I don't quite +like --nodeps... + +> This would be a tricky one since to use the "--with " feature of +> rpmbuild, I think you'd need to add individual handling of each and every +> card :-/ + +That's ok. I was only considering it for the sake of tweaking anyway, not +for some real-world need :). + +> That's what the "alsa-driver" is there for, create all the base files +> excluding the kernel drivers. What I would suggest for dependency reasons +> it to install an "alsa-kernel" for the original kernel (you've kept it, +> right? ;-)) and install ALSA modules from source for custom kernels built +> from source. + +Um... I keep 2.4.18-12.2 for emergency sitations (like I forget to include +keyboard support in kernel, dumb me), but alsa-kernel_2.4.18-10 does not +require kernel-2.4.18-10, so that's ok. + +> Matthias + +-silent + +-- +... And on the seventh day, God was arrested for tresspassing. + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1130.17bf22bf823f2f45dca52f9933300160 b/machine-learning-ex6/ex6/easy_ham/1130.17bf22bf823f2f45dca52f9933300160 new file mode 100644 index 0000000..2bec5f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1130.17bf22bf823f2f45dca52f9933300160 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 13:31:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6C56844155 + for ; Thu, 29 Aug 2002 08:31:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 13:31:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TCSsZ12125 for + ; Thu, 29 Aug 2002 13:28:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TCQ2J27786; Thu, 29 Aug 2002 14:26:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7TCOWJ11869 for + ; Thu, 29 Aug 2002 14:24:32 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: /home/dude +Message-Id: <20020829142252.7b20caab.matthias@egwn.net> +In-Reply-To: <20020828143235.A5779@bonzo.nirvana> +References: <20020828143235.A5779@bonzo.nirvana> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 14:22:52 +0200 +Date: Thu, 29 Aug 2002 14:22:52 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Axel wrote : + +> I am now relaxed again ;), and pass this info on. Probably Matthias Saou +> himself is "dude", and some package has hardwired a path in his build +> directory. It would be nice to find out which and fix it, but I am using +> too many of the freshrpm suite to narrow it down. + +Indeed, my usual login is "dude" (and has been since long before "The Big +Lebowsky" came out ;-)), and it seems the some programs wrongly hard code +my home directory when being compiled :-( +For instance : + +[dude@python dude]$ strings /usr/bin/gentoo | grep dude +/home/dude/ +[dude@python dude]$ strings /usr/bin/xine | grep dude +/home/dude/redhat/tmp/xine-root/usr/share/locale + +These should probably be considered bugs in the program's build process +(especially for xine, look at that!), I'll report them upstream if/when I +have some time. + +Thanks for noticing this! +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1131.7f31a18433046205b44e6b46f9677f9a b/machine-learning-ex6/ex6/easy_ham/1131.7f31a18433046205b44e6b46f9677f9a new file mode 100644 index 0000000..806e536 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1131.7f31a18433046205b44e6b46f9677f9a @@ -0,0 +1,71 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 13:14:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 178CF44162 + for ; Mon, 2 Sep 2002 07:38:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:38:08 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g81BPqZ21787 for + ; Sun, 1 Sep 2002 12:25:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g81BN2J15735; Sun, 1 Sep 2002 13:23:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g81BMUJ13510; Sun, + 1 Sep 2002 13:22:30 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g81BMZ624653; Sun, 1 Sep 2002 14:22:35 +0300 + (EETDST) +Subject: gkrellm 2 plugins? +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +Cc: matthias@egwn.net +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030879344.19404.2.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g81BMUJ13510 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 01 Sep 2002 14:22:23 +0300 +Date: 01 Sep 2002 14:22:23 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=FROM_ISO885915,KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +Hi Matthias, + +I think I could do help you out with new plugins package for gkrellm 2. +Would you prefer to keep it as it is now, or package every plugin +separately? The latter would be probably easier to maintain. + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1132.44b959af317d959f6a497675f9df6444 b/machine-learning-ex6/ex6/easy_ham/1132.44b959af317d959f6a497675f9df6444 new file mode 100644 index 0000000..e7b23ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1132.44b959af317d959f6a497675f9df6444 @@ -0,0 +1,170 @@ +From rpm-list-admin@freshrpms.net Tue Sep 3 14:20:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 90D3C16F45 + for ; Tue, 3 Sep 2002 14:19:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:19:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g837PZZ08887 for + ; Tue, 3 Sep 2002 08:25:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g837N3J21203; Tue, 3 Sep 2002 09:23:03 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g837M4J17841 + for ; Tue, 3 Sep 2002 09:22:08 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17m81B-0002vI-00; Tue, 03 Sep 2002 03:22:33 -0400 +X-Originating-Ip: [207.172.11.147] +From: "" Angles " Puglisi" +To: "Lance" +Cc: "FreshRPMs List" +Subject: Re: thanks for the gamix source rpms! [ALSA stuff] +Message-Id: <20020903.3BF.49876600@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 03 Sep 2002 07:21:19 +0000 +Date: Tue, 03 Sep 2002 07:21:19 +0000 +X-Spam-Status: No, hits=-5.0 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +I wish I could answer your question but my laptop does not have the digital stuff +hooked up :( so I so not know about it. I have an excellent ESS Maestro3 which OSS +supports pretty lame so I was forced to learn about ALSA. + +I have used these commands to explore ALSA and my chip: + +arecord -l (list devices) +arecord -L (list PCM decices) + +I get some output like this: + +> arecord -l +card 0: MAESTRO3 [ESS Allegro PCI], device 0: Allegro [Allegro] + Subdevices: 1/1 + Subdevice #0: subdevice #0 + +> arecord -L +PCM list: + (SNIP - craploads of output) + +I noticed that the output from this commands kind of maps to what the alsamixer or +gamix have. + +For what it is worth, here is what I have in modules.conf for my sound stuff: + +> ## ALSA portion +> alias char-major-116 snd +> ## OSS/Free portion +> alias char-major-14 soundcore +> +> ## ALSA portion +> alias snd-card-0 snd-maestro3 +> ## OSS/Free portion +> alias sound-slot-0 snd-card-0 +> +> ## OSS/Free portion - card #1 +> alias sound-service-0-0 snd-mixer-oss +> # BAD alias sound-service-0-1 snd-seq-oss +> alias sound-service-0-3 snd-pcm-oss +> # BAD alias sound-service-0-8 snd-seq-oss +> alias sound-service-0-12 snd-pcm-oss +> # +> ## ALSA Options (optional) +> options snd snd_major=116 snd_cards_limit=1 snd_device_mode=0666 +> options snd-maestro3 snd_index=0 snd_id=MAESTRO3 snd_amp_gpio=8 +> # +> ## OSS Options (optional) +> alias snd-card-1 off +> alias snd-card-2 off +> alias snd-card-3 off +> alias sound-slot-1 off +> alias sound-service-1-0 off +> +> ## Preserve Mixer Settings +> #post-install /usr/sbin/alsactl restore MAESTRO3 +> #pre-remove /usr/sbin/alsactl store MAESTRO3 +> post-install /usr/sbin/alsactl restore +> pre-remove /usr/sbin/alsactl store + +Hope that helps, good luck. + + +Lance (lance_tt@bellsouth.net) wrote*: +> +>Hello, +> +>Thanks for these rpms, I removed the binary built from source (.tar.gz) +>and installed your SRPM of gamix. One quick question, is there a way to +>switch between digital out and analog out with the ALSA driver and +>utilities, or, for that matter, with gamix? I know with the OSS drivers +>I was using it was as simple as 'emu-config -d for digital and +>emu-config -a for analog, with the emu-tools package for SBLive! I +>noticed there is SB Live Analog/Digital Output Jack in alsamixer but +>haven't figured out the key to use, if this is the right control in +>mixer. Also, I tried to expand gamix to display all possible controls +>but it defaults back to 'Wave' and 'Music' With LFE, Center, Surround +>and Playback under Wave (this is how I control output of front and rear +>speakers for digital out...'Surround' and 'Playback') Under 'Music' +>there are two controls but unresponsive. I have a tuner and cassette +>deck hooked up to an audio/video switch that goes into 'Line In' on the +>soundcard. Again, with the OSS drivers, it was as simple as emu-config +>-d and emu-config -a. Digital out for anything coming from the +>computer, analog out for the tuner and cassette deck. I don't know if +>this is necessary to switch inbetween to get 'Line In' to work or not, +>but an expansion of gamix would help, where I could see all the +>controls.... +> +>Any help would be greatly appreciated and thanks again for the gamix +>rpms. +> +>Kind Regards, +> +>Lance +>-- +>: +>####[ Linux One Stanza Tip (LOST) ]########################### +> +>Sub : Command line shortcuts (clear) LOST #310 +> +>Tired of typing in "clear" every time you want the screen to +>be cleared ? Press [Ctrl-L] ... This works for most shells, +>(except for ash, bsh and ksh) +> +>############################################# +>: +> + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1133.4b5a4ac1c2bd770e63cc85059145ebe1 b/machine-learning-ex6/ex6/easy_ham/1133.4b5a4ac1c2bd770e63cc85059145ebe1 new file mode 100644 index 0000000..650d335 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1133.4b5a4ac1c2bd770e63cc85059145ebe1 @@ -0,0 +1,69 @@ +From rpm-list-admin@freshrpms.net Wed Sep 4 11:39:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E8ADA16F72 + for ; Wed, 4 Sep 2002 11:37:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:37:35 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g84657Z21740 for + ; Wed, 4 Sep 2002 07:05:07 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g84633J17390; Wed, 4 Sep 2002 08:03:03 + +0200 +Received: from basket.ball.reliam.net (basket.ball.reliam.net + [213.91.6.7]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8462ZJ17321 + for ; Wed, 4 Sep 2002 08:02:35 +0200 +Received: from localhost.localdomain (pD9EB4D1B.dip.t-dialin.net + [217.235.77.27]) by basket.ball.reliam.net (Postfix) with SMTP id + E8BBC3F51 for ; Wed, 4 Sep 2002 08:02:28 +0200 + (CEST) +From: che +To: rpm-zzzlist@freshrpms.net +Subject: d4x 2.03 package +Message-Id: <20020904075504.391d7319.che666@uni.de> +Organization: che +X-Mailer: Sylpheed version 0.8.2 (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 4 Sep 2002 07:55:04 -0400 +Date: Wed, 4 Sep 2002 07:55:04 -0400 +X-Spam-Status: No, hits=0.2 required=7.0 + tests=FORGED_RCVD_TRAIL,FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST, + NOSPAM_INC,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +Hello! + +i have just found a small issue with the downloader 4 x update. the ftp search engines are missing something like: + +%{_datadir}/d4x/ftpsearch.xml + +thanks in advance, +che + +p.s. i love the xmms-xosd plugin :) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1134.cd5158f0c8d2078b13d01514414e3e74 b/machine-learning-ex6/ex6/easy_ham/1134.cd5158f0c8d2078b13d01514414e3e74 new file mode 100644 index 0000000..d3498f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1134.cd5158f0c8d2078b13d01514414e3e74 @@ -0,0 +1,69 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 11:26:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4603716F1E + for ; Thu, 5 Sep 2002 11:26:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:26:16 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g84J6EZ15771 for + ; Wed, 4 Sep 2002 20:06:15 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g84J23J07677; Wed, 4 Sep 2002 21:02:03 + +0200 +Received: from web20808.mail.yahoo.com (web20808.mail.yahoo.com + [216.136.226.197]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g84J10J07556 for ; Wed, 4 Sep 2002 21:01:00 +0200 +Message-Id: <20020904190059.87681.qmail@web20808.mail.yahoo.com> +Received: from [192.35.37.20] by web20808.mail.yahoo.com via HTTP; + Wed, 04 Sep 2002 12:00:59 PDT +From: Doug Stewart +Subject: Fluxbox +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020904075504.391d7319.che666@uni.de> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 4 Sep 2002 12:00:59 -0700 (PDT) +Date: Wed, 4 Sep 2002 12:00:59 -0700 (PDT) +X-Spam-Status: No, hits=-1.8 required=7.0 + tests=FROM_ENDS_IN_NUMS,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,YAHOO_MSGID_ADDED + version=2.50-cvs +X-Spam-Level: + +I've noted that there are packaged versions of +Blackbox and hackedbox available from FreshRPMs. What +about FluxBox? http://fluxbox.sf.net + +I'd certainly enjoy a packaged version, since its +creators seem hesitant to provide .rpms (.debs, yes, +but no .rpms). + +.Doug + +__________________________________________________ +Do You Yahoo!? +Yahoo! Finance - Get real-time stock quotes +http://finance.yahoo.com + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1135.55ab9518e8b987f67ed8b5b85e8543e8 b/machine-learning-ex6/ex6/easy_ham/1135.55ab9518e8b987f67ed8b5b85e8543e8 new file mode 100644 index 0000000..d1d8f02 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1135.55ab9518e8b987f67ed8b5b85e8543e8 @@ -0,0 +1,166 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 11:26:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 39B3016F22 + for ; Thu, 5 Sep 2002 11:26:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:26:39 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g84M89Z21179 for + ; Wed, 4 Sep 2002 23:08:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g84Lw0J18179; Wed, 4 Sep 2002 23:58:00 + +0200 +Received: from horkos.telenet-ops.be (horkos.telenet-ops.be + [195.130.132.45]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g84LvCJ10274 for ; Wed, 4 Sep 2002 23:57:12 +0200 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + horkos.telenet-ops.be (Postfix) with SMTP id C96B083E2D for + ; Wed, 4 Sep 2002 23:56:41 +0200 (CEST) +Received: from zoe (D5760A70.kabel.telenet.be [213.118.10.112]) by + horkos.telenet-ops.be (Postfix) with ESMTP id 9F76483D83 for + ; Wed, 4 Sep 2002 23:56:41 +0200 (CEST) +From: Nick Verhaegen +To: rpm-zzzlist@freshrpms.net +Subject: Re: Fluxbox +User-Agent: KMail/1.4.1 +References: <20020904190059.87681.qmail@web20808.mail.yahoo.com> +In-Reply-To: <20020904190059.87681.qmail@web20808.mail.yahoo.com> +MIME-Version: 1.0 +Content-Type: Multipart/Mixed; + boundary="------------Boundary-00=_OYOXHTVA0T2X8R5S233Y" +Message-Id: <200209042356.48124.nick@permflux.org> +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 4 Sep 2002 23:56:48 +0200 +Date: Wed, 4 Sep 2002 23:56:48 +0200 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + + +--------------Boundary-00=_OYOXHTVA0T2X8R5S233Y +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + +Hi, + +=09I made a spec file for it some weeks ago, maybe it can be included in = +fresh.=20 +If not, at least you can use it... + +I'm attaching it here... + +Hope it might be some use for you, does the trick for me. Might be an old= +=20 +version though, but should still work + +Nick + + + + +On Wednesday 04 September 2002 21:00, Doug Stewart wrote: +> I've noted that there are packaged versions of +> Blackbox and hackedbox available from FreshRPMs. What +> about FluxBox? http://fluxbox.sf.net +> +> I'd certainly enjoy a packaged version, since its +> creators seem hesitant to provide .rpms (.debs, yes, +> but no .rpms). +> +> .Doug +> +> __________________________________________________ +> Do You Yahoo!? +> Yahoo! Finance - Get real-time stock quotes +> http://finance.yahoo.com +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + +--------------Boundary-00=_OYOXHTVA0T2X8R5S233Y +Content-Type: text/plain; + charset="iso-8859-1"; + name="fluxbox.spec" +Content-Transfer-Encoding: 7bit +Content-Disposition: attachment; filename="fluxbox.spec" + +Summary: Blackbox derived window manager +Name: fluxbox +Version: 0.1.10 +Release: nv1 +License: other +Group: User Interface/Desktops +Source: http://prdownloads.sourceforge.net/fluxbox/%{name}-%{version}.tar.gz +URL: http://fluxbox.sourceforge.net +BuildRoot: %{_tmppath}/%{name}-root +BuildRequires: XFree86-devel, libstdc++-devel + +%description + + +Fluxbox is yet another windowmanager for X. +It's based on the Blackbox 0.61.1 code. Fluxbox looks like blackbox and +handles styles, colors, window placement and similar thing exactly like +blackbox (100% theme/style compability). +Many changes and improvements have been made to the code, such as window tabs, +iconbar, native keygrabber, gnome and kde support etc. + +%prep +%setup -q + + +%build +%configure --enable-xinerama --enable-gnome --enable-kde +make + +%install +rm -rf %{buildroot} +%makeinstall + +%clean +rm -rf %{buildroot} + + +%files +%defattr(-, root, root) +%doc README NEWS COPYING AUTHORS INSTALL TODO doc/Coding_style +%{_bindir}/* +%{_datadir}/%{name} +%{_mandir}/man1/* + +%changelog +* Thu Jul 19 2002 Nick Verhaegen +- Update to 0.1.10 + +* Tue Jul 9 2002 Nick Verhaegen +- Initial RPM release. + + +--------------Boundary-00=_OYOXHTVA0T2X8R5S233Y-- + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1136.b12b9479134d3bab39dd5101720b062f b/machine-learning-ex6/ex6/easy_ham/1136.b12b9479134d3bab39dd5101720b062f new file mode 100644 index 0000000..0363758 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1136.b12b9479134d3bab39dd5101720b062f @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 11:28:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 03A4F16F73 + for ; Thu, 5 Sep 2002 11:27:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:27:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g857KVZ08602 for + ; Thu, 5 Sep 2002 08:20:31 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g857C1J17031; Thu, 5 Sep 2002 09:12:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g857BnJ16997 + for ; Thu, 5 Sep 2002 09:11:50 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17mqoR-00053c-00 for rpm-list@freshrpms.net; + Thu, 05 Sep 2002 03:12:23 -0400 +X-Originating-Ip: [4.64.17.23] +From: "" Angles " Puglisi" +To: "FreshRPMs List" +Subject: apt and a hybrid system +Message-Id: <20020905.RoT.47903400@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 07:11:23 +0000 +Date: Thu, 05 Sep 2002 07:11:23 +0000 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Back when I had regular RH7.3 there was nothing better than "apt-get upgrade". But +now I'm running (null) beta and I have these questions: + +which version of "apt" can I use, the RH7.3 version or the "rawhide" version? + +Is there a way to use apt to update (null) with the rpms available for (null) +through up2date, since I prefer apt to that? + +If I can use apt, can I use it to get updates from these 3 different places: +1. the (null) up2date Redhat upgrades +2. the (null) files at Freshrpms.net +3. the regular RH7.3 files from freshrpms.net + +Am I asking for too much simplicity in this complicated world? + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1137.3724caf191c2493a4754198cdbbd62c0 b/machine-learning-ex6/ex6/easy_ham/1137.3724caf191c2493a4754198cdbbd62c0 new file mode 100644 index 0000000..c3f3960 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1137.3724caf191c2493a4754198cdbbd62c0 @@ -0,0 +1,73 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 11:46:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C08D916F1E + for ; Thu, 5 Sep 2002 11:45:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:45:55 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g85AcKZ15026 for + ; Thu, 5 Sep 2002 11:38:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g85AY1J22104; Thu, 5 Sep 2002 12:34:01 + +0200 +Received: from bonzo.nirvana (pD9E7E2B4.dip.t-dialin.net + [217.231.226.180]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g85AX4J12145 for ; Thu, 5 Sep 2002 12:33:04 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt and a hybrid system +Message-Id: <20020905123258.A9886@bonzo.nirvana> +References: <20020905.RoT.47903400@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020905.RoT.47903400@www.dudex.net>; from + angles@aminvestments.com on Thu, Sep 05, 2002 at 07:11:23AM +0000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 12:32:58 +0200 +Date: Thu, 5 Sep 2002 12:32:58 +0200 +X-Spam-Status: No, hits=-15.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 07:11:23AM +0000, Angles Puglisi wrote: +> If I can use apt, can I use it to get updates from these 3 different places: +> 1. the (null) up2date Redhat upgrades +> 2. the (null) files at Freshrpms.net +> 3. the regular RH7.3 files from freshrpms.net + +You could build your own apt-repository. Just mirror the needed directories +(e.g. by using a wget cron job), symlink the needed rpms and recreate the +repository. It is already worth the trouble, if you have more than one +installation. + +In any case in order to acces the mentioned places, somebody must keep such a +repository up to date, be it yourself or someone else. +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1138.f044795ad01dc8592e1571539f800719 b/machine-learning-ex6/ex6/easy_ham/1138.f044795ad01dc8592e1571539f800719 new file mode 100644 index 0000000..88d2490 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1138.f044795ad01dc8592e1571539f800719 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 12:50:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8599316F20 + for ; Thu, 5 Sep 2002 12:50:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:50:06 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g85BgHZ17290 for + ; Thu, 5 Sep 2002 12:42:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g85Bc1J10899; Thu, 5 Sep 2002 13:38:01 + +0200 +Received: from fep07-app.kolumbus.fi (fep07-0.kolumbus.fi [193.229.0.51]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g85Bb1J04837 for + ; Thu, 5 Sep 2002 13:37:01 +0200 +Received: from azrael.blades.cxm ([62.248.235.88]) by + fep07-app.kolumbus.fi with ESMTP id + <20020905113657.LLNH1030.fep07-app.kolumbus.fi@azrael.blades.cxm> for + ; Thu, 5 Sep 2002 14:36:57 +0300 +Received: (from blades@localhost) by azrael.blades.cxm (SGI-8.9.3/8.9.3) + id OAA09272 for rpm-list@freshrpms.net; Thu, 5 Sep 2002 14:36:39 +0300 + (EEST) +X-Authentication-Warning: azrael.blades.cxm: blades set sender to + harri.haataja@cs.helsinki.fi using -f +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt and a hybrid system +Message-Id: <20020905143630.B6397@azrael.smilehouse.com> +References: <20020905.RoT.47903400@www.dudex.net> + <20020905123258.A9886@bonzo.nirvana> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020905123258.A9886@bonzo.nirvana>; from + Axel.Thimm@physik.fu-berlin.de on Thu, Sep 05, 2002 at 12:32:58PM +0200 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 14:36:39 +0300 +Date: Thu, 5 Sep 2002 14:36:39 +0300 +X-Spam-Status: No, hits=-17.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 12:32:58PM +0200, Axel Thimm wrote: +> On Thu, Sep 05, 2002 at 07:11:23AM +0000, Angles Puglisi wrote: +> > If I can use apt, can I use it to get updates from these 3 different +> > places: +> > 1. the (null) up2date Redhat upgrades +> > 2. the (null) files at Freshrpms.net +> > 3. the regular RH7.3 files from freshrpms.net +> You could build your own apt-repository. Just mirror the needed +> directories (e.g. by using a wget cron job), symlink the needed rpms +> and recreate the repository. It is already worth the trouble, if you +> have more than one installation. + +Always nice to have one to put stuff that overrides RH things. Like if +you absolutely detest qt and some programs are rebuildable from sources +with different %configure options. You can get src.rpm, edit spec, bump +release numberwith your initials and another number and rebuild, insert +into apt and let loose... :) + +Doesn't freshrpms have updates dir too? Maybe not quite as up to date as +up2date but still. I would never use up2date. There is another +repository at apt-rpm.tuxfamily.org IIRC. Not sure if that had The +updates. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1139.44ea8e749419ab215aab3810e4deea83 b/machine-learning-ex6/ex6/easy_ham/1139.44ea8e749419ab215aab3810e4deea83 new file mode 100644 index 0000000..9211bcb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1139.44ea8e749419ab215aab3810e4deea83 @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Thu Sep 5 13:04:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A03BF16F1E + for ; Thu, 5 Sep 2002 13:04:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 13:04:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g85BrnZ17635 for + ; Thu, 5 Sep 2002 12:53:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g85Bp2J07028; Thu, 5 Sep 2002 13:51:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g85Bo7J06794 + for ; Thu, 5 Sep 2002 13:50:07 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17mv9k-0005FX-00 for rpm-list@freshrpms.net; + Thu, 05 Sep 2002 07:50:40 -0400 +X-Originating-Ip: [4.64.17.23] +From: "" Angles " Puglisi" +To: "FreshRPMs List" +Subject: alsaplayer for (null) +Message-Id: <20020905.knH.90838400@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 11:49:41 +0000 +Date: Thu, 05 Sep 2002 11:49:41 +0000 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +I spun another AlsaPlayer build, this time on my (null) box. I do not know what this +means but the Curl stuff compiled in this time. + +It's sounding damn cool with the new alsa drivers. Thanks to Matthias for the Alsa +RPMS. Great job bring sound to the masses. + +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap2.i386.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap2.i686.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap2.src.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71.spec + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1140.58310046747fc9cf38a43349d2461870 b/machine-learning-ex6/ex6/easy_ham/1140.58310046747fc9cf38a43349d2461870 new file mode 100644 index 0000000..6cbe8cf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1140.58310046747fc9cf38a43349d2461870 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Fri Sep 6 11:34:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 676B616F17 + for ; Fri, 6 Sep 2002 11:33:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:33:59 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868I5W25134 for + ; Fri, 6 Sep 2002 09:18:06 +0100 +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by webnote.net + (8.9.3/8.9.3) with ESMTP id IAA20563 for ; + Fri, 6 Sep 2002 08:09:40 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g86711J18957; Fri, 6 Sep 2002 09:01:01 + +0200 +Received: from localhost.localdomain ([218.188.76.21]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8670ZJ18832 for + ; Fri, 6 Sep 2002 09:00:35 +0200 +Received: from localhost (localhost [[UNIX: localhost]]) by + localhost.localdomain (8.11.6/8.11.6) id g8670VX01954 for + rpm-list@freshrpms.net; Fri, 6 Sep 2002 15:00:31 +0800 +Content-Type: text/plain; charset="us-ascii" +From: Stephen Liu +To: rpm-zzzlist@freshrpms.net +Subject: Apt-get question +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Message-Id: <200209061500.31306.satimis@writeme.com> +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g8670ZJ18832 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 15:00:31 +0800 +Date: Fri, 6 Sep 2002 15:00:31 +0800 +X-Spam-Status: No, hits=-1.0 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +Hi All Folks, + +I have 'APT' installed and updated from 'freshmeat.net. But I failed using it + +# apt-get install +/mnt/cdrom/Linux/CDBurner/cdrtools-cdrecord-1.11a23-1.i386.rpm +Processing File Dependencies... Done +Reading Package Lists... Done +Building Dependency Tree... Done +E: Couldn't find package +/mnt/cdrom/Linux/CDBurner/cdrtools-cdrecord-1.11a23-1.i386.rpm + +The file 'cdrtools-cdrecord-1.11a23-1.i386.rpm' is there + +I performed another test copying the file +'cdrtools-cdrecord-1.11a23-1.i386.rpm' to /root/Download + +# apt-get install /root/Download/cdrtools-cdrecord-1.11a23-1.i386.rpm +Processing File Dependencies... Done +Reading Package Lists... Done +Building Dependency Tree... Done +E: Couldn't find package /root/Download/cdrtools-cdrecord-1.11a23-1.i386.rpm + +Still failed. Finally I rpm 'cdrtools-cdrecord-1.11a23-1.i386.rpm' from the +CD and suceeded. + +Kindly advise what mistake I have committed. + +Thanks in advance. + +Stephen Liu + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1141.42ab0fa28e1e4653f538879dcf15a368 b/machine-learning-ex6/ex6/easy_ham/1141.42ab0fa28e1e4653f538879dcf15a368 new file mode 100644 index 0000000..2f65f2a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1141.42ab0fa28e1e4653f538879dcf15a368 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Fri Sep 6 11:34:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F97916F1A + for ; Fri, 6 Sep 2002 11:34:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:14 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8691YC27100 for + ; Fri, 6 Sep 2002 10:01:47 +0100 +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by webnote.net + (8.9.3/8.9.3) with ESMTP id JAA20784 for ; + Fri, 6 Sep 2002 09:42:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g868b2J21346; Fri, 6 Sep 2002 10:37:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g868a1J21197 for + ; Fri, 6 Sep 2002 10:36:01 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt-get question +Message-Id: <20020906103455.432893b2.matthias@egwn.net> +In-Reply-To: <200209061500.31306.satimis@writeme.com> +References: <200209061500.31306.satimis@writeme.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 10:34:55 +0200 +Date: Fri, 6 Sep 2002 10:34:55 +0200 +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Stephen wrote : + +> # apt-get install +> /mnt/cdrom/Linux/CDBurner/cdrtools-cdrecord-1.11a23-1.i386.rpm + +This is not how apt is meant to be used, see Gordon's answer to your post +on the Valhalla list for details. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1142.a9639f4250d907e182cf4e3a41e4b636 b/machine-learning-ex6/ex6/easy_ham/1142.a9639f4250d907e182cf4e3a41e4b636 new file mode 100644 index 0000000..7d56ad7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1142.a9639f4250d907e182cf4e3a41e4b636 @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Fri Sep 6 11:37:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B0AD616F16 + for ; Fri, 6 Sep 2002 11:36:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:24 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869qFC29126 for + ; Fri, 6 Sep 2002 10:52:15 +0100 +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by webnote.net + (8.9.3/8.9.3) with ESMTP id AAA19189 for ; + Fri, 6 Sep 2002 00:10:06 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g85N63J14153; Fri, 6 Sep 2002 01:06:03 + +0200 +Received: from mel-rto4.wanadoo.fr (smtp-out-4.wanadoo.fr [193.252.19.23]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g85N4hJ13842 for + ; Fri, 6 Sep 2002 01:04:43 +0200 +Received: from mel-rta9.wanadoo.fr (193.252.19.69) by mel-rto4.wanadoo.fr + (6.5.007) id 3D760D0800115165 for rpm-list@freshrpms.net; Fri, + 6 Sep 2002 01:04:37 +0200 +Received: from kalis.tuxfan.net (80.15.107.216) by mel-rta9.wanadoo.fr + (6.5.007) id 3D775B8400054AD0 for rpm-list@freshrpms.net; Fri, + 6 Sep 2002 01:04:37 +0200 +From: Laurent Papier +To: rpm-zzzlist@freshrpms.net +Subject: Pb with mplayer-0.90pre7 +Message-Id: <20020906010437.67707f3f.papier@tuxfan.net> +X-Mailer: Sylpheed version 0.8.2 (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 01:04:37 +0200 +Date: Fri, 6 Sep 2002 01:04:37 +0200 +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Hi, +this is my first problem with one of the freshrpms rpms ... +I just upgrade mplayer and now I get + +$ mplayer +mplayer: error while loading shared libraries: libdvdnav.so.1: cannot open shared object file: No such file or directory + +I guess Matthias has forgotten libdvdnav dependency. + +-- +They told me I needed WIN95 or better +So I chose Linux! + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1143.aabb3e2c8b41d8aa5f02c1dc00a0a8a2 b/machine-learning-ex6/ex6/easy_ham/1143.aabb3e2c8b41d8aa5f02c1dc00a0a8a2 new file mode 100644 index 0000000..f2cd005 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1143.aabb3e2c8b41d8aa5f02c1dc00a0a8a2 @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:57:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E5C2916EFC + for ; Mon, 9 Sep 2002 17:57:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:57:43 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g115mqY09154 for + ; Fri, 1 Feb 2002 05:48:53 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g115m1329353; + Fri, 1 Feb 2002 06:48:01 +0100 +Received: from pd5mo1so.prod.shaw.ca (h24-71-223-13.cg.shawcable.net + [24.71.223.13]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g115l5329118 for ; Fri, 1 Feb 2002 06:47:05 +0100 +Received: from pd5mr2so.prod.shaw.ca (pd5mr2so-qfe3.prod.shaw.ca + [10.0.141.233]) by l-daemon (iPlanet Messaging Server 5.1 (built May 7 + 2001)) with ESMTP id <0GQU00M3PAQCDI@l-daemon> for rpm-list@freshrpms.net; + Thu, 31 Jan 2002 22:47:00 -0700 (MST) +Received: from pn2ml3so (pn2ml3so-qfe0.prod.shaw.ca [10.0.121.147]) by + l-daemon (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0GQU00530AQCOI@l-daemon> for rpm-list@freshrpms.net; Thu, 31 Jan 2002 + 22:47:00 -0700 (MST) +Received: from shaw.ca (h24-86-194-126.ed.shawcable.net [24.86.194.126]) + by l-daemon (iPlanet Messaging Server 5.0 Patch 2 (built Dec 14 2000)) + with ESMTP id <0GQU000LJAQCZJ@l-daemon> for rpm-list@freshrpms.net; + Thu, 31 Jan 2002 22:47:00 -0700 (MST) +From: rob bains +Subject: Please help a newbie compile mplayer :-) +To: rpm-zzzlist@freshrpms.net +Message-Id: <3C5A2B2E.9050400@shaw.ca> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7BIT +X-Accept-Language: en-us +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.2.1) Gecko/20010901 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 31 Jan 2002 22:44:14 -0700 +Date: Thu, 31 Jan 2002 22:44:14 -0700 +X-Spam-Status: No, hits=-1.8 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + + Hello, + + I just installed redhat 7.2 and I think I have everything +working properly. Anyway I want to install mplayer because I heard it +can play quicktime movs. I apt-get source mplayer and dl'd it to +/usr/src. + + I tried to just rpm --rebuild mplayer-20020106-fr1.src.rpm, +then I get ; mplayer-20020106-fr1.src.rpm: No such file or directory. + + Any help or a link to some document would be appreciated, Thanks +-rob + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1144.105b5e507aa84b76d4b580be8b0bcd90 b/machine-learning-ex6/ex6/easy_ham/1144.105b5e507aa84b76d4b580be8b0bcd90 new file mode 100644 index 0000000..08996cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1144.105b5e507aa84b76d4b580be8b0bcd90 @@ -0,0 +1,98 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:57:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 21BD716EFC + for ; Mon, 9 Sep 2002 17:57:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:57:57 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g116t3Y10985 for + ; Fri, 1 Feb 2002 06:55:04 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g116s1300608; + Fri, 1 Feb 2002 07:54:01 +0100 +Received: from imf08bis.bellsouth.net (mail108.mail.bellsouth.net + [205.152.58.48]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g116rY300594 for ; Fri, 1 Feb 2002 07:53:34 +0100 +Received: from adsl-157-18-205.msy.bellsouth.net ([66.157.18.205]) by + imf08bis.bellsouth.net (InterMail vM.5.01.04.00 201-253-122-122-20010827) + with ESMTP id + <20020201065447.BNKB29644.imf08bis.bellsouth.net@adsl-157-18-205.msy.bellsouth.net> + for ; Fri, 1 Feb 2002 01:54:47 -0500 +Subject: Re: Please help a newbie compile mplayer :-) +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <3C5A2B2E.9050400@shaw.ca> +References: <3C5A2B2E.9050400@shaw.ca> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2 +Message-Id: <1012546426.21971.5.camel@localhost.localdomain> +MIME-Version: 1.0 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 01 Feb 2002 00:53:41 -0600 +Date: 01 Feb 2002 00:53:41 -0600 +X-Spam-Status: No, hits=-11.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +Make sure you rebuild as root and you're in the directory that you +downloaded the file. Also it might complain of a few dependencies but +you can get these at freshrpms.net, except for gcc3, which you can find +on your Red Hat cd, Red Hat ftp, or rpmfind.net. + +After you rebuild the source rpm it should install a binary rpm in +/usr/src/redhat/RPMS/i386. With all dependencies met, install mplayer +with 'rpm -ivh mplayer-20020106-fr1.rpm' and you should be good to go. + +One last thing, you will need the win32 codecs, I found them on google, +create a directory /usr/lib/win32 and place the codecs in there. + +Good Luck! + +Lance + +On Thu, 2002-01-31 at 23:44, rob bains wrote: +> +> Hello, +> +> I just installed redhat 7.2 and I think I have everything +> working properly. Anyway I want to install mplayer because I heard it +> can play quicktime movs. I apt-get source mplayer and dl'd it to +> /usr/src. +> +> I tried to just rpm --rebuild mplayer-20020106-fr1.src.rpm, +> then I get ; mplayer-20020106-fr1.src.rpm: No such file or directory. +> +> Any help or a link to some document would be appreciated, Thanks +> -rob +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1145.34a6c095d84e586da2b0177b7914882f b/machine-learning-ex6/ex6/easy_ham/1145.34a6c095d84e586da2b0177b7914882f new file mode 100644 index 0000000..6992518 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1145.34a6c095d84e586da2b0177b7914882f @@ -0,0 +1,112 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:58:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 47B6D16EFC + for ; Mon, 9 Sep 2002 17:58:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:58:05 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g1196YY14763 for + ; Fri, 1 Feb 2002 09:06:35 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11951308525; + Fri, 1 Feb 2002 10:05:01 +0100 +Received: from pd4mo1so.prod.shaw.ca (h24-71-223-10.cg.shawcable.net + [24.71.223.10]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g1194X308504 for ; Fri, 1 Feb 2002 10:04:33 +0100 +Received: from pd3mr1so.prod.shaw.ca (pd3mr1so-ser.prod.shaw.ca + [10.0.141.177]) by l-daemon (iPlanet Messaging Server 5.0 Patch 2 (built + Dec 14 2000)) with ESMTP id <0GQU0070ZJVIQ3@l-daemon> for + rpm-list@freshrpms.net; Fri, 01 Feb 2002 02:04:30 -0700 (MST) +Received: from pn2ml6so.prod.shaw.ca (pn2ml6so-qfe0.prod.shaw.ca + [10.0.121.150]) by l-daemon (iPlanet Messaging Server 5.0 Patch 2 (built + Dec 14 2000)) with ESMTP id <0GQU00C4CJVI6P@l-daemon> for + rpm-list@freshrpms.net; Fri, 01 Feb 2002 02:04:30 -0700 (MST) +Received: from shaw.ca (h24-86-194-126.ed.shawcable.net [24.86.194.126]) + by l-daemon (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP + id <0GQU0007PJV4YB@l-daemon> for rpm-list@freshrpms.net; Fri, + 01 Feb 2002 02:04:16 -0700 (MST) +From: rob bains +Subject: Re: Please help a newbie compile mplayer :-) +To: rpm-zzzlist@freshrpms.net +Message-Id: <3C5A5978.80500@shaw.ca> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7BIT +X-Accept-Language: en-us +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.2.1) Gecko/20010901 +References: <3C5A2B2E.9050400@shaw.ca> + <1012546426.21971.5.camel@localhost.localdomain> +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 01 Feb 2002 02:01:44 -0700 +Date: Fri, 01 Feb 2002 02:01:44 -0700 +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Lance wrote: + +>Make sure you rebuild as root and you're in the directory that you +>downloaded the file. Also it might complain of a few dependencies but +>you can get these at freshrpms.net, except for gcc3, which you can find +>on your Red Hat cd, Red Hat ftp, or rpmfind.net. +> +>After you rebuild the source rpm it should install a binary rpm in +>/usr/src/redhat/RPMS/i386. With all dependencies met, install mplayer +>with 'rpm -ivh mplayer-20020106-fr1.rpm' and you should be good to go. +> +>One last thing, you will need the win32 codecs, I found them on google, +>create a directory /usr/lib/win32 and place the codecs in there. +> +>Good Luck! +> +>Lance +> + I dl'd gcc3 and libgcc3, but I still get the same error message when I +try rpm --rebuild or recompile. I do this as root, I dl'd as root also. + +thanks for the help, any more idea what's going on? + +> +>> +>> +>> I tried to just rpm --rebuild mplayer-20020106-fr1.src.rpm, +>>then I get ; mplayer-20020106-fr1.src.rpm: No such file or directory. +>> +>> +>> +>> +> +> +> +> +>_______________________________________________ +>RPM-List mailing list +>http://lists.freshrpms.net/mailman/listinfo/rpm-list +> + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1146.bf3f0043f371245c3f6253361acb3156 b/machine-learning-ex6/ex6/easy_ham/1146.bf3f0043f371245c3f6253361acb3156 new file mode 100644 index 0000000..8bcc762 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1146.bf3f0043f371245c3f6253361acb3156 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:58:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 59CE916EFC + for ; Mon, 9 Sep 2002 17:58:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:58:16 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g119YIY15716 for + ; Fri, 1 Feb 2002 09:34:19 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g119X1310603; + Fri, 1 Feb 2002 10:33:01 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g119WR310365 for + ; Fri, 1 Feb 2002 10:32:27 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Please help a newbie compile mplayer :-) +Message-Id: <20020201102923.3bfb81dc.matthias@egwn.net> +In-Reply-To: <3C5A5978.80500@shaw.ca> +References: <3C5A2B2E.9050400@shaw.ca> + <1012546426.21971.5.camel@localhost.localdomain> <3C5A5978.80500@shaw.ca> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 10:29:23 +0100 +Date: Fri, 1 Feb 2002 10:29:23 +0100 +X-Spam-Status: No, hits=-15.8 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, rob wrote : + +> I dl'd gcc3 and libgcc3, but I still get the same error message when I +> try rpm --rebuild or recompile. I do this as root, I dl'd as root also. +> +> thanks for the help, any more idea what's going on? + +I've never installed source rpms with apt, but I suppose that if you get +file not found, it's because the source rpm was installed. To see if this +is the case, go to /usr/src/redhat/SPECS/ and if you see mplayer.spec, +you'll just need to do "rpm -bb mplayer.spec" to get a binary build in +/usr/src/redhat/RPMS/i386/ + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1147.744811b2ba3a95401f70b17e9fade217 b/machine-learning-ex6/ex6/easy_ham/1147.744811b2ba3a95401f70b17e9fade217 new file mode 100644 index 0000000..bffb685 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1147.744811b2ba3a95401f70b17e9fade217 @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D387716EFC + for ; Mon, 9 Sep 2002 17:58:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:58:58 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11D1p824443 for + ; Fri, 1 Feb 2002 13:01:51 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11D11328911; + Fri, 1 Feb 2002 14:01:01 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g11D0S328894 for ; Fri, 1 Feb 2002 14:00:28 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g11D0Qp17387 for + ; Fri, 1 Feb 2002 15:00:27 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g11D0MD28004 for rpm-list@freshrpms.net; Fri, + 1 Feb 2002 15:00:22 +0200 +From: Harri Haataja +To: Freshrpms list +Subject: http://apt.nixia.no/ +Message-Id: <20020201150022.B11472@cs.helsinki.fi> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-md5; + protocol="application/pgp-signature"; + boundary="6sX45UoQRIJXqkqR" +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 15:00:22 +0200 +Date: Fri, 1 Feb 2002 15:00:22 +0200 +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=KNOWN_MAILING_LIST,PGP_SIGNATURE_2,SPAM_PHRASE_00_01, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--6sX45UoQRIJXqkqR +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +Title page has a login screen and I can't seem to get the apt indexes +anymore. Is it just me or is something going on there? + +--=20 +Additive E120 - "not suitable for vegetarians". +http://www.bryngollie.freeserve.co.uk/E120.htm + +--6sX45UoQRIJXqkqR +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE8WpFlQF8Oi9XNck4RAtn4AKC40mgaJXP7T+go1THM7XsZ1B8pNgCfZyoy +jDkvRp7pFzUF1Pw5sOuoFhY= +=9TDR +-----END PGP SIGNATURE----- + +--6sX45UoQRIJXqkqR-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1148.78b528d4233a8f6f6e43fdd6e7e97a53 b/machine-learning-ex6/ex6/easy_ham/1148.78b528d4233a8f6f6e43fdd6e7e97a53 new file mode 100644 index 0000000..1dc8f64 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1148.78b528d4233a8f6f6e43fdd6e7e97a53 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B4FD216EFC + for ; Mon, 9 Sep 2002 17:59:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:09 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11EgF828113 for + ; Fri, 1 Feb 2002 14:42:15 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Ef1310866; + Fri, 1 Feb 2002 15:41:01 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Eed310845 for + ; Fri, 1 Feb 2002 15:40:39 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020201153541.1321cd9b.matthias@egwn.net> +In-Reply-To: <20020201150022.B11472@cs.helsinki.fi> +References: <20020201150022.B11472@cs.helsinki.fi> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 15:35:41 +0100 +Date: Fri, 1 Feb 2002 15:35:41 +0100 +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Harri wrote : + +> Title page has a login screen and I can't seem to get the apt indexes +> anymore. Is it just me or is something going on there? + +You can't get the file index from here either? +http://apt.nixia.no/apt/files/ + +During the past few days, I've experienced connection problems with that +site from time to time, but for me right now it's working. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1149.68dbf497c1a8748757b6acc50fb74ed0 b/machine-learning-ex6/ex6/easy_ham/1149.68dbf497c1a8748757b6acc50fb74ed0 new file mode 100644 index 0000000..7baf713 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1149.68dbf497c1a8748757b6acc50fb74ed0 @@ -0,0 +1,105 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C773316EFC + for ; Mon, 9 Sep 2002 17:59:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:17 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11Eu8828580 for + ; Fri, 1 Feb 2002 14:56:08 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Et0312114; + Fri, 1 Feb 2002 15:55:00 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g11EsZ312082 for ; Fri, 1 Feb 2002 15:54:35 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g11Esep24895 for + ; Fri, 1 Feb 2002 16:54:41 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g11EsZM05267 for rpm-list@freshrpms.net; Fri, + 1 Feb 2002 16:54:35 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020201165435.C11472@cs.helsinki.fi> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-md5; + protocol="application/pgp-signature"; + boundary="yLVHuoLXiP9kZBkt" +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020201153541.1321cd9b.matthias@egwn.net>; from + matthias@egwn.net on Fri, Feb 01, 2002 at 03:35:41PM +0100 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 16:54:35 +0200 +Date: Fri, 1 Feb 2002 16:54:35 +0200 +X-Spam-Status: No, hits=-13.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--yLVHuoLXiP9kZBkt +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Feb 01, 2002 at 03:35:41PM +0100, Matthias Saou wrote: +> Once upon a time, Harri wrote : +>=20 +> > Title page has a login screen and I can't seem to get the apt indexes +> > anymore. Is it just me or is something going on there? +>=20 +> You can't get the file index from here either? +> http://apt.nixia.no/apt/files/ + +The requested URL /apt/files/ was not found on this server. + +> During the past few days, I've experienced connection problems with that +> site from time to time, but for me right now it's working. + +Maybe it's temporary :-/ + +--=20 +Win a live rat for your mother-in-law! + +--yLVHuoLXiP9kZBkt +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE8WqwpQF8Oi9XNck4RAmDLAJ9vdN7wlECYEdkP/MDwWnykFA97OQCfZxJc +F7RkwD9oaZV1rg/r8p06Dmw= +=OXj6 +-----END PGP SIGNATURE----- + +--yLVHuoLXiP9kZBkt-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1150.7c0819a67445e3b16a94c43e003d74db b/machine-learning-ex6/ex6/easy_ham/1150.7c0819a67445e3b16a94c43e003d74db new file mode 100644 index 0000000..401cbbe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1150.7c0819a67445e3b16a94c43e003d74db @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6C4B816EFC + for ; Mon, 9 Sep 2002 17:59:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:26 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11FNF829836 for + ; Fri, 1 Feb 2002 15:23:15 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11FM0314022; + Fri, 1 Feb 2002 16:22:00 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11FL5313996 for + ; Fri, 1 Feb 2002 16:21:06 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020201161552.3497fbfd.matthias@egwn.net> +In-Reply-To: <20020201165435.C11472@cs.helsinki.fi> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 16:15:52 +0100 +Date: Fri, 1 Feb 2002 16:15:52 +0100 +X-Spam-Status: No, hits=-16.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Harri wrote : + +> > You can't get the file index from here either? +> > http://apt.nixia.no/apt/files/ +> +> The requested URL /apt/files/ was not found on this server. + +Very strange then : It works fine from here, even shift-reloading and with +no proxy whatsoever! + +> > During the past few days, I've experienced connection problems with +> > that site from time to time, but for me right now it's working. +> +> Maybe it's temporary :-/ + +If you need another apt repository with Red Hat Linux 7.2 files, there are +a few others. See : http://freshrpms.net/apt/ + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1151.29e4a84f607ead7d55a50aeef2c3f574 b/machine-learning-ex6/ex6/easy_ham/1151.29e4a84f607ead7d55a50aeef2c3f574 new file mode 100644 index 0000000..c74eae7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1151.29e4a84f607ead7d55a50aeef2c3f574 @@ -0,0 +1,113 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2446E16EFC + for ; Mon, 9 Sep 2002 17:59:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:35 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11FhS830693 for + ; Fri, 1 Feb 2002 15:43:29 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Fg2315537; + Fri, 1 Feb 2002 16:42:02 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g11FfW315510 for ; Fri, 1 Feb 2002 16:41:32 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g11Ffbp02684 for + ; Fri, 1 Feb 2002 17:41:37 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g11FfWI08881 for rpm-list@freshrpms.net; Fri, + 1 Feb 2002 17:41:32 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020201174132.A8690@cs.helsinki.fi> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-md5; + protocol="application/pgp-signature"; + boundary="J2SCkAp4GZ/dPZZf" +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020201161552.3497fbfd.matthias@egwn.net>; from + matthias@egwn.net on Fri, Feb 01, 2002 at 04:15:52PM +0100 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 17:41:32 +0200 +Date: Fri, 1 Feb 2002 17:41:32 +0200 +X-Spam-Status: No, hits=-15.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--J2SCkAp4GZ/dPZZf +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Feb 01, 2002 at 04:15:52PM +0100, Matthias Saou wrote: +> Once upon a time, Harri wrote : +>=20 +> > > During the past few days, I've experienced connection problems with +> > > that site from time to time, but for me right now it's working. +> >=20 +> > Maybe it's temporary :-/ +>=20 +> If you need another apt repository with Red Hat Linux 7.2 files, there are +> a few others. See : http://freshrpms.net/apt/ + +I have a local one for the main and upgrades from somewhere plus my own +at $ORKPLACE. + +blades@remiel% grep nixia /etc/apt/sources.list=20 +#rpm http://apt.nixia.no redhat/7.2/i386 gnomehide +#rpm-src http://apt.nixia.no redhat/7.2/i386 gnomehide + +Ah, that's it. They had newer gnome there + +--=20 +"When life hands you a lemon, make batteries +=2E...then go electrocute someone." + -- Stevo, Scary Devil Monastery + +--J2SCkAp4GZ/dPZZf +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE8WrcrQF8Oi9XNck4RAur7AKDDRrfTI/kW7UZ1Vi0WXhPXycX4cwCgyd99 +PcYli3Z2sQrAZPcG5KWF4GY= +=CkwN +-----END PGP SIGNATURE----- + +--J2SCkAp4GZ/dPZZf-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1152.743d812488a852f6a39a5f32b2a651be b/machine-learning-ex6/ex6/easy_ham/1152.743d812488a852f6a39a5f32b2a651be new file mode 100644 index 0000000..4788616 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1152.743d812488a852f6a39a5f32b2a651be @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9D5CF16EFC + for ; Mon, 9 Sep 2002 17:59:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:43 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11IBK804416 for + ; Fri, 1 Feb 2002 18:11:20 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11IA1326604; + Fri, 1 Feb 2002 19:10:01 +0100 +Received: from ematic.com (ematic-ecdc-191-64.digisle.net + [167.216.191.64]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g11HZE324211 for ; Fri, 1 Feb 2002 18:35:18 +0100 +Received: from bfrench ([65.213.202.212]) by ematic.com ; Fri, + 01 Feb 2002 12:35:20 -0500 +From: "Brian French" +To: "Rpm-List at freshrpms" +Subject: Prob. w/ install/uninstall +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-RCPT-To: +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 12:42:02 -0500 +Date: Fri, 1 Feb 2002 12:42:02 -0500 +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +hey i have a problem: +i have a rpms that i have installed that i want to uninstall, i do it +like so: +rpm -e [rpm package] +and it gives the error: package not installed, so i install it like +so: +rpm -i [rpm package] +and it gives the error: package already installed, so i force it to +install like so: +rpm -i --force [rpm package] +this installs it and then i try to uninstall it again and it still +gives me the same error: package not installed. + +How can i get it to recognize that the package is indeed installed it, +and/or get it to unstall it? + +Thanx in advance, +Brian French + +-French + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1153.7b47e0e617c7b0c1e9f3acc37588a890 b/machine-learning-ex6/ex6/easy_ham/1153.7b47e0e617c7b0c1e9f3acc37588a890 new file mode 100644 index 0000000..5f8eae5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1153.7b47e0e617c7b0c1e9f3acc37588a890 @@ -0,0 +1,107 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 17:59:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E82D316EFC + for ; Mon, 9 Sep 2002 17:59:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 17:59:51 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11IJR804659 for + ; Fri, 1 Feb 2002 18:19:28 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11II0327258; + Fri, 1 Feb 2002 19:18:00 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11IHj327244 for + ; Fri, 1 Feb 2002 19:17:45 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Prob. w/ install/uninstall +Message-Id: <20020201191747.4ca19d1a.matthias@egwn.net> +In-Reply-To: +References: +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 19:17:47 +0100 +Date: Fri, 1 Feb 2002 19:17:47 +0100 +X-Spam-Status: No, hits=-16.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Brian wrote : + +> hey i have a problem: +> i have a rpms that i have installed that i want to uninstall, i do it +> like so: +> rpm -e [rpm package] +> and it gives the error: package not installed, so i install it like +> so: +> rpm -i [rpm package] +> and it gives the error: package already installed, so i force it to +> install like so: +> rpm -i --force [rpm package] +> this installs it and then i try to uninstall it again and it still +> gives me the same error: package not installed. +> +> How can i get it to recognize that the package is indeed installed it, +> and/or get it to unstall it? + +You're a bit too vague on your "[rpm package]" here... +Maybe this will help you : + +[root@python apg]# rpm -e apg +[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg-1.2.13-fr1[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg-1.2.13-fr1.i386.rpm error: package apg-1.2.13-fr1.i386.rpm is not +installed[root@python apg]# + +You can just put the name, of the name and version, and even the release, +but the entire filename will not work! + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1154.674eb8b1b601caf93e93010364a5a715 b/machine-learning-ex6/ex6/easy_ham/1154.674eb8b1b601caf93e93010364a5a715 new file mode 100644 index 0000000..36b2c6a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1154.674eb8b1b601caf93e93010364a5a715 @@ -0,0 +1,126 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 87D0B16EFC + for ; Mon, 9 Sep 2002 18:00:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:00 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11IdX805308 for + ; Fri, 1 Feb 2002 18:39:33 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Ic1328696; + Fri, 1 Feb 2002 19:38:01 +0100 +Received: from ematic.com (ematic-ecdc-191-64.digisle.net + [167.216.191.64]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g11IWm328332 for ; Fri, 1 Feb 2002 19:32:49 +0100 +Received: from bfrench ([65.213.202.212]) by ematic.com ; Fri, + 01 Feb 2002 13:32:49 -0500 +From: "Brian French" +To: +Subject: RE: Prob. w/ install/uninstall +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <20020201191747.4ca19d1a.matthias@egwn.net> +X-RCPT-To: +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 13:39:31 -0500 +Date: Fri, 1 Feb 2002 13:39:31 -0500 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_02_03,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +oh ok, thanx alot!! i was puttin the entire rpm package name like +php-4.0.4pl1.i386.rpm +that's why it wasn't working. + +-----Original Message----- +From: rpm-zzzlist-admin@freshrpms.net +[mailto:rpm-list-admin@freshrpms.net]On Behalf Of Matthias Saou (by way +of Matthias Saou ) +Sent: Friday, February 01, 2002 1:18 PM +To: rpm-zzzlist@freshrpms.net +Subject: Re: Prob. w/ install/uninstall + + +Once upon a time, Brian wrote : + +> hey i have a problem: +> i have a rpms that i have installed that i want to uninstall, i do it +> like so: +> rpm -e [rpm package] +> and it gives the error: package not installed, so i install it like +> so: +> rpm -i [rpm package] +> and it gives the error: package already installed, so i force it to +> install like so: +> rpm -i --force [rpm package] +> this installs it and then i try to uninstall it again and it still +> gives me the same error: package not installed. +> +> How can i get it to recognize that the package is indeed installed it, +> and/or get it to unstall it? + +You're a bit too vague on your "[rpm package]" here... +Maybe this will help you : + +[root@python apg]# rpm -e apg +[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg-1.2.13-fr1[root@python apg]# rpm -ivh apg-1.2.13-fr1.i386.rpm +Preparing... ########################################### +[100%] 1:apg +########################################### [100%][root@python apg]# rpm -e +apg-1.2.13-fr1.i386.rpm error: package apg-1.2.13-fr1.i386.rpm is not +installed[root@python apg]# + +You can just put the name, of the name and version, and even the release, +but the entire filename will not work! + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1155.08c63446a38f2603d099ae25aff92c55 b/machine-learning-ex6/ex6/easy_ham/1155.08c63446a38f2603d099ae25aff92c55 new file mode 100644 index 0000000..2a35d7d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1155.08c63446a38f2603d099ae25aff92c55 @@ -0,0 +1,108 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E1BF816EFC + for ; Mon, 9 Sep 2002 18:00:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:11 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11LwP811768 for + ; Fri, 1 Feb 2002 21:58:25 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11Lv1307726; + Fri, 1 Feb 2002 22:57:01 +0100 +Received: from Warthog.cg.shawcable.net + (root@h24-64-62-122.cg.shawcable.net [24.64.62.122]) by auth02.nl.egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g11LuW307711 for + ; Fri, 1 Feb 2002 22:56:32 +0100 +Received: (from phil@localhost) by Warthog.cg.shawcable.net + (8.11.6/8.11.6) id g11L3ul03314 for rpm-list@freshrpms.net; Fri, + 1 Feb 2002 14:03:56 -0700 +X-Authentication-Warning: Warthog.cg.shawcable.net: phil set sender to + marmot-linux@shaw.ca using -f +From: Phil Morris +To: rpm-zzzlist@freshrpms.net +Subject: Re: Prob. w/ install/uninstall +Message-Id: <20020201140356.A3308@Warthog.cg.shawcable.net> +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: ; + from bfrench@ematic.com on Fri, Feb 01, 2002 at 12:42:02PM -0500 +X-Operating-System: Linux Warthog.cg.shawcable.net 2.4.9-13 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 1 Feb 2002 14:03:56 -0700 +Date: Fri, 1 Feb 2002 14:03:56 -0700 +X-Spam-Status: No, hits=-20.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Fri, Feb 01, 2002 at 12:42:02PM -0500, Brian French wrote: +> hey i have a problem: +> i have a rpms that i have installed that i want to uninstall, i do it +> like so: +> rpm -e [rpm package] +> and it gives the error: package not installed, so i install it like +> so: +Its a little confusing but you install rpms like +rpm -ivh packagename-0.1.1.rpm +uninstalls must be done without the version info like +rpm -e packagename ie: rpm -e sendmail or +rpm -e sendmail-devel. + +give that a go and it should work np. + +Phil, + + +> rpm -i [rpm package] +> and it gives the error: package already installed, so i force it to +> install like so: +> rpm -i --force [rpm package] +> this installs it and then i try to uninstall it again and it still +> gives me the same error: package not installed. +> +> How can i get it to recognize that the package is indeed installed it, +> and/or get it to unstall it? +> +> Thanx in advance, +> Brian French +> +> -French +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + +-- +"I say, bring on the brand new renaissance. 'Cause I +think I'm ready. I've been shaking all night long... +But my hands are steady." +Gord Downie http://www.thehip.com + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1156.526d3b7c28d6e06d2672f8d9058d5e93 b/machine-learning-ex6/ex6/easy_ham/1156.526d3b7c28d6e06d2672f8d9058d5e93 new file mode 100644 index 0000000..96cfdb1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1156.526d3b7c28d6e06d2672f8d9058d5e93 @@ -0,0 +1,97 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9D98A16EFC + for ; Mon, 9 Sep 2002 18:00:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:20 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g11MGS812405 for + ; Fri, 1 Feb 2002 22:16:28 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g11MF0308879; + Fri, 1 Feb 2002 23:15:00 +0100 +Received: from drone4.qsi.net.nz (drone4-svc-skyt.qsi.net.nz + [202.89.128.4]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g11MEh308869 for ; Fri, 1 Feb 2002 23:14:43 +0100 +Received: (qmail 95088 invoked by uid 0); 1 Feb 2002 22:15:02 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 1 Feb 2002 22:15:02 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.12 #1 (Debian)) id 16WnZF-00036C-00 for ; + Sat, 02 Feb 2002 12:58:05 +1300 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: problems with apt update +Message-Id: <14220000.1012602017@spawn.se7en.org> +X-Mailer: Mulberry/2.1.2 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 02 Feb 2002 11:20:17 +1300 +Date: Sat, 02 Feb 2002 11:20:17 +1300 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Hiya, I always seem to get errors when I do an "apt update", is this a +problem on the repository itself, or on my end, or possibly a timeout in +the connection due to my connection being a crappy modem? + +[root@spawn root]# apt-get update +Hit http://apt.nixia.no redhat/7.2/i386/base/pkglist.gnomehide +Hit http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.os +Ign http://apt.freshrpms.net redhat/7.2/i386 release.os +Err http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.updates + Bad header line +Hit http://apt.freshrpms.net redhat/7.2/i386 release.updates +Err http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.freshrpms + 400 Bad Request +Err http://apt.freshrpms.net redhat/7.2/i386 release.freshrpms + Bad header line +Hit http://apt.freshrpms.net redhat/7.2/i386/base/srclist.freshrpms +Ign http://apt.nixia.no redhat/7.2/i386 release.gnomehide +Ign http://apt.nixia.no redhat/7.2/i386/base/mirrors +Hit http://apt.freshrpms.net redhat/7.2/i386 release.freshrpms +Ign http://apt.freshrpms.net redhat/7.2/i386/base/mirrors +Ign http://apt.freshrpms.net redhat/7.2/i386/base/mirrors +Ign http://apt.freshrpms.net redhat/7.2/i386/base/mirrors +Ign http://apt.freshrpms.net redhat/7.2/i386/base/mirrors +Failed to fetch +http://apt.freshrpms.net/redhat/7.2/i386/base/pkglist.updates + Bad header line +Failed to fetch +http://apt.freshrpms.net/redhat/7.2/i386/base/pkglist.freshrpms + 400 Bad Request +Failed to fetch +http://apt.freshrpms.net/redhat/7.2/i386/base/release.freshrpms + Bad header line + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1157.c9a61837e0193ee50609b6412cac5bdf b/machine-learning-ex6/ex6/easy_ham/1157.c9a61837e0193ee50609b6412cac5bdf new file mode 100644 index 0000000..59b699a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1157.c9a61837e0193ee50609b6412cac5bdf @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9FDD516EFC + for ; Mon, 9 Sep 2002 18:00:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:29 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g123ec832356 for + ; Sat, 2 Feb 2002 03:40:38 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g123a1327082; + Sat, 2 Feb 2002 04:36:02 +0100 +Received: from imf17bis.bellsouth.net (mail317.mail.bellsouth.net + [205.152.58.177]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g123Zp327072 for ; Sat, 2 Feb 2002 04:35:51 +0100 +Received: from adsl-157-22-214.msy.bellsouth.net ([66.157.22.214]) by + imf17bis.bellsouth.net (InterMail vM.5.01.04.00 201-253-122-122-20010827) + with ESMTP id + <20020202033703.ZMCA22816.imf17bis.bellsouth.net@adsl-157-22-214.msy.bellsouth.net> + for ; Fri, 1 Feb 2002 22:37:03 -0500 +Subject: Re: problems with 'apt-get -f install' +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <14220000.1012602017@spawn.se7en.org> +References: <14220000.1012602017@spawn.se7en.org> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2 +Message-Id: <1012620964.5580.5.camel@localhost.localdomain> +MIME-Version: 1.0 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 01 Feb 2002 21:36:04 -0600 +Date: 01 Feb 2002 21:36:04 -0600 +X-Spam-Status: No, hits=-9.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +I have failed dependencies in RPM database to I am unable to use +apt-get. I requests to run 'apt-get -f install' to fix these +dependencies, however, I get these errors when running 'apt-get -f +install' : + +[root@localhost root]# apt-get -f install +Processing File Dependencies... Done +Reading Package Lists... Done +Building Dependency Tree... Done +Correcting dependencies... Done +The following extra packages will be installed: + libgcj +The following NEW packages will be installed: + libgcj +0 packages upgraded, 1 newly installed, 0 to remove(replace) and 68 not +upgraded. +Need to get 2407kB of archives. After unpacking 8598kB will be used. +Do you want to continue? [Y/n] Y +Get:1 http://apt-rpm.tuxfamily.org redhat-7.2-i386/redhat/os libgcj +2.96-27 [2407kB] +Fetched 2407kB in 22s +(105kB/s) +Executing RPM (-U)... +Preparing... ########################################### +[100%] + 1:libgcj error: unpacking of archive failed on file +/usr/share/libgcj.zip;3c5b5e75: cpio: MD5 sum mismatch +E: Sub-process /bin/rpm returned an error code (1) +[root@localhost root]# + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1158.99fa7ccbe31c36e259370ffbb2789c82 b/machine-learning-ex6/ex6/easy_ham/1158.99fa7ccbe31c36e259370ffbb2789c82 new file mode 100644 index 0000000..21c2a87 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1158.99fa7ccbe31c36e259370ffbb2789c82 @@ -0,0 +1,124 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9697B16EFC + for ; Mon, 9 Sep 2002 18:00:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:37 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g12CD3816653 for + ; Sat, 2 Feb 2002 12:13:03 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g12CC2323019; + Sat, 2 Feb 2002 13:12:02 +0100 +Received: from devel.freshrpms.net (80-24-132-206.uc.nombres.ttd.es + [80.24.132.206]) (authenticated) by auth02.nl.egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g12CBZ323009 for + ; Sat, 2 Feb 2002 13:11:35 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: problems with apt update +Message-Id: <20020202130604.54a97e4e.matthias@egwn.net> +In-Reply-To: <14220000.1012602017@spawn.se7en.org> +References: <14220000.1012602017@spawn.se7en.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 2 Feb 2002 13:06:04 +0100 +Date: Sat, 2 Feb 2002 13:06:04 +0100 +X-Spam-Status: No, hits=-14.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Mark wrote : + +> Hiya, I always seem to get errors when I do an "apt update", is this a +> problem on the repository itself, or on my end, or possibly a timeout in +> the connection due to my connection being a crappy modem? +> +> [root@spawn root]# apt-get update +> Hit http://apt.nixia.no redhat/7.2/i386/base/pkglist.gnomehide +> Hit http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.os +> Ign http://apt.freshrpms.net redhat/7.2/i386 release.os +> Err http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.updates +> Bad header line +> Hit http://apt.freshrpms.net redhat/7.2/i386 release.updates +> Err http://apt.freshrpms.net redhat/7.2/i386/base/pkglist.freshrpms +> 400 Bad Request +> Err http://apt.freshrpms.net redhat/7.2/i386 release.freshrpms +> Bad header line +> Hit http://apt.freshrpms.net redhat/7.2/i386/base/srclist.freshrpms +> Ign http://apt.nixia.no redhat/7.2/i386 release.gnomehide +> Ign http://apt.nixia.no redhat/7.2/i386/base/mirrors +> Hit http://apt.freshrpms.net redhat/7.2/i386 release.freshrpms +[...] + +It works for me (it should works with or without the "en" subdirectory). +Does it always give you the same error each time? Do you use an proxy +server? + +[root@python root]# apt-get update +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/srclist.os +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.os +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/srclist.updates +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.updates +Get:1 http://apt.freshrpms.net redhat/7.2/en/i386/base/pkglist.os [1035kB] +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.os +Get:2 http://apt.freshrpms.net redhat/7.2/en/i386/base/pkglist.updates +[331kB] Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.updates +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/pkglist.freshrpms +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.freshrpms +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/srclist.os +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.os +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/srclist.updates +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.updates +Hit http://apt.freshrpms.net redhat/7.2/en/i386/base/srclist.freshrpms +Hit http://apt.freshrpms.net redhat/7.2/en/i386 release.freshrpms +Ign http://apt.freshrpms.net redhat/7.2/en/$(ARCH)/base/mirrors +Ign http://apt.freshrpms.net redhat/7.2/en/$(ARCH)/base/mirrors +Ign http://apt.freshrpms.net redhat/7.2/en/$(ARCH)/base/mirrors +Fetched 1366kB in 1m16s (17.9kB/s) +Processing File Dependencies... Done +Reading Package Lists... Done +Building Dependency Tree... Done +W: http://apt.freshrpms.net/ will not be authenticated. +W: http://apt.freshrpms.net/ will not be authenticated. +W: http://apt.freshrpms.net/ will not be authenticated. +[root@python root]# + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1159.b8870925b809f91e1940798973103a81 b/machine-learning-ex6/ex6/easy_ham/1159.b8870925b809f91e1940798973103a81 new file mode 100644 index 0000000..03cde70 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1159.b8870925b809f91e1940798973103a81 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C6ED916EFC + for ; Mon, 9 Sep 2002 18:00:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:45 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g12CFE816686 for + ; Sat, 2 Feb 2002 12:15:14 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g12CF1323284; + Sat, 2 Feb 2002 13:15:01 +0100 +Received: from devel.freshrpms.net (80-24-132-206.uc.nombres.ttd.es + [80.24.132.206]) (authenticated) by auth02.nl.egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g12CE7323271 for + ; Sat, 2 Feb 2002 13:14:07 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: problems with 'apt-get -f install' +Message-Id: <20020202130844.32a8b78b.matthias@egwn.net> +In-Reply-To: <1012620964.5580.5.camel@localhost.localdomain> +References: <14220000.1012602017@spawn.se7en.org> + <1012620964.5580.5.camel@localhost.localdomain> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 2 Feb 2002 13:08:44 +0100 +Date: Sat, 2 Feb 2002 13:08:44 +0100 +X-Spam-Status: No, hits=-14.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Lance wrote : + +> I have failed dependencies in RPM database to I am unable to use +> apt-get. I requests to run 'apt-get -f install' to fix these +> dependencies, however, I get these errors when running 'apt-get -f +> install' : +[...] +> error: unpacking of archive failed on file +> /usr/share/libgcj.zip;3c5b5e75: cpio: MD5 sum mismatch +> E: Sub-process /bin/rpm returned an error code (1) +> [root@localhost root]# + +I'd say that the file apt downloaded is corrupted. Maybe trying "apt-get +clean" to remove all downloaded files first would solve the problem. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1160.7ee82d03d42b984ccc3ec82e26077e95 b/machine-learning-ex6/ex6/easy_ham/1160.7ee82d03d42b984ccc3ec82e26077e95 new file mode 100644 index 0000000..38fe649 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1160.7ee82d03d42b984ccc3ec82e26077e95 @@ -0,0 +1,96 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:00:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7D89E16EFC + for ; Mon, 9 Sep 2002 18:00:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:00:53 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g12EC5820412 for + ; Sat, 2 Feb 2002 14:12:05 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g12EB5329636; + Sat, 2 Feb 2002 15:11:05 +0100 +Received: from imf16bis.bellsouth.net (mail016.mail.bellsouth.net + [205.152.58.36]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g12EAn329625 for ; Sat, 2 Feb 2002 15:10:49 +0100 +Received: from adsl-157-20-8.msy.bellsouth.net ([66.157.20.8]) by + imf16bis.bellsouth.net (InterMail vM.5.01.04.00 201-253-122-122-20010827) + with ESMTP id + <20020202141206.MQVJ18740.imf16bis.bellsouth.net@adsl-157-20-8.msy.bellsouth.net> + for ; Sat, 2 Feb 2002 09:12:06 -0500 +Subject: Re: problems with 'apt-get -f install' +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020202130844.32a8b78b.matthias@egwn.net> +References: <14220000.1012602017@spawn.se7en.org> + <1012620964.5580.5.camel@localhost.localdomain> + <20020202130844.32a8b78b.matthias@egwn.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2 +Message-Id: <1012659069.7723.1.camel@localhost.localdomain> +MIME-Version: 1.0 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 02 Feb 2002 08:11:08 -0600 +Date: 02 Feb 2002 08:11:08 -0600 +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Hello, + +Tried 'apt-get clean' with same results. + +On Sat, 2002-02-02 at 06:08, Matthias Saou wrote: +> Once upon a time, Lance wrote : +> +> > I have failed dependencies in RPM database to I am unable to use +> > apt-get. I requests to run 'apt-get -f install' to fix these +> > dependencies, however, I get these errors when running 'apt-get -f +> > install' : +> [...] +> > error: unpacking of archive failed on file +> > /usr/share/libgcj.zip;3c5b5e75: cpio: MD5 sum mismatch +> > E: Sub-process /bin/rpm returned an error code (1) +> > [root@localhost root]# +> +> I'd say that the file apt downloaded is corrupted. Maybe trying "apt-get +> clean" to remove all downloaded files first would solve the problem. +> +> Matthias +> +> -- +> Matthias Saou World Trade Center +> ------------- Edificio Norte 4 Planta +> System and Network Engineer 08039 Barcelona, Spain +> Electronic Group Interactive Phone : +34 936 00 23 23 +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1161.9bcd69bccfeb05378e3e36fa62b16f7d b/machine-learning-ex6/ex6/easy_ham/1161.9bcd69bccfeb05378e3e36fa62b16f7d new file mode 100644 index 0000000..5b3d153 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1161.9bcd69bccfeb05378e3e36fa62b16f7d @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 62CAC16EFC + for ; Mon, 9 Sep 2002 18:01:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:02 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g12LGo806449 for + ; Sat, 2 Feb 2002 21:16:51 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g12LG1321570; + Sat, 2 Feb 2002 22:16:01 +0100 +Received: from drone5.qsi.net.nz (drone5-svc-skyt.qsi.net.nz + [202.89.128.5]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g12LF7321559 for ; Sat, 2 Feb 2002 22:15:07 +0100 +Received: (qmail 37937 invoked by uid 0); 2 Feb 2002 21:15:06 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 2 Feb 2002 21:15:06 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.12 #1 (Debian)) id 16X96G-0004xf-00 for ; + Sun, 03 Feb 2002 11:57:36 +1300 +From: Mark Derricutt +To: freshrpms +Subject: creating rpms with subdirs (install command) +Message-Id: <2060000.1012684767@spawn.se7en.org> +X-Mailer: Mulberry/2.1.2 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 03 Feb 2002 10:19:27 +1300 +Date: Sun, 03 Feb 2002 10:19:27 +1300 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Hi, I'm building an rpm for the resin webserver, and I basically want to +install the entire tarball under a diretory, but, the tarball includes +subdirectorys, in my spec i have: + + +install -s -m 755 %{name}-%{version}.%{release}/* \ + $RPM_BUILD_ROOT/usr/local/resin + +and I'm getting: + +install: `resin-2.0.5/bin' is a directory +install: `resin-2.0.5/conf' is a directory + +Is there a proper/nice way I should handle this? + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1162.0ac7999a1814c6e79d6da0f6fb8ec301 b/machine-learning-ex6/ex6/easy_ham/1162.0ac7999a1814c6e79d6da0f6fb8ec301 new file mode 100644 index 0000000..a9e7ebb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1162.0ac7999a1814c6e79d6da0f6fb8ec301 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 567D716EFC + for ; Mon, 9 Sep 2002 18:01:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:10 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14CCY806776 for + ; Mon, 4 Feb 2002 12:12:34 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CB6314202; + Mon, 4 Feb 2002 13:11:06 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CAm314186 for + ; Mon, 4 Feb 2002 13:10:49 +0100 +Received: from pihlaja.kotilo ([62.248.147.215]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020204121034.DZCT1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Mon, 4 Feb 2002 14:10:34 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g14CXTP02650 for rpm-list@freshrpms.net; Mon, 4 Feb 2002 14:33:29 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020204143329.B2626@pihlaja.kotilo> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> + <20020201174132.A8690@cs.helsinki.fi> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020201174132.A8690@cs.helsinki.fi>; from + harri.haataja@cs.helsinki.fi on Fri, Feb 01, 2002 at 05:41:32PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 14:33:29 +0200 +Date: Mon, 4 Feb 2002 14:33:29 +0200 +X-Spam-Status: No, hits=-18.3 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Fri, Feb 01, 2002 at 05:41:32PM +0200, Harri Haataja wrote: +> I have a local one for the main and upgrades from somewhere plus my own +> at $ORKPLACE. + +Olen ajatellut pystyttää itselleni lokaalin apt-varaston, kun Suomesta ei +tunnu löytyvän julkista peiliä. Osaisitko avittaa hiukan asiassa, eli +kuinka lähteä liikkeelle? Ensin kannattanee peilata varsinainen RH:n rpm:t +jostain, vaan millä softalla (rsync?) ja mistä (funet?) tuo kannattaa +tehdä, ajatuksia? + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1163.3ad31ba9c55ae030d3d708b5987f889e b/machine-learning-ex6/ex6/easy_ham/1163.3ad31ba9c55ae030d3d708b5987f889e new file mode 100644 index 0000000..e26ec8c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1163.3ad31ba9c55ae030d3d708b5987f889e @@ -0,0 +1,106 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F2E5216EFC + for ; Mon, 9 Sep 2002 18:01:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:18 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14CU9807477 for + ; Mon, 4 Feb 2002 12:30:09 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CT1315524; + Mon, 4 Feb 2002 13:29:01 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CSd315500 for + ; Mon, 4 Feb 2002 13:28:39 +0100 +Received: from pihlaja.kotilo ([62.248.147.215]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020204122844.EEAV1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Mon, 4 Feb 2002 14:28:44 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g14CpeG02667 for rpm-list@freshrpms.net; Mon, 4 Feb 2002 14:51:40 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020204145140.C2626@pihlaja.kotilo> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> + <20020201174132.A8690@cs.helsinki.fi> + <20020204143329.B2626@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020204143329.B2626@pihlaja.kotilo>; from pisara@iki.fi on + Mon, Feb 04, 2002 at 02:33:29PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 14:51:40 +0200 +Date: Mon, 4 Feb 2002 14:51:40 +0200 +X-Spam-Status: No, hits=-18.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Sorry about that :) + +Didn't think before sending... So I didn't realize that Reply-To was to +the list and not to the sender (as it usually is). + +Anyawy, I was asking Harri if he could point me a few advices on how to +build my own apt repositry for RH updates. There is a tutorial of somekind +at http://apt-rpm.tuxfamily.org/ which I'm following right now, but if +there is some other good advices, let me know! + +Regards, +Peter + + +On Mon, Feb 04, 2002 at 02:33:29PM +0200, Peter Peltonen wrote: +> On Fri, Feb 01, 2002 at 05:41:32PM +0200, Harri Haataja wrote: +> > I have a local one for the main and upgrades from somewhere plus my own +> > at $ORKPLACE. +> +> Olen ajatellut pystyttää itselleni lokaalin apt-varaston, kun Suomesta ei +> tunnu löytyvän julkista peiliä. Osaisitko avittaa hiukan asiassa, eli +> kuinka lähteä liikkeelle? Ensin kannattanee peilata varsinainen RH:n rpm:t +> jostain, vaan millä softalla (rsync?) ja mistä (funet?) tuo kannattaa +> tehdä, ajatuksia? +> +> -- +> Peter +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +> + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1164.4f5726c74bd69e322849d54f54a646fe b/machine-learning-ex6/ex6/easy_ham/1164.4f5726c74bd69e322849d54f54a646fe new file mode 100644 index 0000000..d72a89b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1164.4f5726c74bd69e322849d54f54a646fe @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D0BD716EFC + for ; Mon, 9 Sep 2002 18:01:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:25 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14CVM807526 for + ; Mon, 4 Feb 2002 12:31:22 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CV1315577; + Mon, 4 Feb 2002 13:31:01 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14CUN315554 for + ; Mon, 4 Feb 2002 13:30:23 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020204132927.3dc863a0.matthias@egwn.net> +In-Reply-To: <20020204143329.B2626@pihlaja.kotilo> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> + <20020201174132.A8690@cs.helsinki.fi> + <20020204143329.B2626@pihlaja.kotilo> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 13:29:27 +0100 +Date: Mon, 4 Feb 2002 13:29:27 +0100 +X-Spam-Status: No, hits=-16.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Peter wrote : + +> On Fri, Feb 01, 2002 at 05:41:32PM +0200, Harri Haataja wrote: +> > I have a local one for the main and upgrades from somewhere plus my own +> > at $ORKPLACE. +> +> Olen ajatellut pystyttää itselleni lokaalin apt-varaston, kun Suomesta ei +> tunnu löytyvän julkista peiliä. Osaisitko avittaa hiukan asiassa, eli +> kuinka lähteä liikkeelle? Ensin kannattanee peilata varsinainen RH:n +> rpm:t jostain, vaan millä softalla (rsync?) ja mistä (funet?) tuo +> kannattaa tehdä, ajatuksia? + +Wow, Finnish seems even more complicated than German to me :-) +Could you send an English translation next time? I really didn't understand +a thing and I assume I'm not the only one ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1165.aadda731590fa41de3e8c5926bb5744b b/machine-learning-ex6/ex6/easy_ham/1165.aadda731590fa41de3e8c5926bb5744b new file mode 100644 index 0000000..c58deae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1165.aadda731590fa41de3e8c5926bb5744b @@ -0,0 +1,73 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6A27116EFC + for ; Mon, 9 Sep 2002 18:01:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:33 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14D2L808736 for + ; Mon, 4 Feb 2002 13:02:22 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14D11317658; + Mon, 4 Feb 2002 14:01:01 +0100 +Received: from gaupe.sunnmore.net (c188s126h1.upc.chello.no + [62.179.177.188]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g14D0M317622 for ; Mon, 4 Feb 2002 14:00:22 +0100 +Received: (qmail 28308 invoked from network); 4 Feb 2002 13:00:26 -0000 +Received: from ekorn.sunnmore.no (HELO sunnmore.net) (10.0.0.1) by + gaupe.sunnmore.net with SMTP; 4 Feb 2002 13:00:26 -0000 +Message-Id: <3C5E85EA.2020402@sunnmore.net> +From: Roy-Magne Mo +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.8+) Gecko/20020203 +X-Accept-Language: nn, no, en-us +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> + <20020201174132.A8690@cs.helsinki.fi> + <20020204143329.B2626@pihlaja.kotilo> + <20020204145140.C2626@pihlaja.kotilo> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 04 Feb 2002 14:00:26 +0100 +Date: Mon, 04 Feb 2002 14:00:26 +0100 +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Peter Peltonen wrote: +> Sorry about that :) +> +> Didn't think before sending... So I didn't realize that Reply-To was to +> the list and not to the sender (as it usually is). + +How about removing the reply-to to the list? + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1166.8a9dbee6ac67226f58a80c0993a700e2 b/machine-learning-ex6/ex6/easy_ham/1166.8a9dbee6ac67226f58a80c0993a700e2 new file mode 100644 index 0000000..8f39686 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1166.8a9dbee6ac67226f58a80c0993a700e2 @@ -0,0 +1,133 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F2D1C16EFC + for ; Mon, 9 Sep 2002 18:01:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:40 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14EhS812292 for + ; Mon, 4 Feb 2002 14:43:28 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14Eh1324509; + Mon, 4 Feb 2002 15:43:01 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g14Eg9324446 for ; Mon, 4 Feb 2002 15:42:09 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g14EgAp17164 for + ; Mon, 4 Feb 2002 16:42:10 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g14Eg5A26662 for rpm-list@freshrpms.net; Mon, + 4 Feb 2002 16:42:05 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: http://apt.nixia.no/ +Message-Id: <20020204164205.A20308@cs.helsinki.fi> +References: <20020201150022.B11472@cs.helsinki.fi> + <20020201153541.1321cd9b.matthias@egwn.net> + <20020201165435.C11472@cs.helsinki.fi> + <20020201161552.3497fbfd.matthias@egwn.net> + <20020201174132.A8690@cs.helsinki.fi> + <20020204143329.B2626@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020204143329.B2626@pihlaja.kotilo>; from pisara@iki.fi on + Mon, Feb 04, 2002 at 02:33:29PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 16:42:05 +0200 +Date: Mon, 4 Feb 2002 16:42:05 +0200 +X-Spam-Status: No, hits=-15.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Feb 04, 2002 at 02:33:29PM +0200, Peter Peltonen wrote: +> On Fri, Feb 01, 2002 at 05:41:32PM +0200, Harri Haataja wrote: +> > I have a local one for the main and upgrades from somewhere plus my own +> > at $ORKPLACE. +> +> Olen ajatellut pystyttää itselleni lokaalin apt-varaston, kun Suomesta ei +> tunnu löytyvän julkista peiliä. Osaisitko avittaa hiukan asiassa, eli +> kuinka lähteä liikkeelle? Ensin kannattanee peilata varsinainen RH:n rpm:t +> jostain, vaan millä softalla (rsync?) ja mistä (funet?) tuo kannattaa +> tehdä, ajatuksia? + +I'll post my own repository story here anyway, hope no-one minds. +It may freely be commented on or used in another text. + +I have a directory like this: +$ tree -d +. +|-- current7 +| |-- SRPMS.current +| |-- SRPMS.gcc3 +| `-- redhat +| |-- RPMS.current +| |-- RPMS.gcc3 +| `-- base +|-- redhat-7_2 +| |-- SRPMS.os +| `-- redhat +| |-- RPMS.os -> +| `-- base +`-- testing + |-- SRPMS.testing + `-- redhat + |-- RPMS.testing + `-- base + +27 directories + +I throw updates to current7's rpms and my own stuff (with makefile :) to +testing. +After each new package, +nice genbasedir -s --progress --topdir=$TOPDIR/ \ +testing/redhat testing + +(for -s to work, you need to make release files, pinch someones for +exmple) + +This stuff is found under apache. I put that url, my keys and all that +into apt conf on the machines on the network and apt away. + +As for .fi mirrors, funet is very slow. I think I use tuxfamily for +updates but when I see errata I usually also put that to my own one so +rest of the machines have a shorter path to it. +Funet hosts a whole load of mirrors and projects (it used to be (is?) +the main mirror for Linux. It was one of the big pub ftp sites). If +there was a definite apt repository, maybe they might mirror that as +well. I doubt RH would be very keen on using apt and forking a +distribution doesn't seem like an easy option, someone should just start +a project. + +-- +"Barry also was quick to point out that the Titanium uses torque screws as +opposed to Phillips screws. We're not sure why this matters even a little +bit, but Barry sure seemed to think it was interesting. +That's why Mac geeks scare us." -- ZDNet Powerbook Titanium review + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1167.9006901f5178e82edffb4f9167f7c586 b/machine-learning-ex6/ex6/easy_ham/1167.9006901f5178e82edffb4f9167f7c586 new file mode 100644 index 0000000..2abcd5a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1167.9006901f5178e82edffb4f9167f7c586 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B358616EFC + for ; Mon, 9 Sep 2002 18:01:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:48 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14Foq814708 for + ; Mon, 4 Feb 2002 15:50:52 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14Fo1329371; + Mon, 4 Feb 2002 16:50:01 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g14FnB329344 for ; Mon, 4 Feb 2002 16:49:11 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g14FnHp21550 for + ; Mon, 4 Feb 2002 17:49:18 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g14EwrG27875 for rpm-list@freshrpms.net; Mon, + 4 Feb 2002 16:58:53 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: About apt, kernel updates and dist-upgrade +Message-Id: <20020204165853.C20308@cs.helsinki.fi> +References: <20020204170408.F2626@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020204170408.F2626@pihlaja.kotilo>; from pisara@iki.fi on + Mon, Feb 04, 2002 at 05:04:08PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 16:58:53 +0200 +Date: Mon, 4 Feb 2002 16:58:53 +0200 +X-Spam-Status: No, hits=-15.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Feb 04, 2002 at 05:04:08PM +0200, Peter Peltonen wrote: +> I started wondering how does apt react when it finds a newer kernel in the +> bunch of "to be updated" files? + +Look at /etc/apt/apt.conf. I think ^kernel$ matches the kernel packages +(apart from those matched by the rest, smp, enterprise). +I think it won't do anything about the kernels. Come to think of it, the +abovementioned might have nothing to do with it. + +I explicitly use apt-get install kernel and then from the list pick a +version and then install kernel#2.4.foo-bar. + +> And has anyone ever tried to do a dist-upgrade, say from 7.1 to 7.2? +> Should it work? If not, why? + +Should. Haven't tried with dist-upgrade but I have put 7.2 netboot +mirror (ie, 7.2) into sources.list and run install step-by-step for IIRC +everything. Worked ok. I think there'll be a few .rpmnew files worth +checking such as, especially, passwd and group. +I think there was a group change. "lock" ? + +-- +It feels great to wake up and not know what day it is, doesn't it? + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1168.624b64b63fb0dcf81b58856f0618c3a0 b/machine-learning-ex6/ex6/easy_ham/1168.624b64b63fb0dcf81b58856f0618c3a0 new file mode 100644 index 0000000..469dba6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1168.624b64b63fb0dcf81b58856f0618c3a0 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:01:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 407C816EFC + for ; Mon, 9 Sep 2002 18:01:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:01:56 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14FuI814976 for + ; Mon, 4 Feb 2002 15:56:18 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14Ft1329743; + Mon, 4 Feb 2002 16:55:01 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14FsF329714 for + ; Mon, 4 Feb 2002 16:54:15 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: About apt, kernel updates and dist-upgrade +Message-Id: <20020204165314.389e52ec.matthias@egwn.net> +In-Reply-To: <20020204170408.F2626@pihlaja.kotilo> +References: <20020204170408.F2626@pihlaja.kotilo> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 16:53:14 +0100 +Date: Mon, 4 Feb 2002 16:53:14 +0100 +X-Spam-Status: No, hits=-15.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Peter wrote : + +> I started wondering how does apt react when it finds a newer kernel in +> the bunch of "to be updated" files? + +It skips it. See the /etc/apt/apt.conf file for this. + +> And has anyone ever tried to do a dist-upgrade, say from 7.1 to 7.2? +> Should it work? If not, why? + +I've done a dist-upgrade from 7.2 to a quite broken rawhide release... it +was a mess, still, it went much faster and smoother than if I had done it +"manually" with rpm -U or -F. I think that updates between stable releases +should still be done with the installer since IIRC, sometimes a few +twitches are done by anaconda to migrate configurations to new formats. It +should work though... I still prefer backuping config files and +reinstalling a clean system when I have the time. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1169.b4991cd8416f8f9c29bf9e5359f667f5 b/machine-learning-ex6/ex6/easy_ham/1169.b4991cd8416f8f9c29bf9e5359f667f5 new file mode 100644 index 0000000..ed97492 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1169.b4991cd8416f8f9c29bf9e5359f667f5 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DA64216EFC + for ; Mon, 9 Sep 2002 18:02:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:03 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g14L8H826708 for + ; Mon, 4 Feb 2002 21:08:18 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14L75318071; + Mon, 4 Feb 2002 22:07:09 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g14L6r318061 for + ; Mon, 4 Feb 2002 22:06:53 +0100 +Received: from pihlaja.kotilo ([62.248.147.215]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020204210703.IJFY1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Mon, 4 Feb 2002 23:07:03 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g14LU1U03541 for rpm-list@freshrpms.net; Mon, 4 Feb 2002 23:30:01 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: About apt, kernel updates and dist-upgrade +Message-Id: <20020204233001.H2626@pihlaja.kotilo> +References: <20020204170408.F2626@pihlaja.kotilo> + <20020204165314.389e52ec.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020204165314.389e52ec.matthias@egwn.net>; from + matthias@egwn.net on Mon, Feb 04, 2002 at 04:53:14PM +0100 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 4 Feb 2002 23:30:01 +0200 +Date: Mon, 4 Feb 2002 23:30:01 +0200 +X-Spam-Status: No, hits=-16.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Feb 04, 2002 at 04:53:14PM +0100, Matthias Saou wrote: +> It skips it. See the /etc/apt/apt.conf file for this. + +In my apt.conf reads: + +---- +RPM +{ + // Leave list empty to disable + AllowedDupPkgs {"^kernel$"; "kernel-smp"; "kernel-enterprise"; }; + HoldPkgs {"kernel-source"; "kernel-headers"; }; +} +---- + +If I understand this correctly, then only kernel-source and kernel-headers +are held from being installed, but kernel will be installed, right? + +Maybe I should test this on some vanilla system... + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1170.c4b2c469732c9fb5366078ecfc5c5823 b/machine-learning-ex6/ex6/easy_ham/1170.c4b2c469732c9fb5366078ecfc5c5823 new file mode 100644 index 0000000..9ab3adc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1170.c4b2c469732c9fb5366078ecfc5c5823 @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E2D316EFC + for ; Mon, 9 Sep 2002 18:02:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:11 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g158cT825777 for + ; Tue, 5 Feb 2002 08:38:30 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g158a2326068; + Tue, 5 Feb 2002 09:36:02 +0100 +Received: from drone4.qsi.net.nz (drone4-svc-skyt.qsi.net.nz + [202.89.128.4]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g158ZO326055 for ; Tue, 5 Feb 2002 09:35:24 +0100 +Received: (qmail 1216 invoked by uid 0); 5 Feb 2002 08:35:50 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 5 Feb 2002 08:35:50 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.12 #1 (Debian)) id 16Y2h9-00040z-00 for ; + Tue, 05 Feb 2002 23:19:23 +1300 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Problem with an rpm... +Message-Id: <1740000.1012898468@spawn.se7en.org> +X-Mailer: Mulberry/2.2.0b1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 05 Feb 2002 21:41:08 +1300 +Date: Tue, 05 Feb 2002 21:41:08 +1300 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Hiya, I just myself an rpm, and when I did -Uvh to upgrade the earlier +version I had installed (also from my rpm) I got: + +[root@spawn i386]# rpm -Uvh mulberry-2.2-b1.i386.rpm +Preparing... ########################################### +[100%] + 1:mulberry ########################################### +[100%] +error: db3 error(-30998) from db->close: DB_INCOMPLETE: Cache flush was +unable to complete + +Whats the DB_INCOMPLETE mean? + +It all seems to have installed ok thou... + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1171.0e43e655cee3e8aa703995f8f929b9f1 b/machine-learning-ex6/ex6/easy_ham/1171.0e43e655cee3e8aa703995f8f929b9f1 new file mode 100644 index 0000000..da07252 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1171.0e43e655cee3e8aa703995f8f929b9f1 @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6A07E16EFC + for ; Mon, 9 Sep 2002 18:02:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:18 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g15E84806717 for + ; Tue, 5 Feb 2002 14:08:05 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g15E72316923; + Tue, 5 Feb 2002 15:07:02 +0100 +Received: from gaupe.sunnmore.net (c188s126h1.upc.chello.no + [62.179.177.188]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g15E6T316911 for ; Tue, 5 Feb 2002 15:06:29 +0100 +Received: (qmail 32560 invoked from network); 5 Feb 2002 14:06:29 -0000 +Received: from ekorn.sunnmore.no (HELO sunnmore.net) (10.0.0.1) by + gaupe.sunnmore.net with SMTP; 5 Feb 2002 14:06:29 -0000 +Message-Id: <3C5FE6E4.6040608@sunnmore.net> +From: Roy-Magne Mo +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.8+) Gecko/20020203 +X-Accept-Language: nn, no, en-us +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem with an rpm... +References: <1740000.1012898468@spawn.se7en.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 05 Feb 2002 15:06:28 +0100 +Date: Tue, 05 Feb 2002 15:06:28 +0100 +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_01_02,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Mark Derricutt wrote: +> Hiya, I just myself an rpm, and when I did -Uvh to upgrade the earlier +> version I had installed (also from my rpm) I got: +> +> [root@spawn i386]# rpm -Uvh mulberry-2.2-b1.i386.rpm +> Preparing... ########################################### +> [100%] +> 1:mulberry ########################################### +> [100%] +> error: db3 error(-30998) from db->close: DB_INCOMPLETE: Cache flush was +> unable to complete + +It's not the rpm, it's the rpm-system with you. The cache seems to have +rottened. Try removing /var/lib/rpm/__db* + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1172.bdc831d97e06b2539209e0ad04e671e9 b/machine-learning-ex6/ex6/easy_ham/1172.bdc831d97e06b2539209e0ad04e671e9 new file mode 100644 index 0000000..6093f08 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1172.bdc831d97e06b2539209e0ad04e671e9 @@ -0,0 +1,92 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2812216EFC + for ; Mon, 9 Sep 2002 18:02:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:26 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g15IXc819190 for + ; Tue, 5 Feb 2002 18:33:38 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g15IW1t03595; + Tue, 5 Feb 2002 19:32:01 +0100 +Received: from drone4.qsi.net.nz (drone4-svc-skyt.qsi.net.nz + [202.89.128.4]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g15IVtt03583 for ; Tue, 5 Feb 2002 19:31:55 +0100 +Received: (qmail 83098 invoked by uid 0); 5 Feb 2002 18:32:27 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 5 Feb 2002 18:32:27 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.12 #1 (Debian)) id 16YC0Z-0007dA-00 for ; + Wed, 06 Feb 2002 09:16:03 +1300 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem with an rpm... +Message-Id: <16380000.1012934264@spawn.se7en.org> +In-Reply-To: <3C5FE6E4.6040608@sunnmore.net> +References: <1740000.1012898468@spawn.se7en.org> + <3C5FE6E4.6040608@sunnmore.net> +X-Mailer: Mulberry/2.2.0b1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 06 Feb 2002 07:37:44 +1300 +Date: Wed, 06 Feb 2002 07:37:44 +1300 +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +Do I need to do anything to recreate anything after deleting this? + +I did notice an rpm I made the other day didn't work, and just sat there +for ages seemingly doing nothing, which probably did this :( + +Ok, now I get: + + +Fetched 88.1kB in 2m31s (581B/s) +error: cannot get exclusive lock on /var/lib/rpm/Packages +error: cannot open Packages index using db3 - Operation not permitted (1) +E: could not open RPM database:cannot open Packages index using db3 - +Operation not permitted (1) + +Arrrrg. + +--On Tuesday, February 05, 2002 15:06:28 +0100 Roy-Magne Mo + wrote: + +> It's not the rpm, it's the rpm-system with you. The cache seems to have +> rottened. Try removing /var/lib/rpm/__db* + + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1173.097a84308fc696d14a7063aecfe489d2 b/machine-learning-ex6/ex6/easy_ham/1173.097a84308fc696d14a7063aecfe489d2 new file mode 100644 index 0000000..541482a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1173.097a84308fc696d14a7063aecfe489d2 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2D28F16EFC + for ; Mon, 9 Sep 2002 18:02:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:34 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g15IeD819423 for + ; Tue, 5 Feb 2002 18:40:13 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g15Id1t04196; + Tue, 5 Feb 2002 19:39:01 +0100 +Received: from drone4.qsi.net.nz (drone4-svc-skyt.qsi.net.nz + [202.89.128.4]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g15Icst04185 for ; Tue, 5 Feb 2002 19:38:55 +0100 +Received: (qmail 84042 invoked by uid 0); 5 Feb 2002 18:39:22 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 5 Feb 2002 18:39:22 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.12 #1 (Debian)) id 16YC7H-0007eW-00 for ; + Wed, 06 Feb 2002 09:22:59 +1300 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem with an rpm... +Message-Id: <16550000.1012934680@spawn.se7en.org> +In-Reply-To: <16380000.1012934264@spawn.se7en.org> +References: <1740000.1012898468@spawn.se7en.org> + <3C5FE6E4.6040608@sunnmore.net> <16380000.1012934264@spawn.se7en.org> +X-Mailer: Mulberry/2.2.0b1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 06 Feb 2002 07:44:40 +1300 +Date: Wed, 06 Feb 2002 07:44:40 +1300 +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Never mind, there was some cron thing doing rpm -qf ??? seems fine now. + +--On Wednesday, February 06, 2002 07:37:44 +1300 Mark Derricutt + wrote: + +> Fetched 88.1kB in 2m31s (581B/s) +> error: cannot get exclusive lock on /var/lib/rpm/Packages +> error: cannot open Packages index using db3 - Operation not permitted (1) +> E: could not open RPM database:cannot open Packages index using db3 - +> Operation not permitted (1) + + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1174.92cf3d9c75add5883005eae0732c5a85 b/machine-learning-ex6/ex6/easy_ham/1174.92cf3d9c75add5883005eae0732c5a85 new file mode 100644 index 0000000..69f65cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1174.92cf3d9c75add5883005eae0732c5a85 @@ -0,0 +1,75 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5423816EFC + for ; Mon, 9 Sep 2002 18:02:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:41 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g15JNO821405 for + ; Tue, 5 Feb 2002 19:23:25 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g15JM1t06968; + Tue, 5 Feb 2002 20:22:01 +0100 +Received: from gaupe.sunnmore.net (c188s126h1.upc.chello.no + [62.179.177.188]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g15JLGt06931 for ; Tue, 5 Feb 2002 20:21:16 +0100 +Received: (qmail 904 invoked from network); 5 Feb 2002 19:21:25 -0000 +Received: from ekorn.sunnmore.no (HELO sunnmore.net) (10.0.0.1) by + gaupe.sunnmore.net with SMTP; 5 Feb 2002 19:21:25 -0000 +Message-Id: <3C6030B5.2060106@sunnmore.net> +From: Roy-Magne Mo +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.8+) Gecko/20020203 +X-Accept-Language: nn, no, en-us +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem with an rpm... +References: <1740000.1012898468@spawn.se7en.org> + <3C5FE6E4.6040608@sunnmore.net> <16380000.1012934264@spawn.se7en.org> + <16550000.1012934680@spawn.se7en.org> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 05 Feb 2002 20:21:25 +0100 +Date: Tue, 05 Feb 2002 20:21:25 +0100 +X-Spam-Status: No, hits=-8.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Mark Derricutt wrote: +> Never mind, there was some cron thing doing rpm -qf ??? seems fine now. +> +> --On Wednesday, February 06, 2002 07:37:44 +1300 Mark Derricutt +> wrote: +> +>> Fetched 88.1kB in 2m31s (581B/s) +>> error: cannot get exclusive lock on /var/lib/rpm/Packages +>> error: cannot open Packages index using db3 - Operation not permitted (1) +>> E: could not open RPM database:cannot open Packages index using db3 - +>> Operation not permitted (1) + +You can do a rpm --rebuilddb too + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1175.64ee4ff0daf4a24fff53583ad2648bc2 b/machine-learning-ex6/ex6/easy_ham/1175.64ee4ff0daf4a24fff53583ad2648bc2 new file mode 100644 index 0000000..5af30cc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1175.64ee4ff0daf4a24fff53583ad2648bc2 @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6EE3216EFC + for ; Mon, 9 Sep 2002 18:02:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:48 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16EAD803228 for + ; Wed, 6 Feb 2002 14:10:13 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16E78t31948; + Wed, 6 Feb 2002 15:07:08 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16E6xt31932 for + ; Wed, 6 Feb 2002 15:06:59 +0100 +Received: from pihlaja.kotilo ([62.248.144.92]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020206140650.ZLIM1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Wed, 6 Feb 2002 16:06:50 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g16ETrS11097 for rpm-list@freshrpms.net; Wed, 6 Feb 2002 16:29:53 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Apt problems +Message-Id: <20020206162953.C10950@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 16:29:53 +0200 +Date: Wed, 6 Feb 2002 16:29:53 +0200 +X-Spam-Status: No, hits=-13.3 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Two issues: + +---- +Sorry, but the following packages have unmet dependencies: + openssh: Depends: openssl (= 0.9.5a) but 0.9.6b-8 is installed + php-pgsql: Depends: postgresql but it is not installed + Depends: libpq.so.2 +E: Unmet dependencies. Try using -f. +---- + +1. I have the following openssl packages installed: + +---- +openssl-perl-0.9.6b-8 +openssl-0.9.6b-8 +openssl095a-0.9.5a-11 +openssl-devel-0.9.6b-8 +---- + +The openssl095a package should provide the openssl-0.9.5a compatibility +but apt doesn't think so? + +2. I have postgresql installed from the source. So that's why I need +php-pgsql. Is there a way to tell apt about packages I don't want it to +complain about? + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1176.5069b991bdfa80bc965015a7a94c3a4b b/machine-learning-ex6/ex6/easy_ham/1176.5069b991bdfa80bc965015a7a94c3a4b new file mode 100644 index 0000000..24428c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1176.5069b991bdfa80bc965015a7a94c3a4b @@ -0,0 +1,129 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:02:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C95E816EFC + for ; Mon, 9 Sep 2002 18:02:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:02:55 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16EVp803907 for + ; Wed, 6 Feb 2002 14:31:51 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16EV1t02426; + Wed, 6 Feb 2002 15:31:01 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g16EUat02413 for ; Wed, 6 Feb 2002 15:30:36 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g16EURp22133 for + ; Wed, 6 Feb 2002 16:30:37 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g16EUJJ22714 for rpm-list@freshrpms.net; Wed, + 6 Feb 2002 16:30:19 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206163018.C17717@cs.helsinki.fi> +References: <20020206162953.C10950@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-md5; + protocol="application/pgp-signature"; + boundary="bg08WKrSYDhXBjb5" +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020206162953.C10950@pihlaja.kotilo>; from pisara@iki.fi on + Wed, Feb 06, 2002 at 04:29:53PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 16:30:18 +0200 +Date: Wed, 6 Feb 2002 16:30:18 +0200 +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--bg08WKrSYDhXBjb5 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Wed, Feb 06, 2002 at 04:29:53PM +0200, Peter Peltonen wrote: +> Two issues: +>=20 +> ---- +> Sorry, but the following packages have unmet dependencies: +> openssh: Depends: openssl (=3D 0.9.5a) but 0.9.6b-8 is installed +> php-pgsql: Depends: postgresql but it is not installed +> Depends: libpq.so.2 +> E: Unmet dependencies. Try using -f. +> ---- +>=20 +> 1. I have the following openssl packages installed: +>=20 +> ---- +> openssl-perl-0.9.6b-8 +> openssl-0.9.6b-8 +> openssl095a-0.9.5a-11 +> openssl-devel-0.9.6b-8 +> ---- +>=20 +> The openssl095a package should provide the openssl-0.9.5a compatibility= +=20 +> but apt doesn't think so?=20 + +I believe that's just a matter of string parsing. If someone were to fix +the openssh package, removing the explicit Requires:, I believe the +automagic binary handler would figure the right libraries to use and +install. I haven't met an openssh like that and in worst case I've had 3 +different openssl libraries (WTF can't they just bump a major version if +it's incompatible?!?). + +> 2. I have postgresql installed from the source. So that's why I need=20 +> php-pgsql. Is there a way to tell apt about packages I don't want it to= +=20 +> complain about? + +I have a few such things (with jdk, imlib, kernel DRI version.. +something) and Ive just made dummy packages (with verbose warning +attached ;) that explicitly provide those capabilities. (or claim to, +that is). + +--=20 +If you only want to go 500 miles, can you begin with a halfstep? + +--bg08WKrSYDhXBjb5 +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE8YT35QF8Oi9XNck4RAuNpAJ90B0EUZ7Lkqpr+KYzWPRi+i4DcWACdHQd5 +Tb0GZvVivaW1rOzqP/Su9Gc= +=h7Ff +-----END PGP SIGNATURE----- + +--bg08WKrSYDhXBjb5-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1177.4c55e4b4a905e15e392e4a001f06ecd7 b/machine-learning-ex6/ex6/easy_ham/1177.4c55e4b4a905e15e392e4a001f06ecd7 new file mode 100644 index 0000000..67cee28 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1177.4c55e4b4a905e15e392e4a001f06ecd7 @@ -0,0 +1,113 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:03:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4F1BF16EFC + for ; Mon, 9 Sep 2002 18:03:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:03:04 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16FHb805692 for + ; Wed, 6 Feb 2002 15:17:37 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16FFAt14887; + Wed, 6 Feb 2002 16:15:10 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16FEvt14871 for + ; Wed, 6 Feb 2002 16:14:57 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206161427.494ecf0b.matthias@egwn.net> +In-Reply-To: <20020206163018.C17717@cs.helsinki.fi> +References: <20020206162953.C10950@pihlaja.kotilo> + <20020206163018.C17717@cs.helsinki.fi> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 16:14:27 +0100 +Date: Wed, 6 Feb 2002 16:14:27 +0100 +X-Spam-Status: No, hits=-16.2 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Harri wrote : + +> On Wed, Feb 06, 2002 at 04:29:53PM +0200, Peter Peltonen wrote: +> > Two issues: +> > +> > ---- +> > Sorry, but the following packages have unmet dependencies: +> > openssh: Depends: openssl (= 0.9.5a) but 0.9.6b-8 is installed +> > php-pgsql: Depends: postgresql but it is not installed +> > Depends: libpq.so.2 +> > E: Unmet dependencies. Try using -f. +> > ---- +> > +> > 1. I have the following openssl packages installed: +> > +> > ---- +> > openssl-perl-0.9.6b-8 +> > openssl-0.9.6b-8 +> > openssl095a-0.9.5a-11 +> > openssl-devel-0.9.6b-8 +> > ---- +> > +> > The openssl095a package should provide the openssl-0.9.5a compatibility +> > but apt doesn't think so? +> +> I believe that's just a matter of string parsing. If someone were to fix +> the openssh package, removing the explicit Requires:, I believe the +> automagic binary handler would figure the right libraries to use and +> install. I haven't met an openssh like that and in worst case I've had 3 +> different openssl libraries (WTF can't they just bump a major version if +> it's incompatible?!?). + +Strange... all my openssh packages don't explicitly requires a version of +openssl. What version of openssh do you have? Is it an official Red Hat +package? I suppose it isn't, and using Red Hat's rpms will solve your +problem. + +What you need to know for openssl is : +0.9.5b is libcrypto.so.0 and libssl.so.0 +0.9.6 is libcrypto.so.1 and libssl.so.1 +0.9.6b is libcrypto.so.2 and libssl.so.2 + +Now in all Red Hat packages I've seen so far, the only dependency is on +those files and not on "openssl = version". + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1178.0bd8c8c1cf63d08849c504af3535f635 b/machine-learning-ex6/ex6/easy_ham/1178.0bd8c8c1cf63d08849c504af3535f635 new file mode 100644 index 0000000..76d63f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1178.0bd8c8c1cf63d08849c504af3535f635 @@ -0,0 +1,102 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:03:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1968316EFC + for ; Mon, 9 Sep 2002 18:03:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:03:13 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16GPO808501 for + ; Wed, 6 Feb 2002 16:25:24 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GO1t24770; + Wed, 6 Feb 2002 17:24:02 +0100 +Received: from theshadows.darktech.org (cs66692-46.satx.rr.com + [66.69.2.46]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g161WQt28903 for ; Wed, 6 Feb 2002 02:32:26 +0100 +Received: (from govind@localhost) by theshadows.darktech.org + (8.11.6/8.11.6) id g161dF519684; Tue, 5 Feb 2002 19:39:15 -0600 +Subject: apt-get http fails +From: "Govind S. Salinas" +To: rpm-zzzlist@freshrpms.net +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="=-eAUUkMeF/tAqB1Bi49Ip" +X-Mailer: Evolution/1.0.2 +Message-Id: <1012959555.17032.17.camel@theshadows.darktech.org> +MIME-Version: 1.0 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 05 Feb 2002 19:39:15 -0600 +Date: 05 Feb 2002 19:39:15 -0600 +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=KNOWN_MAILING_LIST,PGP_SIGNATURE_2,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + + +--=-eAUUkMeF/tAqB1Bi49Ip +Content-Type: text/plain +Content-Transfer-Encoding: quoted-printable + +I installed apt-get yesterday and liked it, for a couple hours anyway.=20 +Late last night I started to get errors like: + + +--( root@theshadows )-- apt-get update +E: Method http has died unexpectedly! +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +E: Tried to dequeue a fetching object +(...) + +i get the same errors (two like the first line instead of one) with +apt-get update. + +I was wondering why this would happen. + +I would appreciate any help you all can give me. + +Thanks. + +--=20 + -Govind Salinas +ICQ:32026672 AIM:DyErthScum + +--=-eAUUkMeF/tAqB1Bi49Ip +Content-Type: application/pgp-signature; name=signature.asc +Content-Description: This is a digitally signed message part + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQA8YIlDhLd1P7Dk1P0RAhzSAKCUan9e5aIvrm2TVfcL0P+G4/ZkHQCgrv1l +vpgf1Lp1ZZctS/jE4JiH4z4= +=3dnC +-----END PGP SIGNATURE----- + +--=-eAUUkMeF/tAqB1Bi49Ip-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1179.2cebdef3b31479afbfdb2c230046f84b b/machine-learning-ex6/ex6/easy_ham/1179.2cebdef3b31479afbfdb2c230046f84b new file mode 100644 index 0000000..7300e9b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1179.2cebdef3b31479afbfdb2c230046f84b @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:03:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EB6B016EFC + for ; Mon, 9 Sep 2002 18:03:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:03:20 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16GPd808508 for + ; Wed, 6 Feb 2002 16:25:39 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GP1t25026; + Wed, 6 Feb 2002 17:25:01 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GOmt25014 for + ; Wed, 6 Feb 2002 17:24:48 +0100 +Received: from pihlaja.kotilo ([62.248.144.92]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020206162451.PWO1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Wed, 6 Feb 2002 18:24:51 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g16Gltv12664 for rpm-list@freshrpms.net; Wed, 6 Feb 2002 18:47:55 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206184755.D10950@pihlaja.kotilo> +References: <20020206162953.C10950@pihlaja.kotilo> + <20020206163018.C17717@cs.helsinki.fi> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020206163018.C17717@cs.helsinki.fi>; from + harri.haataja@cs.helsinki.fi on Wed, Feb 06, 2002 at 04:30:18PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 18:47:55 +0200 +Date: Wed, 6 Feb 2002 18:47:55 +0200 +X-Spam-Status: No, hits=-17.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Wed, Feb 06, 2002 at 04:30:18PM +0200, Harri Haataja wrote: +> install. I haven't met an openssh like that and in worst case I've had 3 +> different openssl libraries (WTF can't they just bump a major version if +> it's incompatible?!?). + +So, what should I with the openssl thing? + +> something) and Ive just made dummy packages (with verbose warning +> attached ;) that explicitly provide those capabilities. (or claim to, +> that is). + +How do I make such packages? + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1180.9d441ee49eef8ba99c54ff8ec4ea9096 b/machine-learning-ex6/ex6/easy_ham/1180.9d441ee49eef8ba99c54ff8ec4ea9096 new file mode 100644 index 0000000..b940ea1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1180.9d441ee49eef8ba99c54ff8ec4ea9096 @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:03:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A4C2116EFC + for ; Mon, 9 Sep 2002 18:03:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:03:28 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16GTU808597 for + ; Wed, 6 Feb 2002 16:29:30 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GT1t25165; + Wed, 6 Feb 2002 17:29:01 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GSft25148 for + ; Wed, 6 Feb 2002 17:28:41 +0100 +Received: from pihlaja.kotilo ([62.248.144.92]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020206162848.QQN1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Wed, 6 Feb 2002 18:28:48 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g16Gpqn12673 for rpm-list@freshrpms.net; Wed, 6 Feb 2002 18:51:52 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206185152.E10950@pihlaja.kotilo> +References: <20020206162953.C10950@pihlaja.kotilo> + <20020206163018.C17717@cs.helsinki.fi> + <20020206161427.494ecf0b.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020206161427.494ecf0b.matthias@egwn.net>; from + matthias@egwn.net on Wed, Feb 06, 2002 at 04:14:27PM +0100 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 18:51:52 +0200 +Date: Wed, 6 Feb 2002 18:51:52 +0200 +X-Spam-Status: No, hits=-17.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Wed, Feb 06, 2002 at 04:14:27PM +0100, Matthias Saou wrote: +> Strange... all my openssh packages don't explicitly requires a version of +> openssl. What version of openssh do you have? Is it an official Red Hat +> package? I suppose it isn't, and using Red Hat's rpms will solve your +> problem. + +openssh-3.0.2p1-1 + +I think that is directly from openssh site. It's from the RH 6.2 that I +upgraded to 7.2 (6.2 doesn't ship with openssh...). + +I probably should downgrade to the versoin RH provides except I can't do +that as I don't have physical access to that box and downgrading ssh +packages over ssh doesn't sound like a bright idea... + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1181.e94c4c98963c99b42be08be341418d57 b/machine-learning-ex6/ex6/easy_ham/1181.e94c4c98963c99b42be08be341418d57 new file mode 100644 index 0000000..347ee58 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1181.e94c4c98963c99b42be08be341418d57 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:03:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DA84716EFC + for ; Mon, 9 Sep 2002 18:03:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:03:35 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16Gas808989 for + ; Wed, 6 Feb 2002 16:36:54 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16Ga0t25782; + Wed, 6 Feb 2002 17:36:00 +0100 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16GZWt25768 for + ; Wed, 6 Feb 2002 17:35:33 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206173432.02f6f277.matthias@egwn.net> +In-Reply-To: <20020206185152.E10950@pihlaja.kotilo> +References: <20020206162953.C10950@pihlaja.kotilo> + <20020206163018.C17717@cs.helsinki.fi> + <20020206161427.494ecf0b.matthias@egwn.net> + <20020206185152.E10950@pihlaja.kotilo> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 17:34:32 +0100 +Date: Wed, 6 Feb 2002 17:34:32 +0100 +X-Spam-Status: No, hits=-15.6 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Peter wrote : + +> On Wed, Feb 06, 2002 at 04:14:27PM +0100, Matthias Saou wrote: +> > Strange... all my openssh packages don't explicitly requires a version +> > of openssl. What version of openssh do you have? Is it an official Red +> > Hat package? I suppose it isn't, and using Red Hat's rpms will solve +> > your problem. +> +> openssh-3.0.2p1-1 +> +> I think that is directly from openssh site. It's from the RH 6.2 that I +> upgraded to 7.2 (6.2 doesn't ship with openssh...). + +That explains... + +> I probably should downgrade to the versoin RH provides except I can't do +> that as I don't have physical access to that box and downgrading ssh +> packages over ssh doesn't sound like a bright idea... + +Well, with 7.0, I've seen a few problems with doing that, but as of 7.2 +it's really wonderful! Ever tried of completely uninstalling all openssh +related packages while being connected through ssh? Well, it works!!!! Of +course, if the connection cuts at that moment, you're stuck, but a simple +upgrade with official Red Hat packages also works like a charm :-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1182.3156d66c268869ee74f080a7c7523be8 b/machine-learning-ex6/ex6/easy_ham/1182.3156d66c268869ee74f080a7c7523be8 new file mode 100644 index 0000000..e137134 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1182.3156d66c268869ee74f080a7c7523be8 @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:04:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 20F7916EFC + for ; Mon, 9 Sep 2002 18:04:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:04:02 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16HMv811088 for + ; Wed, 6 Feb 2002 17:22:57 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16HM1t29814; + Wed, 6 Feb 2002 18:22:01 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16HLIt29797 for + ; Wed, 6 Feb 2002 18:21:18 +0100 +Received: from pihlaja.kotilo ([62.248.144.92]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020206172122.ZGD1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Wed, 6 Feb 2002 19:21:22 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g16HiQH12752 for rpm-list@freshrpms.net; Wed, 6 Feb 2002 19:44:26 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt problems +Message-Id: <20020206194426.F10950@pihlaja.kotilo> +References: <20020206162953.C10950@pihlaja.kotilo> + <20020206163018.C17717@cs.helsinki.fi> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020206163018.C17717@cs.helsinki.fi>; from + harri.haataja@cs.helsinki.fi on Wed, Feb 06, 2002 at 04:30:18PM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 6 Feb 2002 19:44:26 +0200 +Date: Wed, 6 Feb 2002 19:44:26 +0200 +X-Spam-Status: No, hits=-17.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Wed, Feb 06, 2002 at 04:30:18PM +0200, Harri Haataja wrote: +> I have a few such things (with jdk, imlib, kernel DRI version.. +> something) and Ive just made dummy packages (with verbose warning +> attached ;) that explicitly provide those capabilities. (or claim to, +> that is). + +Hm. One could do this with rpm's --justdb switch too, without having to +make a dummy package, right? + +I was wondering that this is a bit dangerous if there is a update for my +software, as the dummy package might get updated with it overwriting the +installation I've done from source... Not good. + +Is there really no "--nodeps" kind of switch in apt-get? + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1183.54b599ea32d753071ca44e55db7fe85d b/machine-learning-ex6/ex6/easy_ham/1183.54b599ea32d753071ca44e55db7fe85d new file mode 100644 index 0000000..6d68914 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1183.54b599ea32d753071ca44e55db7fe85d @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:04:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5406716EFC + for ; Mon, 9 Sep 2002 18:04:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:04:29 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g16MBE822807 for + ; Wed, 6 Feb 2002 22:11:15 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16M62m15020; + Wed, 6 Feb 2002 23:06:02 +0100 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g16M5wm15010 for + ; Wed, 6 Feb 2002 23:05:58 +0100 +Received: from pihlaja.kotilo ([62.248.144.92]) by fep02-app.kolumbus.fi + (InterMail vM.5.01.03.15 201-253-122-118-115-20011108) with ESMTP id + <20020206220608.CXUD1068.fep02-app.kolumbus.fi@pihlaja.kotilo> for + ; Thu, 7 Feb 2002 00:06:08 +0200 +Received: (from peter@localhost) by pihlaja.kotilo (8.11.6/8.11.6) id + g16MTEg13192 for rpm-list@freshrpms.net; Thu, 7 Feb 2002 00:29:14 +0200 +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +Subject: Re: About apt, kernel updates and dist-upgrade +Message-Id: <20020207002914.H12825@pihlaja.kotilo> +References: <20020204170408.F2626@pihlaja.kotilo> + <20020204165314.389e52ec.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020204165314.389e52ec.matthias@egwn.net>; from + matthias@egwn.net on Mon, Feb 04, 2002 at 04:53:14PM +0100 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 7 Feb 2002 00:29:14 +0200 +Date: Thu, 7 Feb 2002 00:29:14 +0200 +X-Spam-Status: No, hits=-15.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +About apt.conf there are these lines: + +---- +RPM +{ + // Leave list empty to disable + AllowedDupPkgs {"^kernel$"; "kernel-smp"; "kernel-enterprise"; }; + HoldPkgs {"kernel-source"; "kernel-headers"; }; +} +---- + +How do I tell apt hold all kernel packages? Can I use syntax like +"kernel*"; ? + +And I don't quite understand what the part "^kernel$"; means? + +-- +Peter + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1184.152999961bd0606fb0dcb6d6f95cc96d b/machine-learning-ex6/ex6/easy_ham/1184.152999961bd0606fb0dcb6d6f95cc96d new file mode 100644 index 0000000..7aea98d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1184.152999961bd0606fb0dcb6d6f95cc96d @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:04:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B855616EFC + for ; Mon, 9 Sep 2002 18:04:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:04:37 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g179ccu22847 for + ; Thu, 7 Feb 2002 09:38:39 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g179c1m22817; + Thu, 7 Feb 2002 10:38:01 +0100 +Received: from porsta.cs.Helsinki.FI (root@porsta.cs.Helsinki.FI + [128.214.48.124]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g179bCm22788 for ; Thu, 7 Feb 2002 10:37:12 +0100 +Received: from melkki.cs.Helsinki.FI (sslwrap@localhost [127.0.0.1]) by + porsta.cs.Helsinki.FI (8.11.6/8.11.6) with ESMTP id g179bEp07446 for + ; Thu, 7 Feb 2002 11:37:15 +0200 +Received: (from hhaataja@localhost) by melkki.cs.Helsinki.FI + (8.11.6/8.11.2) id g179bC820045 for rpm-list@freshrpms.net; Thu, + 7 Feb 2002 11:37:12 +0200 +From: Harri Haataja +To: rpm-zzzlist@freshrpms.net +Subject: Re: About apt, kernel updates and dist-upgrade +Message-Id: <20020207113711.B19145@cs.helsinki.fi> +References: <20020204170408.F2626@pihlaja.kotilo> + <20020204165314.389e52ec.matthias@egwn.net> + <20020207002914.H12825@pihlaja.kotilo> +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-15 +Content-Disposition: inline +Content-Transfer-Encoding: 8bit +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020207002914.H12825@pihlaja.kotilo>; from pisara@iki.fi on + Thu, Feb 07, 2002 at 12:29:14AM +0200 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 7 Feb 2002 11:37:12 +0200 +Date: Thu, 7 Feb 2002 11:37:12 +0200 +X-Spam-Status: No, hits=-16.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Feb 07, 2002 at 12:29:14AM +0200, Peter Peltonen wrote: +> About apt.conf there are these lines: +> ---- +> RPM +> { +> // Leave list empty to disable +> AllowedDupPkgs {"^kernel$"; "kernel-smp"; "kernel-enterprise"; }; +> HoldPkgs {"kernel-source"; "kernel-headers"; }; +> } +> ---- +> +> How do I tell apt hold all kernel packages? Can I use syntax like +> "kernel*"; ? +> +> And I don't quite understand what the part "^kernel$"; means? + +You could read about regular expressions. +^kernel$ matches "kernel" and nothimg more. +Kerne, kernel-smp and kernel-enterprise are the kernel packages you +might be running in a RH system. Packages like kernel-headers, +kernel-BOOT and kernel-doc aren't matched. If it just said "kernel", it +would match *all* those packages. + +-- +"You were good with that recorder." (=nokkahuilu) +"Soitit hyvin sitä mankkaa." + -- (Suomennos) Men Behaving Badly + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1185.b83ac460b08616796da67d3bc57b76df b/machine-learning-ex6/ex6/easy_ham/1185.b83ac460b08616796da67d3bc57b76df new file mode 100644 index 0000000..2ced1ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1185.b83ac460b08616796da67d3bc57b76df @@ -0,0 +1,71 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:04:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A728316EFC + for ; Mon, 9 Sep 2002 18:04:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:04:45 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g17E5bu32612 for + ; Thu, 7 Feb 2002 14:05:37 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g17E41m14438; + Thu, 7 Feb 2002 15:04:02 +0100 +Received: from maynard.mail.mindspring.net (maynard.mail.mindspring.net + [207.69.200.243]) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g17E3Gm14388 for ; Thu, 7 Feb 2002 15:03:17 +0100 +Received: from dialup-63.215.228.147.dial1.stamford1.level3.net + ([63.215.228.147]) by maynard.mail.mindspring.net with esmtp (Exim 3.33 + #1) id 16Yp8q-00072W-00 for rpm-list@freshrpms.net; Thu, 07 Feb 2002 + 09:03:13 -0500 +From: dTd +X-X-Sender: dan@dtd.drea.lan +To: rpm-zzzlist@freshrpms.net +Subject: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020207113711.B19145@cs.helsinki.fi> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 7 Feb 2002 09:07:50 -0500 (EST) +Date: Thu, 7 Feb 2002 09:07:50 -0500 (EST) +X-Spam-Status: No, hits=-2.5 required=7.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01,SUBJECT_IS_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +Thanks for the great work Mathias but I would like to point out that this +list is fastly become the apt-rpm-list instead of the rpm-list. The +discussion concerning apt is overwhelming. Maybe another list is in order +for those having trouble with apt-rpm. apt-rpm-hotline@freshrpms.net ? :) + +Though I think apt-rpm is a great tool, I don't use it and would like to +get back to talk of new packages and rpm building techniques. + +dTd +Daniel T. Drea +dandanielle@mindspring.com +http://dandanielle.home.mindspring.com + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1186.fcd93eee19319006fece61d0d3a0bc13 b/machine-learning-ex6/ex6/easy_ham/1186.fcd93eee19319006fece61d0d3a0bc13 new file mode 100644 index 0000000..c1acc36 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1186.fcd93eee19319006fece61d0d3a0bc13 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Mon Sep 9 18:04:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BD0A816EFC + for ; Mon, 9 Sep 2002 18:04:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 18:04:52 +0100 (IST) +Received: from auth02.nl.egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g17EHPu00656 for + ; Thu, 7 Feb 2002 14:17:26 GMT +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by + auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g17EG2m16171; + Thu, 7 Feb 2002 15:16:02 +0100 +Received: from devel.freshrpms.net (gw01.es3.egwn.net [212.9.66.13]) + (authenticated) by auth02.nl.egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g17EFom16146 for ; Thu, 7 Feb 2002 15:15:51 +0100 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: rpm-zzzlist@freshrpms.net +Message-Id: <20020207151541.01ff69d6.matthias@egwn.net> +In-Reply-To: +References: <20020207113711.B19145@cs.helsinki.fi> + +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.7.0claws5 (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 7 Feb 2002 15:15:41 +0100 +Date: Thu, 7 Feb 2002 15:15:41 +0100 +X-Spam-Status: No, hits=-15.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,SUBJECT_IS_LIST + version=2.50-cvs +X-Spam-Level: + +Once upon a time, dTd wrote : + +> +> Thanks for the great work Mathias but I would like to point out that this +> list is fastly become the apt-rpm-list instead of the rpm-list. The +> discussion concerning apt is overwhelming. Maybe another list is in order +> for those having trouble with apt-rpm. apt-rpm-hotline@freshrpms.net ? :) +> +> Though I think apt-rpm is a great tool, I don't use it and would like to +> get back to talk of new packages and rpm building techniques. + +Hmmm, know what? On http://lists.freshrpms.net/ the apt-list has been up +for a while now ;-) There is almost no traffic though, since I wanted to +keep that list for apt-rpm on the server side (mirrors, building +repositories etc.), but hey, it could be a good place for general apt-rpm +questions ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1187.e5fee75dd86128e81186369567522f61 b/machine-learning-ex6/ex6/easy_ham/1187.e5fee75dd86128e81186369567522f61 new file mode 100644 index 0000000..a6a7c2c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1187.e5fee75dd86128e81186369567522f61 @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Tue Sep 10 18:14:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D63F816F03 + for ; Tue, 10 Sep 2002 18:14:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:14:43 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AGhKC07686 for + ; Tue, 10 Sep 2002 17:43:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8AGe4K18740; Tue, 10 Sep 2002 18:40:05 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8AGdTK16936 for + ; Tue, 10 Sep 2002 18:39:30 +0200 +From: Matthias Saou +To: RPM-List +Subject: Holidays for freshrpms.net :-) +Message-Id: <20020910183907.2310f32c.matthias@egwn.net> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 10 Sep 2002 18:39:07 +0200 +Date: Tue, 10 Sep 2002 18:39:07 +0200 +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,TO_LOCALPART_EQ_REAL + version=2.50-cvs +X-Spam-Level: + +Hi all, + +I'll be leaving this evening until next Monday, with no access to +whatsoever to a single computer until then, woohoo, real holidays! :-) + +So don't be worried if there's a new release of and that it's not updated quickly despite your many +requests to the list ;-) + +Before going, I did repackage the latest hackedbox and lbreakout2 that both +came out today. + +Have fun! (I will!! ;-)) +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1188.1f6d5c1960b4d2d50e9745073559284e b/machine-learning-ex6/ex6/easy_ham/1188.1f6d5c1960b4d2d50e9745073559284e new file mode 100644 index 0000000..39ab2f6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1188.1f6d5c1960b4d2d50e9745073559284e @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Tue Sep 10 18:14:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1BF7D16F03 + for ; Tue, 10 Sep 2002 18:14:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:14:49 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AGs0C07995 for + ; Tue, 10 Sep 2002 17:54:01 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8AGp1K18100; Tue, 10 Sep 2002 18:51:01 + +0200 +Received: from athlon.ckloiber.com (rdu57-228-131.nc.rr.com + [66.57.228.131]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8AGoBK08236 for ; Tue, 10 Sep 2002 18:50:12 +0200 +Received: from localhost.localdomain (localhost.localdomain [127.0.0.1]) + by athlon.ckloiber.com (8.12.5/8.12.5) with ESMTP id g8AGo9KG017956 for + ; Tue, 10 Sep 2002 12:50:10 -0400 +Received: (from ckloiber@localhost) by localhost.localdomain + (8.12.5/8.12.5/Submit) id g8AGo8YS017954; Tue, 10 Sep 2002 12:50:08 -0400 +X-Authentication-Warning: localhost.localdomain: ckloiber set sender to + ckloiber@ckloiber.com using -f +Subject: Re: Holidays for freshrpms.net :-) +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020910183907.2310f32c.matthias@egwn.net> +References: <20020910183907.2310f32c.matthias@egwn.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1031676608.17878.8.camel@athlon.ckloiber.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 10 Sep 2002 12:50:08 -0400 +Date: 10 Sep 2002 12:50:08 -0400 +X-Spam-Status: No, hits=-14.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-09-10 at 12:39, Matthias Saou wrote: +> Hi all, +> +> I'll be leaving this evening until next Monday, with no access to +> whatsoever to a single computer until then, woohoo, real holidays! :-) + +I don't think I could take it. The network was down for an hour here and +I was climbing the walls. :) + +Enjoy! + +-- +Chris Kloiber + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1189.e69e458af7eefebc70d658dd2e6d23df b/machine-learning-ex6/ex6/easy_ham/1189.e69e458af7eefebc70d658dd2e6d23df new file mode 100644 index 0000000..b3fcfc9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1189.e69e458af7eefebc70d658dd2e6d23df @@ -0,0 +1,76 @@ +From rpm-list-admin@freshrpms.net Tue Sep 10 18:14:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8258216F03 + for ; Tue, 10 Sep 2002 18:14:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:14:50 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AHAHC08416 for + ; Tue, 10 Sep 2002 18:10:17 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8AH32K14798; Tue, 10 Sep 2002 19:03:02 + +0200 +Received: from bennew01.localdomain (pD900DE04.dip.t-dialin.net + [217.0.222.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8AH27K12138 + for ; Tue, 10 Sep 2002 19:02:07 +0200 +Received: from bennew01.localdomain (bennew01.localdomain [192.168.3.1]) + by bennew01.localdomain (8.11.6/linuxconf) with SMTP id g8AH23302806 for + ; Tue, 10 Sep 2002 19:02:04 +0200 +From: Matthias Haase +To: rpm-zzzlist@freshrpms.net +Subject: Re: Holidays for freshrpms.net :-) +Message-Id: <20020910190202.7528f4a2.matthias_haase@bennewitz.com> +In-Reply-To: <20020910183907.2310f32c.matthias@egwn.net> +References: <20020910183907.2310f32c.matthias@egwn.net> +X-Operating-System: customized linux smp kernel 2.4* on i686 +X-Mailer: Sylpheed +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 10 Sep 2002 19:02:02 +0200 +Date: Tue, 10 Sep 2002 19:02:02 +0200 +X-Spam-Status: No, hits=-13.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +On Tue, 10 Sep 2002 18:39:07 +0200 +Matthias Saou wrote: + +> Before going, I did repackage the latest hackedbox and lbreakout2 that +> both came out today. +> +> Have fun! (I will!! ;-)) +fun here too, recompiled gnome 2.02rc2 today ;-) + +Have a nice and good time! + +-- +regards + Matthias + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1190.99eaa82bada000ca0ada9512a3f590e2 b/machine-learning-ex6/ex6/easy_ham/1190.99eaa82bada000ca0ada9512a3f590e2 new file mode 100644 index 0000000..cf37cdd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1190.99eaa82bada000ca0ada9512a3f590e2 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Wed Sep 11 13:41:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4471316F17 + for ; Wed, 11 Sep 2002 13:41:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:41:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8AHOnC09071 for + ; Tue, 10 Sep 2002 18:24:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8AHM1K05478; Tue, 10 Sep 2002 19:22:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8AHLBK32532 for + ; Tue, 10 Sep 2002 19:21:12 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Holidays for freshrpms.net :-) +Message-Id: <20020910192046.66fe2b83.matthias@egwn.net> +In-Reply-To: <1031676608.17878.8.camel@athlon.ckloiber.com> +References: <20020910183907.2310f32c.matthias@egwn.net> + <1031676608.17878.8.camel@athlon.ckloiber.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 10 Sep 2002 19:20:46 +0200 +Date: Tue, 10 Sep 2002 19:20:46 +0200 +X-Spam-Status: No, hits=-15.3 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Chris wrote : + +> On Tue, 2002-09-10 at 12:39, Matthias Saou wrote: +> > Hi all, +> > +> > I'll be leaving this evening until next Monday, with no access to +> > whatsoever to a single computer until then, woohoo, real holidays! :-) +> +> I don't think I could take it. The network was down for an hour here and +> I was climbing the walls. :) + +I can't stand it either when it's at work or home and I'd planned on doing +something that required network access... but I really feel like I need a +break now, away from work pressure that almost drove me nuts all summer! +Ah, the joys of responsibilities... :-/ + +Six days without computers ahead, but six days driving my 600 Bandit +roadster bike! I won't be miserable nor get bored, don't worry for me ;-) +I also have the first Lord of the Rings book to finish (half way through +now) and the two others to read... lots of "sane" and non-wired occupations +ahead! +Oh, did I mention beer drinking with friends? :-)))) + +Matthias (really happy to be on holidayyyy for the first time this year!) + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1191.f8b145ebabbd42450c292e448cf44f15 b/machine-learning-ex6/ex6/easy_ham/1191.f8b145ebabbd42450c292e448cf44f15 new file mode 100644 index 0000000..060d2a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1191.f8b145ebabbd42450c292e448cf44f15 @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Mon Sep 16 00:09:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0237F16F03 + for ; Mon, 16 Sep 2002 00:09:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:09:13 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8FFFnC19825 for + ; Sun, 15 Sep 2002 16:15:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8FFB4K16664; Sun, 15 Sep 2002 17:11:04 + +0200 +Received: from fep02-app.kolumbus.fi (fep02-0.kolumbus.fi [193.229.0.44]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8FFALK15168 for + ; Sun, 15 Sep 2002 17:10:22 +0200 +Received: from azrael.blades.cxm ([62.248.235.23]) by + fep02-app.kolumbus.fi with ESMTP id + <20020915151010.BZQC26864.fep02-app.kolumbus.fi@azrael.blades.cxm> for + ; Sun, 15 Sep 2002 18:10:10 +0300 +Received: (from blades@localhost) by azrael.blades.cxm (SGI-8.9.3/8.9.3) + id SAA54209 for rpm-list@freshrpms.net; Sun, 15 Sep 2002 18:10:11 +0300 + (EEST) +X-Authentication-Warning: azrael.blades.cxm: blades set sender to + harri.haataja@cs.helsinki.fi using -f +From: Harri Haataja +To: Freshrpms list +Subject: REQ: Beast/BSE +Message-Id: <20020915181010.E15386@azrael.smilehouse.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 18:10:11 +0300 +Date: Sun, 15 Sep 2002 18:10:11 +0300 +X-Spam-Status: No, hits=-13.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +http://beast.gtk.org + +There's a realy nasty shortage on sequencers :( + +(Actually I'd like this running on my main box, which is Irix but that +I'll probably try to tackle myself :) + +-- +Rule #1: All software sucks +Rule #2: All hardware sucks. +Rule #3: My vacuum-cleaner is hardware. It never obeys rule #2? + -- Tanuki the Raccoon-dog, Scary Devil Monastery + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1192.1d7f09a0119d74789f1918f9c02beb45 b/machine-learning-ex6/ex6/easy_ham/1192.1d7f09a0119d74789f1918f9c02beb45 new file mode 100644 index 0000000..1159bc1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1192.1d7f09a0119d74789f1918f9c02beb45 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Wed Sep 18 16:04:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2295116F03 + for ; Wed, 18 Sep 2002 16:04:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 16:04:49 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8IF2VC03196 for + ; Wed, 18 Sep 2002 16:02:32 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8IEv3f12031; Wed, 18 Sep 2002 16:57:03 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8IEuJf11886 for + ; Wed, 18 Sep 2002 16:56:20 +0200 +From: Matthias Saou +To: RPM-List +Subject: New testing packages +Message-Id: <20020918165020.3ca80271.matthias@rpmforge.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 18 Sep 2002 16:50:20 +0200 +Date: Wed, 18 Sep 2002 16:50:20 +0200 +X-Spam-Status: No, hits=-3.9 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Hi, + +Just the kind of announce I make once in a while : +- I've rebuilt a new "alsaplayer" package based on Angle's one. +- I've rebuilt a hopefully final version "-fr8" of the "alsa-driver" and + "alsa-kernel" packages which fix all known SMP build issues. + +Both can be found here : +http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ + +I've also repackaged gkrellm 2.0.2 with at last a separate package for the +server that can be installed standalone and doesn't even require glib2. +http://ftp.freshrpms.net/pub/freshrpms/testing/gkrellm/ + +Last but not least, my latest proftpd 1.2.6 package incorporates some nifty +new features : You can use any of "--with ldap", "--with mysql" and "--with +postgres" when rebuilding the source rpm with rpmbuild to enable desired +extra authentication methods and all package requirements are set +accordingly, and the release tag is changed too. +http://valhalla.freshrpms.net/ (the usual place ;-)) + +I think I'll use this "--with " switch more and more where +possible. Some other of my package already use it like the xmame for its +output targets, sqlrelay for its modules and my latest sylpheed claws spec +to enable Pilot support. + +As usual, feedback and comments are welcome! :-) + +Matthias + +PS: Yup, I'm back from my holidays ;-) + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 2.42 2.10 1.32, AC on-line, battery charging: 100% (7:12) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1193.8805a7218e81db9893ee2b704d9ebeb1 b/machine-learning-ex6/ex6/easy_ham/1193.8805a7218e81db9893ee2b704d9ebeb1 new file mode 100644 index 0000000..20b26f0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1193.8805a7218e81db9893ee2b704d9ebeb1 @@ -0,0 +1,75 @@ +From rpm-list-admin@freshrpms.net Wed Sep 18 16:17:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4038116F16 + for ; Wed, 18 Sep 2002 16:17:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 16:17:28 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8IFGCC03906 for + ; Wed, 18 Sep 2002 16:16:12 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8IFD1f15548; Wed, 18 Sep 2002 17:13:01 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8IFC7f15412 for + ; Wed, 18 Sep 2002 17:12:07 +0200 +Received: from cs78131139.pp.htv.fi ([62.78.131.139]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g8IFBw104014 for ; + Wed, 18 Sep 2002 18:11:58 +0300 (EETDST) +Subject: Re: New testing packages +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020918165020.3ca80271.matthias@rpmforge.net> +References: <20020918165020.3ca80271.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1032361926.3200.1285.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g8IFC7f15412 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 18 Sep 2002 18:12:05 +0300 +Date: 18 Sep 2002 18:12:05 +0300 +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_SPARSE, + T_REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +On Wed, 2002-09-18 at 17:50, Matthias Saou wrote: + +> I think I'll use this "--with " switch more and more where +> possible. + +Nifty, I've been thinking about that too. Any good ideas how to +document those targets? %description? + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1194.ee628dd00ae3eea31232d0e78a39c9b2 b/machine-learning-ex6/ex6/easy_ham/1194.ee628dd00ae3eea31232d0e78a39c9b2 new file mode 100644 index 0000000..d7046ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1194.ee628dd00ae3eea31232d0e78a39c9b2 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Thu Sep 19 13:02:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5E12716F03 + for ; Thu, 19 Sep 2002 13:02:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:02:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8JApkC16151 for + ; Thu, 19 Sep 2002 11:51:47 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8JAn3f17228; Thu, 19 Sep 2002 12:49:03 + +0200 +Received: from zeus.scania.co.za ([196.41.10.170]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8JAmHf13834 for + ; Thu, 19 Sep 2002 12:48:18 +0200 +Received: from leenx.co.za ([10.1.1.130]) by zeus.scania.co.za + (8.11.6/8.11.2) with ESMTP id g8JAgWC10724 for ; + Thu, 19 Sep 2002 12:42:36 +0200 +Message-Id: <3D89AA17.4090005@leenx.co.za> +From: "C.Lee Taylor" +Organization: LeeNX +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020607 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: --with ... +References: <20020919100001.21684.81501.Mailman@auth02> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 12:42:31 +0200 +Date: Thu, 19 Sep 2002 12:42:31 +0200 +X-Spam-Status: No, hits=-2.1 required=5.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Greetings ... + +> PS: Yup, I'm back from my holidays ;-) + I hope you did not miss us at all ... ;-0 + + > I think I'll use this "--with " switch more and more where + > possible. + Mmm, great stuff ... Now to get the RedHat Samba packager to do the same +thing ... + + I have used there spec file and fun a few problems in it, and one of them +was just hashing out things for other use ... + + Now to get to grips with the Kernel ... still have not found and easy way to +rebuild the Kernel without having to wait and hour for it to generate the +headers for all arch ... arrrrhhhh ... + +Mailed +Lee + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1195.4cad51ea61eee58c9b4496ebba828692 b/machine-learning-ex6/ex6/easy_ham/1195.4cad51ea61eee58c9b4496ebba828692 new file mode 100644 index 0000000..052af33 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1195.4cad51ea61eee58c9b4496ebba828692 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Thu Sep 19 13:02:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 100B516F03 + for ; Thu, 19 Sep 2002 13:02:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:02:21 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8JBC9C16961 for + ; Thu, 19 Sep 2002 12:12:09 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8JB91f09494; Thu, 19 Sep 2002 13:09:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8JB8Wf08829 for + ; Thu, 19 Sep 2002 13:08:32 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: --with ... +Message-Id: <20020919130825.16f0b1c8.matthias@rpmforge.net> +In-Reply-To: <3D89AA17.4090005@leenx.co.za> +References: <20020919100001.21684.81501.Mailman@auth02> + <3D89AA17.4090005@leenx.co.za> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 13:08:25 +0200 +Date: Thu, 19 Sep 2002 13:08:25 +0200 +X-Spam-Status: No, hits=-5.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, C.Lee wrote : + +> > I think I'll use this "--with " switch more and more where +> > possible. +> Mmm, great stuff ... Now to get the RedHat Samba packager to do the +> same thing ... + +I'm sure that if you file a bugzilla entry with a relevant patch against +the spec file, chances of getting the change done are on your side ;-) + +> I have used there spec file and fun a few problems in it, and one +> of them was just hashing out things for other use ... +> +> Now to get to grips with the Kernel ... still have not found and +> easy way to rebuild the Kernel without having to wait and hour for +> it to generate the headers for all arch ... arrrrhhhh ... + +The problem is that "--with --without " is clearly not meant to +change deeply the way a package is built. Its use would be more like +enabling/disabling gpg, ldap, whateversql support in packages as it's not +possible to use something like "--with-=" which could be used for +a much wider scope. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.00 0.12 0.32, AC on-line, battery charging: 100% (4:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1196.38c6bb13ea04559ae8d2cc19219d1ac5 b/machine-learning-ex6/ex6/easy_ham/1196.38c6bb13ea04559ae8d2cc19219d1ac5 new file mode 100644 index 0000000..e06e91d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1196.38c6bb13ea04559ae8d2cc19219d1ac5 @@ -0,0 +1,75 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 11:27:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6B41F16F03 + for ; Fri, 20 Sep 2002 11:27:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:27:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8JKa7C03048 for + ; Thu, 19 Sep 2002 21:36:07 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8JKS3f22453; Thu, 19 Sep 2002 22:28:04 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8JKRBf16151 + for ; Thu, 19 Sep 2002 22:27:11 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17s7uA-0005WB-00 for rpm-list@freshrpms.net; + Thu, 19 Sep 2002 16:28:06 -0400 +X-Originating-Ip: [66.92.157.2] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: New testing packages +Message-Id: <20020919.6le.46623700@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 20:28:51 +0000 +Date: Thu, 19 Sep 2002 20:28:51 +0000 +X-Spam-Status: No, hits=-0.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Matthias Saou (matthias@rpmforge.net) wrote*: +>- I've rebuilt a new "alsaplayer" package based on Angle's one. + +Cool, one less package to maintain :) + +One interesting thing about alsaplayer is that RedHat's XMMS package in RH8 will +probably not play mp3 files. But alsaplayer does play mp3s "out of the box". + +Also, they are developing rapidly in their CVS and looks like their next version +of alsaplaer will be pretty cool, but I have no idea when it will be ready. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1197.d2b11de4c8eb13e1fcc1d444665d0d1c b/machine-learning-ex6/ex6/easy_ham/1197.d2b11de4c8eb13e1fcc1d444665d0d1c new file mode 100644 index 0000000..3ca8a15 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1197.d2b11de4c8eb13e1fcc1d444665d0d1c @@ -0,0 +1,68 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 11:30:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1152C16F03 + for ; Fri, 20 Sep 2002 11:30:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:30:18 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8K5NIC23544 for + ; Fri, 20 Sep 2002 06:23:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8K5E2f12491; Fri, 20 Sep 2002 07:14:02 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8K5Dcf06500 for ; Fri, 20 Sep 2002 07:13:38 +0200 +Received: from yoda (12-231-69-107.client.attbi.com + [::ffff:12.231.69.107]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Thu, 19 Sep 2002 22:13:32 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: sylpheed-claws +Message-Id: <20020919221046.7484dec6.hosting@j2solutions.net> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.7.5claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 22:10:46 -0700 +Date: Thu, 19 Sep 2002 22:10:46 -0700 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Have you thought of bumping up sylpheed-claws? I see sylpheed got a +bump... show some claws love? (; + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1198.b0a1f43fd2c1b88883e597b6446e8ab1 b/machine-learning-ex6/ex6/easy_ham/1198.b0a1f43fd2c1b88883e597b6446e8ab1 new file mode 100644 index 0000000..99af938 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1198.b0a1f43fd2c1b88883e597b6446e8ab1 @@ -0,0 +1,70 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 11:30:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9E87216F03 + for ; Fri, 20 Sep 2002 11:30:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:30:28 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8K66YC24804 for + ; Fri, 20 Sep 2002 07:06:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8K620f25468; Fri, 20 Sep 2002 08:02:00 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8K60pf25331 + for ; Fri, 20 Sep 2002 08:00:52 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17sGrK-0005vq-00 for rpm-list@freshrpms.net; + Fri, 20 Sep 2002 02:01:46 -0400 +X-Originating-Ip: [66.44.42.81] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: New testing packages +Message-Id: <20020920.FvD.95677700@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 20 Sep 2002 06:02:34 +0000 +Date: Fri, 20 Sep 2002 06:02:34 +0000 +X-Spam-Status: No, hits=-0.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Angles Puglisi (angles@aminvestments.com) wrote*: +>Also, they are developing rapidly in their CVS and looks like their next version +>of alsaplaer will be pretty cool, but I have no idea when it will be ready. + +ahh, oops they just released. -/ + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1199.5ec73158a8a2f5c74523d8eb88871653 b/machine-learning-ex6/ex6/easy_ham/1199.5ec73158a8a2f5c74523d8eb88871653 new file mode 100644 index 0000000..cac758f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1199.5ec73158a8a2f5c74523d8eb88871653 @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 11:30:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E349816F03 + for ; Fri, 20 Sep 2002 11:30:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:30:47 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8K8kFC29305 for + ; Fri, 20 Sep 2002 09:46:15 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8K8g1f28052; Fri, 20 Sep 2002 10:42:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8K8fMf27995 for + ; Fri, 20 Sep 2002 10:41:22 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: sylpheed-claws +Message-Id: <20020920104055.201c2986.matthias@rpmforge.net> +In-Reply-To: <20020919221046.7484dec6.hosting@j2solutions.net> +References: <20020919221046.7484dec6.hosting@j2solutions.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 20 Sep 2002 10:40:55 +0200 +Date: Fri, 20 Sep 2002 10:40:55 +0200 +X-Spam-Status: No, hits=-5.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Jesse wrote : + +> Have you thought of bumping up sylpheed-claws? I see sylpheed got a +> bump... show some claws love? (; + +Well, in sylheed's "claws" branch you need to wait a bit for the developers +to backport all the updates from the main branch before getting a release +with the same version number. + +Right now, the latest "claws" release is still 0.8.2claws : +http://sourceforge.net/project/showfiles.php?group_id=25528 + +But as it's the primary mailer I use, you can be sure that as soon as it's +updated to 0.8.3, I'll update my build! :-) + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.18 0.23 0.33, AC on-line, battery charging: 100% (4:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1200.9409eddf74ede560b5e33ce381d9a00a b/machine-learning-ex6/ex6/easy_ham/1200.9409eddf74ede560b5e33ce381d9a00a new file mode 100644 index 0000000..4c939d8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1200.9409eddf74ede560b5e33ce381d9a00a @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 17:34:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2611316F03 + for ; Fri, 20 Sep 2002 17:34:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 17:34:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8KGHRC13022 for + ; Fri, 20 Sep 2002 17:17:27 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8KGC2f20417; Fri, 20 Sep 2002 18:12:02 + +0200 +Received: from mailout10.sul.t-online.com (mailout10.sul.t-online.com + [194.25.134.21]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8KGBVf20368 for ; Fri, 20 Sep 2002 18:11:32 +0200 +Received: from fwd11.sul.t-online.de by mailout10.sul.t-online.com with + smtp id 17sQNO-0001u3-08; Fri, 20 Sep 2002 18:11:30 +0200 +Received: from puariko.homeip.net (520039812576-0001@[217.231.206.155]) by + fmrl11.sul.t-online.com with esmtp id 17sQNE-01U7NoC; Fri, 20 Sep 2002 + 18:11:20 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: Re: Should mplayer be build with Win32 codecs? +Message-Id: <20020920181118.A17344@bonzo.nirvana> +References: <20020608213903.GA26452@krabat.physik.fu-berlin.de> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020608213903.GA26452@krabat.physik.fu-berlin.de>; + from Axel.Thimm@physik.fu-berlin.de on Sat, Jun 08, 2002 at 11:39:03PM + +0200 +X-Sender: 520039812576-0001@t-dialin.net +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 20 Sep 2002 18:11:18 +0200 +Date: Fri, 20 Sep 2002 18:11:18 +0200 +X-Spam-Status: No, hits=-12.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Hi, + +has anyone an answer for me? The mplayer documentation still suggests to use +them for x86 architectures. + +Thanks. :) + +Regards, Axel. + +On Sat, Jun 08, 2002 at 11:39:03PM +0200, Axel Thimm wrote: +> Are there perhaps licensing issues, which forbid such a practice? Or any other +> reasons? +> +> The reason I ask is that I have seen performance and also some feature +> differences (fullscreen w/o keeping aspect ratio, visual artifacts on NVIDIA) +> comparing with or without the Win32 codecs. The mplayer authors seem to +> recommend using them for x86 architectures. +> +> Beware, I am no mplayer/codecs/whatever expert, I may be totally lost ... + +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1201.ecb357d3156544c58b58b4552635629d b/machine-learning-ex6/ex6/easy_ham/1201.ecb357d3156544c58b58b4552635629d new file mode 100644 index 0000000..0a4a268 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1201.ecb357d3156544c58b58b4552635629d @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Fri Sep 20 17:34:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 22FA616F03 + for ; Fri, 20 Sep 2002 17:34:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 17:34:50 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8KGTtC13446 for + ; Fri, 20 Sep 2002 17:29:55 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8KGN2f00819; Fri, 20 Sep 2002 18:23:06 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8KGMmf00768 for + ; Fri, 20 Sep 2002 18:22:48 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Should mplayer be build with Win32 codecs? +Message-Id: <20020920182230.3f487196.matthias@rpmforge.net> +In-Reply-To: <20020920181118.A17344@bonzo.nirvana> +References: <20020608213903.GA26452@krabat.physik.fu-berlin.de> + <20020920181118.A17344@bonzo.nirvana> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 20 Sep 2002 18:22:30 +0200 +Date: Fri, 20 Sep 2002 18:22:30 +0200 +X-Spam-Status: No, hits=-5.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Axel wrote : + +> has anyone an answer for me? The mplayer documentation still suggests to +> use them for x86 architectures. + +Well, I think my avifile build still needs the win32 codecs to be able to +run (manually copied into /usr/lib/win32/), but personally, I've been very +happy with mplayer's default (which is ffmpeg's ffdivx decoder) for nearly +all the DivX files I used. The only ones that still require (from my own +experience) the use of the win32 codecs are the ones encoded with a strange +DivX 3 sound format... and I've really not seen any quality or speed +improvements when using them. + +Matthias + +> On Sat, Jun 08, 2002 at 11:39:03PM +0200, Axel Thimm wrote: +> > Are there perhaps licensing issues, which forbid such a practice? Or +> > any other reasons? +> > +> > The reason I ask is that I have seen performance and also some feature +> > differences (fullscreen w/o keeping aspect ratio, visual artifacts on +> > NVIDIA) comparing with or without the Win32 codecs. The mplayer authors +> > seem to recommend using them for x86 architectures. +> > +> > Beware, I am no mplayer/codecs/whatever expert, I may be totally lost +> > ... + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.35 0.46 0.43, AC on-line, battery charging: 100% (4:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1202.f08961f34260e8c17e28d788641f21c5 b/machine-learning-ex6/ex6/easy_ham/1202.f08961f34260e8c17e28d788641f21c5 new file mode 100644 index 0000000..70e9a69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1202.f08961f34260e8c17e28d788641f21c5 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 18:31:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A306316F03 + for ; Mon, 23 Sep 2002 18:31:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:15 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFCmC22638 for + ; Mon, 23 Sep 2002 16:12:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NF63f09696; Mon, 23 Sep 2002 17:06:04 + +0200 +Received: from fep07-app.kolumbus.fi (fep07-0.kolumbus.fi [193.229.0.51]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8N7Xof04723 for + ; Mon, 23 Sep 2002 09:33:50 +0200 +Received: from [10.104.155.83] ([62.248.241.5]) by fep07-app.kolumbus.fi + with ESMTP id + <20020923073338.MLTG14491.fep07-app.kolumbus.fi@[10.104.155.83]> for + ; Mon, 23 Sep 2002 10:33:38 +0300 +Subject: Re: New testing packages +From: Peter Peltonen +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020919.6le.46623700@www.dudex.net> +References: <20020919.6le.46623700@www.dudex.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.7 (1.0.7-2.2) +Message-Id: <1032766369.1927.14.camel@jersey.fivetec.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 23 Sep 2002 10:32:49 +0300 +Date: 23 Sep 2002 10:32:49 +0300 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + + +BTW: I just a found a quite nice looking apt repositry for all kinds of +audio apps at + +http://ccrma-www.stanford.edu/planetccrma/software/ + +Peter + + +On Thu, 2002-09-19 at 23:28, Angles Puglisi wrote: +> Matthias Saou (matthias@rpmforge.net) wrote*: +> >- I've rebuilt a new "alsaplayer" package based on Angle's one. +> +> Cool, one less package to maintain :) +> +> One interesting thing about alsaplayer is that RedHat's XMMS package in RH8 will +> probably not play mp3 files. But alsaplayer does play mp3s "out of the box". +> +> Also, they are developing rapidly in their CVS and looks like their next version +> of alsaplaer will be pretty cool, but I have no idea when it will be ready. +> +> -- +> That's "angle" as in geometry. +> +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1203.cce79b97ab6e3ebbd6861b40ea6df234 b/machine-learning-ex6/ex6/easy_ham/1203.cce79b97ab6e3ebbd6861b40ea6df234 new file mode 100644 index 0000000..da6c888 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1203.cce79b97ab6e3ebbd6861b40ea6df234 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 18:31:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E36F16F03 + for ; Mon, 23 Sep 2002 18:31:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:24 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFNsC23104 for + ; Mon, 23 Sep 2002 16:23:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NFC1f30675; Mon, 23 Sep 2002 17:12:01 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8NFBbf25661 for ; Mon, 23 Sep 2002 17:11:37 +0200 +Received: from yoda (12-231-69-107.client.attbi.com + [::ffff:12.231.69.107]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Mon, 23 Sep 2002 08:11:31 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: Re: sylpheed-claws +Message-Id: <20020923080924.27618d2b.hosting@j2solutions.net> +In-Reply-To: <20020920104055.201c2986.matthias@rpmforge.net> +References: <20020919221046.7484dec6.hosting@j2solutions.net> + <20020920104055.201c2986.matthias@rpmforge.net> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 08:09:24 -0700 +Date: Mon, 23 Sep 2002 08:09:24 -0700 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +On Fri, 20 Sep 2002 10:40:55 +0200 +Matthias Saou wrote: + +# But as it's the primary mailer I use, you can be sure that as soon +# as it's updated to 0.8.3, I'll update my build! :-) + +It got updated (; + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1204.952a12e8daae26a03acf5f9c8e08c113 b/machine-learning-ex6/ex6/easy_ham/1204.952a12e8daae26a03acf5f9c8e08c113 new file mode 100644 index 0000000..f35bb9a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1204.952a12e8daae26a03acf5f9c8e08c113 @@ -0,0 +1,121 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:06:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7323216F03 + for ; Mon, 23 Sep 2002 12:06:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:20 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N51JC01448 for + ; Mon, 23 Sep 2002 06:01:19 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F2CB43F5C9; Mon, 23 Sep 2002 + 01:01:47 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 40CF63F192 + for ; Mon, 23 Sep 2002 01:00:44 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N50iN18870 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 01:00:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N50hh18866 for + ; Mon, 23 Sep 2002 01:00:43 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8N4h5i21940 for + ; Mon, 23 Sep 2002 00:43:05 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + BAA08762 for ; Mon, 23 Sep 2002 01:00:38 -0400 +Message-Id: <200209230500.BAA08762@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <25647.1031927295@dimebox> +References: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> + <25647.1031927295@dimebox> +Comments: In-reply-to Hal DeVore message dated "Fri, + 13 Sep 2002 09:28:15 -0500." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:00:37 -0700 +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I need to experiment with ripping out all my "sophisticated" cut/paste +code. This is mostly historical accident from dealing with very early +versions of Tk, and the emacs "cutbuffer", and other wierd junk. +You can, too, by hacking upon seditBind.tcl appropriately. + +>>>Hal DeVore said: + > + > + > >>>>> On Fri, 13 Sep 2002, "Tony" == Tony Nugent wrote: + > + > Tony> I can't even mark text in an exmh message window and then + > Tony> paste it into a terminal window, the cut buffer seems to + > Tony> be completely empty (and its previous contents are no + > Tony> longer there either). + > + > Brent confessed recently that he had tried to subvert the X + > model(s) of copy and paste. Not in those words... but that + > was how I read it. ;) + > + > I have a lot of trouble copying and pasting from or to exmh + > across a VNC link (from things in the vncviewer to things not in + > it and vice versa). As long as I stick to apps being "normally" + > displayed on my X server I don't have much of a problem. + > + > My recollection from my X programming days is that the X model, + > like everything in X, is more complex than the human brain can + > handle. It also is very different from the MS-Windows model. + > And I get the feeling that Tk tries to "unify" those two models + > and fails. Not sure what the exmh-specific contribution to the + > confusion is, frankly. + > + > --Hal + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1205.f9d66868c52039f7a147d9e2b4b05e1f b/machine-learning-ex6/ex6/easy_ham/1205.f9d66868c52039f7a147d9e2b4b05e1f new file mode 100644 index 0000000..95289d6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1205.f9d66868c52039f7a147d9e2b4b05e1f @@ -0,0 +1,164 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:06:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 49A9816F03 + for ; Mon, 23 Sep 2002 12:06:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:26 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N5D2C01926 for + ; Mon, 23 Sep 2002 06:13:06 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 74C573EBFF; Mon, 23 Sep 2002 + 01:13:23 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B83A03F6E9 + for ; Mon, 23 Sep 2002 01:08:24 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N58OF19984 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 01:08:24 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N58Oh19980 for + ; Mon, 23 Sep 2002 01:08:24 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8N4oji22828 for + ; Mon, 23 Sep 2002 00:50:45 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + BAA09815 for ; Mon, 23 Sep 2002 01:08:17 -0400 +Message-Id: <200209230508.BAA09815@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209131705.g8DH5Or30284@lin12.triumf.ca> +References: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> + <200209131705.g8DH5Or30284@lin12.triumf.ca> +Comments: In-reply-to Rick Baartman message + dated "Fri, 13 Sep 2002 10:05:23 -0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:08:16 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +It's all here in these 10 lines, otherwise known as the +"I'll try my damnest to paste something" procedure: + +# Return the current selection (from any window) or cut buffer 0. +proc Text_Selection {} { + if [catch {selection get} sel] { + if [catch {selection get -selection CLIPBOARD} sel] { + if [catch {cutbuffer get 0} sel] { + return "" + } + } + } + return $sel +} + +This is in textSelection.tcl, and is what exmh uses to find text to paste. +It is that last "cutbuffer get" that is wacky, because exmh sticks its +own deletions into that little know stash, and is probably the only +application on the planet that still looks there. We should probably +just disable that - try this variant: + +proc Text_Selection {} { + if [catch {selection get} sel] { + if [catch {selection get -selection CLIPBOARD} sel] { + return "" + } + } + return $sel +} + +Everything funnels through here, so you just need to hack this one spot. + + +>>>Rick Baartman said: + > I've never understood the mouse buffer operation with exmh either. Here's th + e + > behaviour I have. I have exmh and XEmacs windows up, and a terminal window. + (I + > also have gnome1.4 running and enlightenment as wm.) I select text in the ex + mh + > window and while it is highlighted, I can paste into anything else. If I sel + ect + > it and then click so the highlighting is off, then what I paste is not the + > recently-selected text in exmh, but an old selection. If I select in XEmacs + and + > leave it highlighted, I can paste it into exmh sedit window; but if it is no + + > longer highlighted, what I paste is an old selection. I can live with this + > behaviour except for one additional thing. If nothing is highlighted, then w + hat + > I paste into exmh is different from what I paste into other windows. To be m + ore + > specific, here's what gets pasted if nothing is highlighted: + > + > Application What gets pasted + > + > XEmacs whatever was last selected unless it was last selected in + exmh + > xterm same as XEmacs + > AbiWord nothing + > Nedit nothing + > sedit Whatever was last highlighted in sedit and overwritten + > + > The last needs some amplification. If I highlight something in sedit, then + > obviously that's what gets pasted. If the highlighting is off, then what get + s + > pasted is NOT what was last highlighted in sedit, but what was last highligh + ted + > and typed over (I have "Type Kills SEL" on.). + > + > It seems that exmh and sedit are the oddballs here. Very often when I try to + + > paste something in sedit I end up muttering WTF?? + > + > -- + > rick + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1206.c2cc53dbf20904a052845fd3db08b072 b/machine-learning-ex6/ex6/easy_ham/1206.c2cc53dbf20904a052845fd3db08b072 new file mode 100644 index 0000000..e701315 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1206.c2cc53dbf20904a052845fd3db08b072 @@ -0,0 +1,97 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:06:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3AF7416F03 + for ; Mon, 23 Sep 2002 12:06:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:29 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N5D4C01928 for + ; Mon, 23 Sep 2002 06:13:08 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BE64D3ECD6; Mon, 23 Sep 2002 + 01:13:25 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id C0F243F77B + for ; Mon, 23 Sep 2002 01:11:10 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N5BAw20351 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 01:11:10 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N5BAh20347 for + ; Mon, 23 Sep 2002 01:11:10 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8N4rVi23135 for + ; Mon, 23 Sep 2002 00:53:31 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + BAA10303 for ; Mon, 23 Sep 2002 01:11:04 -0400 +Message-Id: <200209230511.BAA10303@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <26402.1031939696@dimebox> +References: <200209131130.g8DBUZL24217@hobbit.linuxworks.com.au.nospam> + <200209131705.g8DH5Or30284@lin12.triumf.ca> <26402.1031939696@dimebox> +Comments: In-reply-to Hal DeVore message dated "Fri, + 13 Sep 2002 12:54:56 -0500." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:11:03 -0700 +X-Spam-Status: No, hits=-4.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +>>>Hal DeVore said: + > "Brent said in his book" + > This Paste function can be convenient, but it turns out that + > users still need to keep track of the difference between the + > two selections. If a user only understands the CLIPBOARD, + > then the user of PRIMARY is only surprising. I learned that + > it is best to have a separate paste user action for the two + > selections. The convention is that sets + > the insert point and inserts the PRIMARY selection. ... The + > <> event (e.g., the Paste key) simply inserts the + > CLIPBOARD selection at the current insert point. ... + +Yeah, I learned by hearing exmh users scream in agony. Sorry about +all that. We should be able to clean this up. If you grep for +"bind" in seditBind you quickly find the Text_Selection proc +I described in the previous email. + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1207.8c832e207c141f927b0810c9ae5ce857 b/machine-learning-ex6/ex6/easy_ham/1207.8c832e207c141f927b0810c9ae5ce857 new file mode 100644 index 0000000..a26feec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1207.8c832e207c141f927b0810c9ae5ce857 @@ -0,0 +1,104 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:06:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E84C116F03 + for ; Mon, 23 Sep 2002 12:06:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:06:34 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N5PbC02476 for + ; Mon, 23 Sep 2002 06:25:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7D9DE3EA67; Mon, 23 Sep 2002 + 01:26:04 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A2EAC3EDF3 + for ; Mon, 23 Sep 2002 01:21:56 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N5Luc21797 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 01:21:56 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N5Luh21793 for + ; Mon, 23 Sep 2002 01:21:56 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8N54Hi24435 for + ; Mon, 23 Sep 2002 01:04:17 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + BAA11218 for ; Mon, 23 Sep 2002 01:21:50 -0400 +Message-Id: <200209230521.BAA11218@blackcomb.panasas.com> +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <20020915202900.F294C5D04@ptavv.es.net> +References: <20020915202900.F294C5D04@ptavv.es.net> +Comments: In-reply-to "Kevin Oberman" message dated "Sun, + 15 Sep 2002 13:28:59 -0700." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 22 Sep 2002 22:21:49 -0700 +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +>>>"Kevin Oberman" said: + > It did for me, but I am not willing to say it is not a tcl/tk issue as + > other apps seemed to work OK for cut and paste and Tk does its + > clipboard stuff a bit differently than most toolkits. So I'm not + > about to place blame. Just reporting my experience. + +One more salvo on X and cut/paste. X specifies at least two *mechanisms* +for cut/paste, but as usual mandates no *policy*. Windows and Macintosh +have a slightly different mechanism and one uniform policy. I'm quite +sure that Tk implements all PRIMARY and CLIPBOARD selections accurately. +The PRIMARY selection is the one that is tied to the visible selection +on your X display. The CLIPBOARD selection is the one with the explicit +Copy step, and is the same as what you have on Windows and Macintosh. +However, exmh throws in support for the cutbuffer mechanism, which is +another archaic mechanism supported at one point (perhaps still today) +by versions of emacs. Exmh has a policy that tries to unify all these +mechanisms under one umbrella, and by all reports it is not that great. + +I would encourage folks to play with those 10 lines of code in +Text_Selection and report what works well for them. We may come up +with 8 lines that work for everyone, or perhaps introduce yet another +setting that lets folks choose between a few useful models. Of course, +that's an admission of policy failure, but I'm willing to do that. + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1208.2be266a0d4e2e967a79be90d6210a9c2 b/machine-learning-ex6/ex6/easy_ham/1208.2be266a0d4e2e967a79be90d6210a9c2 new file mode 100644 index 0000000..bf308ef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1208.2be266a0d4e2e967a79be90d6210a9c2 @@ -0,0 +1,116 @@ +From exmh-users-admin@redhat.com Mon Sep 23 12:08:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7F4D916F03 + for ; Mon, 23 Sep 2002 12:08:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 12:08:37 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8N9QZC09959 for + ; Mon, 23 Sep 2002 10:26:35 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 3BE383EC03; Mon, 23 Sep 2002 + 05:27:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 789703EBD4 + for ; Mon, 23 Sep 2002 05:26:32 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8N9QWX22102 for exmh-users@listman.redhat.com; Mon, 23 Sep 2002 + 05:26:32 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8N9QWh22098 for + ; Mon, 23 Sep 2002 05:26:32 -0400 +Received: from ratree.psu.ac.th ([202.28.97.9]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g8N976i18437 for ; + Mon, 23 Sep 2002 05:07:10 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g8N9Np316223 for + ; Mon, 23 Sep 2002 16:23:56 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g8N9NX719043 for ; + Mon, 23 Sep 2002 16:23:47 +0700 (ICT) +From: Robert Elz +To: exmh-users@example.com +Subject: Re: bad focus/click behaviours +In-Reply-To: <200209230521.BAA11218@blackcomb.panasas.com> +References: <200209230521.BAA11218@blackcomb.panasas.com> + <20020915202900.F294C5D04@ptavv.es.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <19041.1032773013@munnari.OZ.AU> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 16:23:33 +0700 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Sun, 22 Sep 2002 22:21:49 -0700 + From: Brent Welch + Message-ID: <200209230521.BAA11218@blackcomb.panasas.com> + + | I would encourage folks to play with those 10 lines of code in + | Text_Selection and report what works well for them. We may come up + | with 8 lines that work for everyone, or perhaps introduce yet another + | setting that lets folks choose between a few useful models. Of course, + | that's an admission of policy failure, but I'm willing to do that. + +I actually think you're looking in the wrong place. I, at least, +have almost no problems with the choice of what gets pasted, or +selected, that stuff (for me, if perhaps not users of some gnome variant, +which appraently has been fixed anyway) all seems to work just fine. + +The problem is that a button 1 click clears the selection (PRIMARY) +where it shouldn't - the previous selection should only be cleared +when there's something else to replace it (even if the highlighting +of what is selected is removed). Try this in any other ramdom +application (from xterm to netscape) and see how it works. There +normally is *no* (mouse based) way to actually clear the primary +selection (that is, set it to be a null string). + +Then, because of the "if I get asked for the selection value, I will +find something" behaviour, if you click (intending to set the insert +point, the way most other GUI's operate), and then paste, because the +PRIMARY is clear, but exmh still owns the selection, because nothing +else has taken it, it does and finds some other ramdom stuff, from +either the clipboard or cut buffer, which tends to be something that was +deleted back in the ancient past, and pastes that. + +That behaviour, to me anyway, is the real issue. + +Once that gets fixed, we can switch back to operating the normal +"select stuff, click at new insert point, paste" mode of operation +that almost everyone expects to work (whether the "select stuff" +is somewhere in one of the exmh windows, or elsewhere). + +kre + +ps: this message is from my experience as a exmh user only, I've never +really understood enough about X and selections to go gazing at that +part of the code and see how it all really operates. + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1209.8d537f01328f65ebd018e0e4e77ebc10 b/machine-learning-ex6/ex6/easy_ham/1209.8d537f01328f65ebd018e0e4e77ebc10 new file mode 100644 index 0000000..0ab80f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1209.8d537f01328f65ebd018e0e4e77ebc10 @@ -0,0 +1,170 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 18:31:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4A8B916F03 + for ; Mon, 23 Sep 2002 18:31:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:05 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NEmDC21624 for + ; Mon, 23 Sep 2002 15:48:13 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 66EF03F71C; Mon, 23 Sep 2002 + 10:48:08 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B13733EA02 + for ; Mon, 23 Sep 2002 10:41:32 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8NEfWx16053 for exmh-workers@listman.redhat.com; Mon, 23 Sep 2002 + 10:41:32 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8NEfWh16049 for + ; Mon, 23 Sep 2002 10:41:32 -0400 +Received: from austin-jump.vircio.com + (IDENT:ccAy5zWQ09Xkwp7bvfjp0++Ajwz36CZN@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8NENpi07062 + for ; Mon, 23 Sep 2002 10:23:51 -0400 +Received: (qmail 12928 invoked by uid 104); 23 Sep 2002 14:41:31 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4224. . Clean. Processed in 0.338467 + secs); 23/09/2002 09:41:31 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 23 Sep 2002 14:41:30 -0000 +Received: (qmail 19676 invoked from network); 23 Sep 2002 14:41:26 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?hktCuClL/beEINsOkIbIB+tLe1/MAaET?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 14:41:26 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Scott Lipcon +Cc: exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: <20020923025816.8E7A34A8@mercea.net> +References: <20020923025816.8E7A34A8@mercea.net> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1988991284P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1032792084.19602.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 09:41:22 -0500 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_1988991284P +Content-Type: text/plain; charset=us-ascii + +> From: Scott Lipcon +> Date: Sun, 22 Sep 2002 22:58:16 -0400 +> +> I just updated to the latest CVS - I had been running a build from June. +> Hitting the Flist button gives the following traceback: +> +> syntax error in expression "int(17+1+(222-)*(19-17-2)/(224-))" +> while executing +> "expr int($minLine+1+($msgid-$minMsg)*($maxLine-$minLine-2)/($maxMsg-$minMs +> g))" +> (procedure "Ftoc_FindMsg" line 57) +> invoked from within +> "Ftoc_FindMsg $i" +> (procedure "Ftoc_ShowSequences" line 16) +> invoked from within +> "Ftoc_ShowSequences $F" +> (procedure "ScanFolder" line 81) +> invoked from within +> "ScanFolder inbox 0" +> invoked from within +> "time [list ScanFolder $F $adjustDisplay" +> (procedure "Scan_Folder" line 2) +> invoked from within +> "Scan_Folder $exmh(folder) $ftoc(showNew)" +> (procedure "Inc_PresortFinish" line 7) +> invoked from within +> "Inc_PresortFinish" +> invoked from within +> ".fops.flist invoke" +> ("uplevel" body line 1) +> invoked from within +> "uplevel #0 [list $w invoke]" +> (procedure "tkButtonUp" line 7) +> invoked from within +> "tkButtonUp .fops.flist +> " +> (command bound to event) +> +> +> It seems to only happen in a folder with no unseen messages. +> +> Chris, is this related to your recent changes? + +Curious. I changed the arguments to Ftoc_ShowSequences to drop the folder +argument and instead have an optional msgids argument. Somehow your version +of ScanFolder is still trying to pass $F. You seem to have the latest +ftoc.tcl (1.36), but not the latest scan.tcl (1.27). + +I don't know how that happened, but try getting your source tree completely +up to date. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1988991284P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9jygSK9b4h5R0IUIRAix6AJ9CorKpwn/5KatPB2QytCyr1mVP5QCfd84d +CBV9usxWABobTcDTVHm8fLY= +=xJhj +-----END PGP SIGNATURE----- + +--==_Exmh_1988991284P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1210.9cb04a991a1fa7e2c6bd49aa89fb9ca2 b/machine-learning-ex6/ex6/easy_ham/1210.9cb04a991a1fa7e2c6bd49aa89fb9ca2 new file mode 100644 index 0000000..a049cf7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1210.9cb04a991a1fa7e2c6bd49aa89fb9ca2 @@ -0,0 +1,192 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 18:31:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 61BD116F03 + for ; Mon, 23 Sep 2002 18:31:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:11 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NF03C22040 for + ; Mon, 23 Sep 2002 16:00:03 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0F7DB3EC25; Mon, 23 Sep 2002 + 10:59:55 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 5EB723F826 + for ; Mon, 23 Sep 2002 10:54:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8NEsKZ18975 for exmh-workers@listman.redhat.com; Mon, 23 Sep 2002 + 10:54:20 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8NEsKh18971 for + ; Mon, 23 Sep 2002 10:54:20 -0400 +Received: from mercea.net (dsl092-151-122.wdc1.dsl.speakeasy.net + [66.92.151.122]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8NEaci09965 for ; Mon, 23 Sep 2002 10:36:38 + -0400 +Received: from mercea.mercea.net (localhost.mercea.net [127.0.0.1]) by + mercea.net (Postfix) with ESMTP id 09A9638C; Mon, 23 Sep 2002 10:54:19 + -0400 (EDT) +From: Scott Lipcon +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: Your message of + "Mon, 23 Sep 2002 09:41:22 CDT." + <1032792084.19602.TMDA@deepeddy.vircio.com> +Message-Id: <20020923145419.09A9638C@mercea.net> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 10:54:19 -0400 +X-Spam-Status: No, hits=-1.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE, + QUOTED_EMAIL_TEXT,X_LOOP + version=2.50-cvs +X-Spam-Level: + +Oops - turns out i wasn't careful installing it, so the exmh(library) +variable was pointing at my old installation. I'm surprised it worked +as well as it did. + +In any case, I removed the old library directory, and edited exmh, +exmh-bg, exmh-strip, etc to point at the right one. Now I'm getting +another traceback on startup: + +can't read "mhPriv(pubseq,family,cur)": no such variable + while executing +"MhSeq $folder $seq add $mhPriv(pubseq,$folder,$seq) [MhSeqExpand +$folder $msgids" + (procedure "MhReadSeqs" line 73) + invoked from within +"MhReadSeqs $folder seqs" + (procedure "Mh_Sequences" line 2) + invoked from within +"Mh_Sequences $folder" + (procedure "Flist_UnseenUpdate" line 4) + invoked from within +"Flist_UnseenUpdate $folder" + (procedure "FolderChange" line 51) + invoked from within +"FolderChange family {Msg_Show cur}" + invoked from within +"time [list FolderChange $folder $msgShowProc" + (procedure "Folder_Change" line 3) + invoked from within +"Folder_Change $exmh(folder)" + (procedure "Exmh" line 101) + invoked from within +"Exmh" + ("after" script) + + ++family is the folder I was in when I quit exmh. + +I'm on a remote display right now, and its really slow. I'll have to +play with it more tonight when I get home to see if there are any +other problems. + +Scott + +> > From: Scott Lipcon +> > Date: Sun, 22 Sep 2002 22:58:16 -0400 +> > +> > I just updated to the latest CVS - I had been running a build from June. +> > Hitting the Flist button gives the following traceback: +> > +> > syntax error in expression "int(17+1+(222-)*(19-17-2)/(224-))" +> > while executing +> > "expr int($minLine+1+($msgid-$minMsg)*($maxLine-$minLine-2)/($maxMsg-$minMs +> > g))" +> > (procedure "Ftoc_FindMsg" line 57) +> > invoked from within +> > "Ftoc_FindMsg $i" +> > (procedure "Ftoc_ShowSequences" line 16) +> > invoked from within +> > "Ftoc_ShowSequences $F" +> > (procedure "ScanFolder" line 81) +> > invoked from within +> > "ScanFolder inbox 0" +> > invoked from within +> > "time [list ScanFolder $F $adjustDisplay" +> > (procedure "Scan_Folder" line 2) +> > invoked from within +> > "Scan_Folder $exmh(folder) $ftoc(showNew)" +> > (procedure "Inc_PresortFinish" line 7) +> > invoked from within +> > "Inc_PresortFinish" +> > invoked from within +> > ".fops.flist invoke" +> > ("uplevel" body line 1) +> > invoked from within +> > "uplevel #0 [list $w invoke]" +> > (procedure "tkButtonUp" line 7) +> > invoked from within +> > "tkButtonUp .fops.flist +> > " +> > (command bound to event) +> > +> > +> > It seems to only happen in a folder with no unseen messages. +> > +> > Chris, is this related to your recent changes? +> +> Curious. I changed the arguments to Ftoc_ShowSequences to drop the folder +> argument and instead have an optional msgids argument. Somehow your version +> of ScanFolder is still trying to pass $F. You seem to have the latest +> ftoc.tcl (1.36), but not the latest scan.tcl (1.27). +> +> I don't know how that happened, but try getting your source tree completely +> up to date. +> +> Chris +> +> -- +> Chris Garrigues http://www.DeepEddy.Com/~cwg/ +> virCIO http://www.virCIO.Com +> 716 Congress, Suite 200 +> Austin, TX 78701 +1 512 374 0500 +> +> World War III: The Wrong-Doers Vs. the Evil-Doers. +> +> +> +> +> --==_Exmh_1988991284P +> Content-Type: application/pgp-signature +> +> -----BEGIN PGP SIGNATURE----- +> Version: GnuPG v1.0.6 (GNU/Linux) +> Comment: Exmh version 2.2_20000822 06/23/2000 +> +> iD8DBQE9jygSK9b4h5R0IUIRAix6AJ9CorKpwn/5KatPB2QytCyr1mVP5QCfd84d +> CBV9usxWABobTcDTVHm8fLY= +> =xJhj +> -----END PGP SIGNATURE----- +> +> --==_Exmh_1988991284P-- +> + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1211.84b0b651923557c12187ec32ed8d5c24 b/machine-learning-ex6/ex6/easy_ham/1211.84b0b651923557c12187ec32ed8d5c24 new file mode 100644 index 0000000..fc7a9a6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1211.84b0b651923557c12187ec32ed8d5c24 @@ -0,0 +1,180 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 18:31:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9D8D416F03 + for ; Mon, 23 Sep 2002 18:31:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:21 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFJNC22998 for + ; Mon, 23 Sep 2002 16:19:23 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AE6CE3F5A6; Mon, 23 Sep 2002 + 11:10:11 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D4D8D3F731 + for ; Mon, 23 Sep 2002 10:58:50 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8NEwoa20119 for exmh-workers@listman.redhat.com; Mon, 23 Sep 2002 + 10:58:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8NEwoh20115 for + ; Mon, 23 Sep 2002 10:58:50 -0400 +Received: from austin-jump.vircio.com + (IDENT:wIDHd+1bdywNxzPUCvM9g5D/nBd0Mcz3@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8NEf9i11047 + for ; Mon, 23 Sep 2002 10:41:09 -0400 +Received: (qmail 13981 invoked by uid 104); 23 Sep 2002 14:58:49 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4224. . Clean. Processed in 0.337161 + secs); 23/09/2002 09:58:49 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 23 Sep 2002 14:58:49 -0000 +Received: (qmail 23277 invoked from network); 23 Sep 2002 14:58:46 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?adeqIB4TWwovT0p9Px85IcgtpymppYTH?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 14:58:46 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Scott Lipcon , exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: <1032792084.19602.TMDA@deepeddy.vircio.com> +References: <20020923025816.8E7A34A8@mercea.net> + <1032792084.19602.TMDA@deepeddy.vircio.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_2018282504P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1032793126.23266.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 09:58:45 -0500 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_2018282504P +Content-Type: text/plain; charset=us-ascii + +> From: Chris Garrigues +> Date: Mon, 23 Sep 2002 09:41:22 -0500 +> +> > From: Scott Lipcon +> > Date: Sun, 22 Sep 2002 22:58:16 -0400 +> > +> > I just updated to the latest CVS - I had been running a build from June. +> +> > Hitting the Flist button gives the following traceback: +> > +> > syntax error in expression "int(17+1+(222-)*(19-17-2)/(224-))" +> > while executing +> > "expr int($minLine+1+($msgid-$minMsg)*($maxLine-$minLine-2)/($maxMsg-$minMs +> > g))" +> > (procedure "Ftoc_FindMsg" line 57) +> > invoked from within +> > "Ftoc_FindMsg $i" +> > (procedure "Ftoc_ShowSequences" line 16) +> > invoked from within +> > "Ftoc_ShowSequences $F" +> > (procedure "ScanFolder" line 81) +> > invoked from within +> > "ScanFolder inbox 0" +> > invoked from within +> > "time [list ScanFolder $F $adjustDisplay" +> > (procedure "Scan_Folder" line 2) +> > invoked from within +> > "Scan_Folder $exmh(folder) $ftoc(showNew)" +> > (procedure "Inc_PresortFinish" line 7) +> > invoked from within +> > "Inc_PresortFinish" +> > invoked from within +> > ".fops.flist invoke" +> > ("uplevel" body line 1) +> > invoked from within +> > "uplevel #0 [list $w invoke]" +> > (procedure "tkButtonUp" line 7) +> > invoked from within +> > "tkButtonUp .fops.flist +> > " +> > (command bound to event) +> > +> > +> > It seems to only happen in a folder with no unseen messages. +> > +> > Chris, is this related to your recent changes? +> +> Curious. I changed the arguments to Ftoc_ShowSequences to drop the folder +> argument and instead have an optional msgids argument. Somehow your version +> of ScanFolder is still trying to pass $F. You seem to have the latest +> ftoc.tcl (1.36), but not the latest scan.tcl (1.27). +> +> I don't know how that happened, but try getting your source tree completely +> up to date. + +Actually, I take that back. You're not running the latest ftoc.tcl either. + +It probably is my bug, but it's in code that's been changed since you last +updated from CVS (Saturday), so please update and let's see if the problem is +still there. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_2018282504P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9jywkK9b4h5R0IUIRAooIAJ4yCHFQ22/6OBD61tWNbb2sScOxPwCdGYE+ +cVdYZOjdN7A/nWpRHqusbJo= +=AZsA +-----END PGP SIGNATURE----- + +--==_Exmh_2018282504P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1212.b8a6ce9e2f0d2075ace38710d356c7af b/machine-learning-ex6/ex6/easy_ham/1212.b8a6ce9e2f0d2075ace38710d356c7af new file mode 100644 index 0000000..5a4380f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1212.b8a6ce9e2f0d2075ace38710d356c7af @@ -0,0 +1,159 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 18:31:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 70D9816F03 + for ; Mon, 23 Sep 2002 18:31:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:27 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFPQC23121 for + ; Mon, 23 Sep 2002 16:25:26 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 9BD4A3ECD2; Mon, 23 Sep 2002 + 11:24:05 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2B9C83F87C + for ; Mon, 23 Sep 2002 11:14:04 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8NFE4g24181 for exmh-workers@listman.redhat.com; Mon, 23 Sep 2002 + 11:14:04 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8NFE3h24175 for + ; Mon, 23 Sep 2002 11:14:03 -0400 +Received: from austin-jump.vircio.com + (IDENT:z/Bz8GbUVO/vHFRX8GipfxQPNY4sHgor@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8NEuMi14875 + for ; Mon, 23 Sep 2002 10:56:22 -0400 +Received: (qmail 15303 invoked by uid 104); 23 Sep 2002 15:14:03 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4224. . Clean. Processed in 0.416108 + secs); 23/09/2002 10:14:02 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 23 Sep 2002 15:14:02 -0000 +Received: (qmail 27126 invoked from network); 23 Sep 2002 15:13:59 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?BfaW8mm7th3j1epeqdAIUZrFkgwdgzZu?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 15:13:59 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Scott Lipcon +Cc: exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: <20020923145419.09A9638C@mercea.net> +References: <20020923145419.09A9638C@mercea.net> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_2112058634P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1032794039.27118.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 10:13:57 -0500 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_2112058634P +Content-Type: text/plain; charset=us-ascii + +> From: Scott Lipcon +> Date: Mon, 23 Sep 2002 10:54:19 -0400 +> +> Oops - turns out i wasn't careful installing it, so the exmh(library) +> variable was pointing at my old installation. I'm surprised it worked +> as well as it did. +> +> In any case, I removed the old library directory, and edited exmh, +> exmh-bg, exmh-strip, etc to point at the right one. Now I'm getting +> another traceback on startup: +> +> can't read "mhPriv(pubseq,family,cur)": no such variable +> while executing +> "MhSeq $folder $seq add $mhPriv(pubseq,$folder,$seq) [MhSeqExpand +> $folder $msgids" +> (procedure "MhReadSeqs" line 73) +> invoked from within +> "MhReadSeqs $folder seqs" +> (procedure "Mh_Sequences" line 2) +> invoked from within +> "Mh_Sequences $folder" +> (procedure "Flist_UnseenUpdate" line 4) +> invoked from within +> "Flist_UnseenUpdate $folder" +> (procedure "FolderChange" line 51) +> invoked from within +> "FolderChange family {Msg_Show cur}" +> invoked from within +> "time [list FolderChange $folder $msgShowProc" +> (procedure "Folder_Change" line 3) +> invoked from within +> "Folder_Change $exmh(folder)" +> (procedure "Exmh" line 101) +> invoked from within +> "Exmh" +> ("after" script) +> +> +> +family is the folder I was in when I quit exmh. + +That shouldn't have been able to happen, but I've just made the code slightly +more bullet proof. +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_2112058634P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9jy+1K9b4h5R0IUIRAjO9AJ0TO8a3237+K6/EJhI9eCv/E1K4OQCeIN4j +nvTrcJ0dWiRGVWA9RZz7Kqk= +=WTaV +-----END PGP SIGNATURE----- + +--==_Exmh_2112058634P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1213.b121b45b8b82aab9b9c203d3bc49e384 b/machine-learning-ex6/ex6/easy_ham/1213.b121b45b8b82aab9b9c203d3bc49e384 new file mode 100644 index 0000000..ed2eb92 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1213.b121b45b8b82aab9b9c203d3bc49e384 @@ -0,0 +1,199 @@ +From exmh-workers-admin@redhat.com Mon Sep 23 23:22:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EB9B716F03 + for ; Mon, 23 Sep 2002 23:22:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:22:45 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NMKYC05203 for + ; Mon, 23 Sep 2002 23:20:34 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 78F653FAC3; Mon, 23 Sep 2002 + 18:21:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id D242C3ED67 + for ; Mon, 23 Sep 2002 18:20:05 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8NMK5U15363 for exmh-workers@listman.redhat.com; Mon, 23 Sep 2002 + 18:20:05 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8NMK5f15358 for + ; Mon, 23 Sep 2002 18:20:05 -0400 +Received: from austin-jump.vircio.com + (IDENT:PaqNj1KHMBW3ts29O6T1cxNJnauUbcAX@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8NM2Li02072 + for ; Mon, 23 Sep 2002 18:02:21 -0400 +Received: (qmail 12567 invoked by uid 104); 23 Sep 2002 22:20:04 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4224. . Clean. Processed in 0.349264 + secs); 23/09/2002 17:20:04 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 23 Sep 2002 22:20:04 -0000 +Received: (qmail 20959 invoked from network); 23 Sep 2002 22:20:01 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?79knF7PwThd2vqHi0RyIFdgpFNUhGU3S?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 23 Sep 2002 22:20:01 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Scott Lipcon +Cc: exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: <20020923214947.0F481B3F@mercea.net> +References: <20020923214947.0F481B3F@mercea.net> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1590407866P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1032819600.20949.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 23 Sep 2002 17:19:59 -0500 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-1590407866P +Content-Type: text/plain; charset=us-ascii + +> From: Scott Lipcon +> Date: Mon, 23 Sep 2002 17:49:47 -0400 +> +> Chris, +> +> I'm home now, and this copy of exmh is pretty bad - I'm running from +> CVS on Sunday night - the only change since then was the one you made +> this morning for "bulletproofing in MhReadSeqs". +> +> I run exmh, and I can visably see it count up the number of unseen +> messages as it looks through the folders - I have about 3000 unseen +> messages in maybe 10 or 12 folders. It takes a few seconds for all +> of the folders in the fcache to turn blue. + +This is true...it's now looking at more than just unseen, so it takes a little +while (in the background) to build the sequences window. There is probably +some tuning possible in this area. + +> In +inbox, I have 4 unread messages. They aren't blue, they are +> white background with a normal colored font. + +I changed the default display of unseen messages from a foreground of blue to +a background of white to make it possible to see what other sequences unseen +messages may be in. I *did* ask Brent before I did it. If you like the old +behavior, the old lines are still in app-defaults-color, but commented out. + +> If I click on a message, I get the following traceback: +> +> invalid command name "Mh_MarkSeen" +> while executing +> "Mh_MarkSeen $exmh(folder) $msgid" +> (procedure "Hook_MsgShow_update_unseen" line 5) +> invoked from within +> "$cmd $mhProfile(path)/$exmh(folder)/$msgid mimeHdr" +> (procedure "MsgShow" line 23) +> invoked from within +> "MsgShow $msgid" +> (procedure "MsgChange" line 18) +> invoked from within +> "MsgChange 66 show" +> invoked from within +> "time [list MsgChange $msgid $show" +> (procedure "Msg_Change" line 3) +> invoked from within +> "Msg_Change $msgNum $show" +> (procedure "Msg_Pick" line 8) +> invoked from within +> "Msg_Pick $lineno show" +> (procedure "FtocRangeEnd" line 12) +> invoked from within +> "FtocRangeEnd [lindex [split [.ftoc.t index current] .] 0] 0" +> (command bound to event) + +This is because of your Hook_MsgShow_update_unseen which is calling a function +which no longer exists. + +I suspect you need + Seq_Del $exmh(folder) unseen $msgid +now instead of + Mh_MarkSeen $exmh(folder) $msgid + +> It appears that the message does get marked as seen though, as it +> loses the white background, and nmh reports the same. +> +> If I click the flist button, it zero's the unseen count, and then +> there is again a visible delay as it counts up all the unseen +> messages - maybe 3-4 seconds. +> +> I really think my installation is OK now, but if this behavior is just +> really strange I'll blow everything away and reinstall. I'm happy to +> spend some time helping to track this down, I don't really need exmh. +> I'm comfortable enough using nmh. +> +> Scott +> +> +> +> _______________________________________________ +> Exmh-workers mailing list +> Exmh-workers@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-workers + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1590407866P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9j5OPK9b4h5R0IUIRAqAyAJ4t1/YU6tI+81tfv8PS65DO9DiXdACfYxBP +V0bKP6O4yRQjD38MQMxeWcM= +=85Yk +-----END PGP SIGNATURE----- + +--==_Exmh_-1590407866P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1214.1a66983fafc885a13fb7301e76d9af04 b/machine-learning-ex6/ex6/easy_ham/1214.1a66983fafc885a13fb7301e76d9af04 new file mode 100644 index 0000000..7d21751 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1214.1a66983fafc885a13fb7301e76d9af04 @@ -0,0 +1,160 @@ +From exmh-workers-admin@redhat.com Tue Sep 24 19:48:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4D61016F03 + for ; Tue, 24 Sep 2002 19:48:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 19:48:30 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8OHftC14906 for + ; Tue, 24 Sep 2002 18:41:55 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 1BCC9404E3; Tue, 24 Sep 2002 + 13:38:35 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B4AD74058F + for ; Tue, 24 Sep 2002 13:29:39 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8OHTdg25948 for exmh-workers@listman.redhat.com; Tue, 24 Sep 2002 + 13:29:39 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8OHTdf25944 for + ; Tue, 24 Sep 2002 13:29:39 -0400 +Received: from austin-jump.vircio.com + (IDENT:o9SX/V2vSkSNogAwP663lVz/JOIlGdTy@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8OHBni01193 + for ; Tue, 24 Sep 2002 13:11:49 -0400 +Received: (qmail 17610 invoked by uid 104); 24 Sep 2002 17:29:38 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4224. . Clean. Processed in 0.36098 + secs); 24/09/2002 12:29:38 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 24 Sep 2002 17:29:38 -0000 +Received: (qmail 14155 invoked from network); 24 Sep 2002 17:29:37 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 24 Sep 2002 17:29:37 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Scott Lipcon +Cc: exmh-workers@example.com +Subject: Re: traceback in new exmh +In-Reply-To: <20020924023505.8CAE937B@mercea.net> +References: <20020924023505.8CAE937B@mercea.net> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1249285507P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1032888576.14149.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 12:29:35 -0500 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-1249285507P +Content-Type: text/plain; charset=us-ascii + +> From: Scott Lipcon +> Date: Mon, 23 Sep 2002 22:35:05 -0400 +> +> The speed is a problem for sure - It takes a long time to do the +> rescanning of sequences (I associate it with hitting the 'flist' +> button, or when my background flist goes off). I'm running on a +> pretty fast system (Athlon 1700+, 512Mb RAM, 10k RPM ultra SCSI disk) +> and hitting flist used to take no more than a second. The big +> difference might just be perception, because the the old code just +> updated all the folders (count + color) all at once, instead of making +> it look like there is 0 unseen, then counting its way back up. +> +> I doubt I'll have much time in the immediate future to hack at this, +> but if I do - can you suggest areas that might be the best to +> optimize? If not, do you think we can put in some preferences to +> disable some of the more intensive features? I'd rather disable all +> the sequence support (except unseen, of course) and have reasonable +> speed. I suspect people on slow machines would find the current +> state unusable. + +If I knew where the problem was, I'd fix it myself. + +Finding it is probably more work than the actual fix. + +> > +> > This is because of your Hook_MsgShow_update_unseen which is calling a fun +> ctio +> > n +> > which no longer exists. +> > +> > I suspect you need +> > Seq_Del $exmh(folder) unseen $msgid +> > now instead of +> > Mh_MarkSeen $exmh(folder) $msgid +> > +> +> Thanks. I'm not sure I'll need it with the new sequence code, but I +> might. Does your new code commit sequences immediately? The old code +> didn't, so I put that in to help keep my mh and exmh windows in sync. + +Yes it does. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1249285507P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9kKD/K9b4h5R0IUIRAp9DAJsF2W+5cvbayu3szYhYW7TUdAb64QCfT3/t +vgMbAAyyOjJW465cwD6wpfk= +=0Rwl +-----END PGP SIGNATURE----- + +--==_Exmh_-1249285507P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1215.9f79476eec512247f66e7fd9ef3b41c8 b/machine-learning-ex6/ex6/easy_ham/1215.9f79476eec512247f66e7fd9ef3b41c8 new file mode 100644 index 0000000..86cca4c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1215.9f79476eec512247f66e7fd9ef3b41c8 @@ -0,0 +1,122 @@ +From exmh-workers-admin@redhat.com Tue Sep 24 19:48:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 50CAB16F03 + for ; Tue, 24 Sep 2002 19:48:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 19:48:42 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8OIEpC16178 for + ; Tue, 24 Sep 2002 19:14:51 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 24B3C40491; Tue, 24 Sep 2002 + 14:15:17 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0173F406B6 + for ; Tue, 24 Sep 2002 14:08:25 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8OI8Pu06001 for exmh-workers@listman.redhat.com; Tue, 24 Sep 2002 + 14:08:25 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8OI8Pf05994 for + ; Tue, 24 Sep 2002 14:08:25 -0400 +Received: from vnet0.virtual.net (vnet0.virtual.net [64.49.222.181]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8OHoZi12593 for + ; Tue, 24 Sep 2002 13:50:35 -0400 +Received: from schooner.loverso.southborough.ma.us + (user233.64.47.28.dsli.com [64.47.28.233]) by vnet0.virtual.net + (8.9.3/8.9.3) with ESMTP id NAA26862; Tue, 24 Sep 2002 13:08:23 -0500 +Received: from loverso.southborough.ma.us (localhost [127.0.0.1]) by + schooner.loverso.southborough.ma.us (8.12.3/8.11.3) with ESMTP id + g8OI8LM8068943; Tue, 24 Sep 2002 14:08:21 -0400 (EDT) (envelope-from + loverso@loverso.southborough.ma.us) +Message-Id: <200209241808.g8OI8LM8068943@schooner.loverso.southborough.ma.us> +To: Ted Cabeen +Cc: exmh-workers@example.com +Subject: Re: Minor feature request +In-Reply-To: Message from Ted Cabeen + <20020924170024.1935256D@gray.impulse.net> . +X-Face: "UZ!}1W2N?eJdN(`1%|/OOPqJ).Idk?UyvWw'W-%`Gto8^IkEm>.g1O$[.;~}8E=Ire0|lO + .o>:NlJS1@vO9bVmswRoq3j + DdX9YGSeJ5a(mfX[1u>Z63G5_^+'8LVqjqvn +X-Url: http://surf.to/loverso +From: "John R. LoVerso" +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 24 Sep 2002 14:08:21 -0400 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> How easy would it be to code a menu item that marks as read all messages +> before the current message? I often have problems reading heavy-traffic +> mailing lists in exmh because I want to read only a subset of a lists +> messages, but I lose track of where I was in the particular folder. +> +> This could also be coded more generally in the new sequences code as a way to +> remove all messages before current from a particular sequence. + +Easy. + +First, you'll have to excuse me as I'm still using 2.3.1 (*), so, this +may not play well with recent changes. (I did look at 2.5.1, too). +And, I just did this off the top of my head (I wanted to see if it +(**) still worked), so this is somewhat untested. + +Adding a menu entry is trivial; add this to your ~/.exmh/exmh-defaults: + +*Fops.more.m.uentrylist: ketchup +*Fops.more.m.l_ketchup: Catch-up all b4 cur +*Fops.more.m.c_ketchup: My_Mark2CurSeen + +Then you just need to provide the source for My_Mark2CurSeen and +arrange for Exmh to include it (put it in your ~/.tk/exmh directory +in your user.tcl; or in pick.patch if you enable the "source hook" +under Prefs->Hacking Support) + +It's going to look something like this: + +proc My_Mark2CurSeen {} { + global exmh pick msg + Exmh_Status "Clearing unseen up to cur..." red + Mh_SetCur $exmh(folder) $msg(id) + set pick(ids) [...get message ids for "pick 1-cur"...] + busy PickMarkSeen + Exmh_Status ok blue +} + +(that's based upon the guts of Pick_MarkSeen) + +You need to fill in the code for the [...get...] section; I ran out of +time! + +John + +(*) "It just works" (tm) +(**) "it" == my head + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1216.95e5ecab7fd902419ab5b4f95ef0d4bb b/machine-learning-ex6/ex6/easy_ham/1216.95e5ecab7fd902419ab5b4f95ef0d4bb new file mode 100644 index 0000000..f20b48a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1216.95e5ecab7fd902419ab5b4f95ef0d4bb @@ -0,0 +1,109 @@ +From exmh-workers-admin@redhat.com Thu Sep 26 11:00:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6251816F03 + for ; Thu, 26 Sep 2002 11:00:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:00:00 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8PLP7C14763 for + ; Wed, 25 Sep 2002 22:25:08 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 67D483F46B; Wed, 25 Sep 2002 + 17:25:40 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E8D883EA65 + for ; Wed, 25 Sep 2002 17:09:52 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8PL9q504803 for exmh-workers@listman.redhat.com; Wed, 25 Sep 2002 + 17:09:52 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8PL9qf04796 for + ; Wed, 25 Sep 2002 17:09:52 -0400 +Received: from milou.dyndns.org (h115n1fls22o974.telia.com + [213.64.79.115]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8PKpri01167 for ; Wed, 25 Sep 2002 16:51:53 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id E38253F2F; + Wed, 25 Sep 2002 23:09:44 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id E21E03F2C; Wed, 25 Sep 2002 + 23:09:44 +0200 (CEST) +X-Mailer: exmh version 2.5_20020925 01/15/2001 with nmh-1.0.4 +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: Exmh && speed +In-Reply-To: Message from Chris Garrigues + of + "Wed, 28 Aug 2002 11:07:01 CDT." + <1030550822.18045.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020925210944.E38253F2F@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 23:09:39 +0200 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +cwg-dated-1033065967.2dc492@DeepEddy.Com said: +> From: Chris Garrigues +> Date: Wed, 28 Aug 2002 11:07:01 -0500 > +> Here's a fix that I think will make a real difference. +> +> Ftoc_ShowSequences needs to be able to be called with an optional +> list of msgids +> to update and if it's called that way it only removes or adds tags +> for those +> messages. Then in places like MsgChange, we only update the +> messages which have +> changed. +> +> Also, a separate Ftoc_ShowSequence function which only updates the +> display of +> one sequence should be written which also takes an optional list of +> msgids. +> +> In a place like MsgChange, it would only need to update the cur +> sequence. +> +> If nobody else gets to it, I'll do this when I get back. + +> I just checked this in. Let me know if it helps. + +> Chris + +Congratulations Chris, you just made the hall of fame!! Speed is much better now. I haven't done any tests, but I'd say that latency dropped 2-3 times and we're back in good shape again. + +Well done! + +/Anders + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1217.df546955abccc6542862dfdf365d4d0f b/machine-learning-ex6/ex6/easy_ham/1217.df546955abccc6542862dfdf365d4d0f new file mode 100644 index 0000000..e7fe69d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1217.df546955abccc6542862dfdf365d4d0f @@ -0,0 +1,84 @@ +From exmh-workers-admin@redhat.com Thu Sep 26 11:00:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AB8A216F03 + for ; Thu, 26 Sep 2002 11:00:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:00:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8PLQNC14798 for + ; Wed, 25 Sep 2002 22:26:23 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0175A3F982; Wed, 25 Sep 2002 + 17:26:54 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1B9F03F292 + for ; Wed, 25 Sep 2002 17:22:45 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8PLMjM09680 for exmh-workers@listman.redhat.com; Wed, 25 Sep 2002 + 17:22:45 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8PLMif09676 for + ; Wed, 25 Sep 2002 17:22:44 -0400 +Received: from milou.dyndns.org (h115n1fls22o974.telia.com + [213.64.79.115]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8PL4ji05423 for ; Wed, 25 Sep 2002 17:04:45 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 7D4503F2F; + Wed, 25 Sep 2002 23:22:31 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 26CF13F2C for + ; Wed, 25 Sep 2002 23:22:31 +0200 (CEST) +X-Mailer: exmh version 2.5_20020925 01/15/2001 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: Bug report: msg n+1 marked read +X-Image-Url: http://free.hostdepartment.com/aer/zorro.gif +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020925212231.7D4503F2F@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 25 Sep 2002 23:22:26 +0200 +X-Spam-Status: No, hits=-0.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +It seems that something changed during the last 3-4 weeks. + +1) In a folder, msgs 1-n is read, n=current, n upwards is unread. +2) change to another folder +3) change back to the original folder and you'll see msg n+1 being +highlighted as current for a split second, that it changes back to +n=current. + +Kind of annoying since it marks msg n+1 as read. + +/Anders + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1218.190735ca00def4ad757ea5786115f832 b/machine-learning-ex6/ex6/easy_ham/1218.190735ca00def4ad757ea5786115f832 new file mode 100644 index 0000000..9135f09 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1218.190735ca00def4ad757ea5786115f832 @@ -0,0 +1,140 @@ +From exmh-workers-admin@redhat.com Thu Sep 26 16:29:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C812516F16 + for ; Thu, 26 Sep 2002 16:29:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 16:29:55 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8QE8Ag21413 for + ; Thu, 26 Sep 2002 15:08:11 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 0B6343F15B; Thu, 26 Sep 2002 + 10:08:41 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id F32C43EA6B + for ; Thu, 26 Sep 2002 10:04:15 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8QE4FD31358 for exmh-workers@listman.redhat.com; Thu, 26 Sep 2002 + 10:04:15 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8QE4Ff31354 for + ; Thu, 26 Sep 2002 10:04:15 -0400 +Received: from austin-jump.vircio.com + (IDENT:TjGUmy/2hMGCR/pkXTjQk+pjvGJ6rQSH@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8QDkBi08547 + for ; Thu, 26 Sep 2002 09:46:11 -0400 +Received: (qmail 13375 invoked by uid 104); 26 Sep 2002 14:04:14 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4225. . Clean. Processed in 0.331783 + secs); 26/09/2002 09:04:14 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 26 Sep 2002 14:04:14 -0000 +Received: (qmail 16172 invoked from network); 26 Sep 2002 14:04:09 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?oK+kvfmi7M9NMJlIUSwajTM4UMF+IU7I?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 26 Sep 2002 14:04:09 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: Bug report: msg n+1 marked read +In-Reply-To: <20020925212231.7D4503F2F@milou.dyndns.org> +References: <20020925212231.7D4503F2F@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1577134449P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1033049049.16162.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.62 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 26 Sep 2002 09:04:07 -0500 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-1577134449P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Wed, 25 Sep 2002 23:22:26 +0200 +> +> +> It seems that something changed during the last 3-4 weeks. +> +> 1) In a folder, msgs 1-n is read, n=current, n upwards is unread. +> 2) change to another folder +> 3) change back to the original folder and you'll see msg n+1 being +> highlighted as current for a split second, that it changes back to +> n=current. +> +> Kind of annoying since it marks msg n+1 as read. + +I haven't seen what you describe, but I just saw something close to what you +describe. I think the message that's being incorrectly highlighted as current +is related to the current message in the other folder rather than being n+1. + +I'll have to investigate a bit more to identify and fix the bug, but there is +something going on here. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1577134449P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9kxPXK9b4h5R0IUIRAq5fAJ43lzUupVkBkj6iJ5Rn7BsBQH5AywCfTAl2 +TJnhSBCb4C+1vyt/QjnVOOQ= +=94lB +-----END PGP SIGNATURE----- + +--==_Exmh_-1577134449P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1219.c4cc23fc1dcc1809a3dc65c58fc51d65 b/machine-learning-ex6/ex6/easy_ham/1219.c4cc23fc1dcc1809a3dc65c58fc51d65 new file mode 100644 index 0000000..d0f4ade --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1219.c4cc23fc1dcc1809a3dc65c58fc51d65 @@ -0,0 +1,204 @@ +From exmh-users-admin@redhat.com Mon Sep 30 10:45:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8801916F03 + for ; Mon, 30 Sep 2002 10:45:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 10:45:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8RCk1g09597 for + ; Fri, 27 Sep 2002 13:46:05 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id DA41F3F80A; Fri, 27 Sep 2002 + 08:46:25 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 15C2C3FC41 + for ; Fri, 27 Sep 2002 08:44:02 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8RCi1218084 for exmh-users@listman.redhat.com; Fri, 27 Sep 2002 + 08:44:01 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8RCi1f18071 for + ; Fri, 27 Sep 2002 08:44:01 -0400 +Received: from cft.snafu.priv.at (outerworld.snafu.priv.at + [193.80.224.65]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8RCPji32603 for ; Fri, 27 Sep 2002 08:25:46 -0400 +Received: from cft.snafu.priv.at (localhost [127.0.0.1]) by + cft.snafu.priv.at (8.12.3/8.12.3/Debian -4) with ESMTP id g8RCheOA016820 + (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 verify=OK); + Fri, 27 Sep 2002 14:43:41 +0200 +Received: (from az@localhost) by cft.snafu.priv.at (8.12.3/8.12.3/Debian + -4) id g8RCgfWq015740; Fri, 27 Sep 2002 14:42:41 +0200 +Message-Id: <200209271242.g8RCgfWq015740@cft.snafu.priv.at> +To: exmh-users@example.com +Subject: exmh and pgp: support for external passphrase cache (+patch) +From: Alexander Zangerl +Cc: welch@panasas.com +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----------=_1033130560-1199-5"; + micalg="pgp-sha1"; + protocol="application/pgp-signature" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 14:42:27 +0200 +X-Spam-Status: No, hits=0.6 required=5.0 + tests=KNOWN_MAILING_LIST,T_URI_COUNT_1_2,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +It has been signed conforming to RFC3156. +You'll need GPG or PGP to check the signature. + +------------=_1033130560-1199-5 +Content-Type: multipart/mixed; + boundary="Multipart_Fri_Sep_27_14:42:27_2002-1" +Content-Transfer-Encoding: 8bit + +--Multipart_Fri_Sep_27_14:42:27_2002-1 +Content-Type: text/plain; charset=US-ASCII + +i'm a very happy user of exmh, but i'm paranoid also :-) +therefore i'm not too happy with exmh caching my pgp passphrases. + +usually i use a relatively secure tool called 'quintuple agent' + to store my passphrases, +and i've just added the few lines of code to exmh which allow for such +external caches. + +the patch is attached, it is against version 2.5-1 (debian), and the +files modified are extrasInit.tcl and pgpExec.tcl. + +i've added three new preferences in the 'general pgp' section, which +allow everybody to use his/her favourite external tool to get the +passphrase (everything which spits out the phrase on stdout is ok). + +i'd be happy if somebody with cvs access thinks that this stuff +is worth to be added and does so; apart from that i'm happy for +suggestions, comments or critique (mind you, i'm not exactly a special +friend of tcl so my code may leave things to be desired...) + +regards +az + + +--Multipart_Fri_Sep_27_14:42:27_2002-1 +Content-Type: text/plain; charset=US-ASCII +Content-Disposition: attachment; filename="exmh-patch" +Content-Transfer-Encoding: 8bit + +--- /usr/lib/exmh/extrasInit.tcl Sat Mar 2 17:26:38 2002 ++++ ./extrasInit.tcl Fri Sep 27 14:22:13 2002 +@@ -642,6 +642,18 @@ + {pgp(passtimeout) pgpPassTimeout 60 {Minutes to cache PGP passphrase} + "Exmh will clear its memory of PGP passphrases after + this time period, in minutes, has elapsed." } ++{pgp(extpass) pgpExtPass OFF {Use external passphrase cache} ++"If this is enabled, then exmh will use an external program to retrieve ++your passphrase when needed. pgpKeepPass and pgpPassTimeout will ++be ignored."} ++{pgp(getextcmd) pgpGetExtCmd {/usr/bin/q-client get %s} {Method to query external passphrase cache} ++"This external program is used to retrieve the passphrase for your key, ++if pgpExtPass is active. The passphrase is expected on stdout. ++The key id is substituted with %s (using format)." } ++{pgp(delextcmd) pgpDelExtCmd {/usr/bin/q-client delete %s} {Method to invalidate external passphrase cache} ++"This external program is used to delete the passphrase for your key ++from the external cache, if pgpExtPass is active. ++The key id is substituted with %s (using format)." } + } + + # Make sure we don't inherit a bad pgp(version) from a previous setup +--- /usr/lib/exmh/pgpExec.tcl Sat Mar 2 17:26:39 2002 ++++ ./pgpExec.tcl Fri Sep 27 14:19:40 2002 +@@ -647,6 +647,33 @@ + proc Pgp_GetPass { v key } { + global pgp + ++ if {[info exists pgp(extpass)] && [set pgp(extpass)] \ ++ && [info exists pgp(getextcmd)]} { ++ Exmh_Debug "Pgp_GetPass $v $key external" ++ set keyid [lindex $key 0] ++ set cmd [format $pgp(getextcmd) $keyid] ++ while (1) { ++ Exmh_Debug "running cmd $cmd" ++ if [ catch {exec sh -c "$cmd"} result ] { ++ Exmh_Debug "error running cmd: $result" ++ Exmh_Status "Error executing external cmd" warn ++ return {} ++ } else { ++ if {[Pgp_Exec_CheckPassword $v $result $key]} { ++ return $result ++ } else { ++ Exmh_Debug "bad passphrase" ++ if {[info exists pgp(delextcmd)]} { ++ Exmh_Debug "trying to invalidate bad passphrase" ++ if [catch {exec sh -c "[format $pgp(delextcmd) $keyid]"}] { ++ Exmh_Debug "invalidation failed" ++ return {} ++ } ++ } ++ } ++ } ++ } ++ } else { + Exmh_Debug "Pgp_GetPass $v $key" + + if {[lsearch -glob [set pgp($v,privatekeys)] "[lindex $key 0]*"] < 0} { +@@ -695,6 +722,7 @@ + } + return $password + } ++ } + } + } + + +--Multipart_Fri_Sep_27_14:42:27_2002-1 +Content-Type: text/plain; charset=US-ASCII + +-- ++ Alexander Zangerl + az@snafu.priv.at + DSA 42BD645D + (RSA 5B586291) +Kind of like my 404K fund, "wealth not found." -- shrox + +--Multipart_Fri_Sep_27_14:42:27_2002-1-- + +------------=_1033130560-1199-5 +Content-Type: application/pgp-signature; name="signature.ng" +Content-Disposition: inline; filename="signature.ng" +Content-Transfer-Encoding: 7bit + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.2.0 (GNU/Linux) + +iD8DBQE9lFJBpy/2bEK9ZF0RAq/1AJwLmyZx/zs+FgJkmvcMeL57gewE6ACbBWj0 +OYCcSYWXynxRpVtCbDE1R3A= +=T+T4 +-----END PGP SIGNATURE----- + +------------=_1033130560-1199-5-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1220.e6eee9362673cdce393c0e2570328f28 b/machine-learning-ex6/ex6/easy_ham/1220.e6eee9362673cdce393c0e2570328f28 new file mode 100644 index 0000000..e20e640 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1220.e6eee9362673cdce393c0e2570328f28 @@ -0,0 +1,88 @@ +From exmh-users-admin@redhat.com Mon Sep 30 10:55:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1796C16F03 + for ; Mon, 30 Sep 2002 10:55:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 10:55:07 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8S3erg11881 for + ; Sat, 28 Sep 2002 04:40:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 05CB93EC9B; Fri, 27 Sep 2002 + 23:38:04 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id ED9533EA8D + for ; Fri, 27 Sep 2002 23:34:24 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8S3YOE17528 for exmh-users@listman.redhat.com; Fri, 27 Sep 2002 + 23:34:24 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8S3YOf17524 for + ; Fri, 27 Sep 2002 23:34:24 -0400 +Received: from nasdaq.ms.ensim.com (gateway2.ensim.com [65.164.64.250] + (may be forged)) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8S3G6i18221 for ; Fri, 27 Sep 2002 23:16:06 -0400 +Received: from pmenage-dt.ensim.com ([10.1.2.1]) by nasdaq.ms.ensim.com + with SMTP (Microsoft Exchange Internet Mail Service Version 5.5.2653.13) + id TT4L1PNG; Fri, 27 Sep 2002 20:34:18 -0700 +Received: from pmenage (helo=pmenage-dt.ensim.com) by pmenage-dt.ensim.com + with local-esmtp (Exim 3.13 #1 (Debian)) id 17v8Mw-0004eS-00; + Fri, 27 Sep 2002 20:34:14 -0700 +X-Mailer: exmh version 2.5 01/15/2001 with nmh-1.0.4 +From: Paul Menage +To: exmh-users@example.com +Subject: Re: Help! I've lost my exmh-unseen window! +Cc: pmenage@ensim.com +In-Reply-To: Your message of + "Fri, 27 Sep 2002 20:10:02 PDT." + <200209280310.g8S3A2S20585@bootstrap.sculptors.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 20:34:14 -0700 +X-Spam-Status: No, hits=-0.9 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MANY_EXCLAMATIONS, + T_QUOTE_TWICE_1,T_URI_COUNT_1_2,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> +> I'll have to try it with another window manager and see if I can +>get exmh to put it back inside of sane boundaries. I don't have this +>problem with any other windows, though. Just the exmhunseen window. +> + +How about enabling the "Show unseen message count in folder cache" +option? It displays the number of unseen messages next to each folder name +(if greater than 0), so you don't really need the unseen window unless +you're using more sequences than just "unseen". + +Paul + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1221.a0bef61f14f60b8a74f76f6a20651731 b/machine-learning-ex6/ex6/easy_ham/1221.a0bef61f14f60b8a74f76f6a20651731 new file mode 100644 index 0000000..a374803 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1221.a0bef61f14f60b8a74f76f6a20651731 @@ -0,0 +1,93 @@ +From exmh-users-admin@redhat.com Mon Sep 30 10:55:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 08F1C16F16 + for ; Mon, 30 Sep 2002 10:55:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 10:55:26 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8S4Hlg13281 for + ; Sat, 28 Sep 2002 05:17:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F0F023F135; Sat, 28 Sep 2002 + 00:16:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6B1563F050 + for ; Sat, 28 Sep 2002 00:10:03 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8S4A3327814 for exmh-users@listman.redhat.com; Sat, 28 Sep 2002 + 00:10:03 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8S4A3f27810 for + ; Sat, 28 Sep 2002 00:10:03 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8S3pii26259 for ; Fri, 27 Sep 2002 23:51:44 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id BE1FB37EAA; + Fri, 27 Sep 2002 23:09:57 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id B169637EA9 for ; + Fri, 27 Sep 2002 23:09:57 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: +References: +Comments: In-reply-to Paul Menage message dated "Fri, + 27 Sep 2002 20:34:14 -0700." +To: exmh-users@example.com +Subject: Re: Help! I've lost my exmh-unseen window! +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <15850.1033186192@dimebox.bmc.com> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 23:09:52 -0500 +X-Spam-Status: No, hits=-5.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MANY_EXCLAMATIONS, + REFERENCES,T_QUOTE_TWICE_2,T_URI_COUNT_1_2,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Fri, 27 Sep 2002, "Paul" == Paul Menage wrote: + + Paul> so you don't really need the unseen window unless you're + Paul> using more sequences than just "unseen". + +I use a virtual window manager and keep the main exmh window and +the detached folder list on one virtual desktop but the unseen +window is set to show on all desktops. + +Got no help for the problems, but just pointing out why some of +us find the unseen window invaluable. + + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1222.c6701f56a4fe6d8e66e652ee35a6dc75 b/machine-learning-ex6/ex6/easy_ham/1222.c6701f56a4fe6d8e66e652ee35a6dc75 new file mode 100644 index 0000000..5cc26d7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1222.c6701f56a4fe6d8e66e652ee35a6dc75 @@ -0,0 +1,104 @@ +From exmh-users-admin@redhat.com Mon Sep 30 10:55:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B3D7216F17 + for ; Mon, 30 Sep 2002 10:54:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 10:54:58 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8S3Fwg11269 for + ; Sat, 28 Sep 2002 04:15:59 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 621883EF06; Fri, 27 Sep 2002 + 23:15:23 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DAF6F3EB89 + for ; Fri, 27 Sep 2002 23:10:07 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8S3A7N13392 for exmh-users@listman.redhat.com; Fri, 27 Sep 2002 + 23:10:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8S3A7f13383 for + ; Fri, 27 Sep 2002 23:10:07 -0400 +Received: from bucky.sculptors.com (IDENT:root@bucky.sculptors.com + [216.240.42.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8S2pni14420 for ; Fri, 27 Sep 2002 22:51:49 -0400 +Received: from bootstrap.sculptors.com + (IDENT:q+zuxl3dIEq2kxQ00xeMYNy7bLdLFAtx@bootstrap.sculptors.com + [216.240.42.241]) by bucky.sculptors.com (8.11.6/8.11.6) with ESMTP id + g8S3A4Y15596 for ; Fri, 27 Sep 2002 20:10:05 -0700 +Received: (from salsbury@localhost) by bootstrap.sculptors.com + (8.11.6/8.11.6) id g8S3A2S20585; Fri, 27 Sep 2002 20:10:02 -0700 +From: The Butterfly +Message-Id: <200209280310.g8S3A2S20585@bootstrap.sculptors.com> +To: exmh-users@example.com +Subject: Re: Help! I've lost my exmh-unseen window! +X-Newsgroups: local.lists.exmh-users +In-Reply-To: +References: <200209220410.g8M4AAI14657@bootstrap.sculptors.com> +Organization: Evolutionary Acceleration, Inc. +Cc: +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Fri, 27 Sep 2002 20:10:02 -0700 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MANY_EXCLAMATIONS,NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_URI_COUNT_2_3,X_LOOP + version=2.50-cvs +X-Spam-Level: + +In article you write: +>>>> Patrick Salsbury writes: +> +> Patrick> One of the features I really like about exmh is the +> Patrick> ability to see which folders have unseen messages in +> Patrick> them, but recently, it seems to have vanished into the +> Patrick> bowels of my window manager in a place I can't get +> Patrick> to. It claims to be running, but doesn't appear +> Patrick> anywhere onscreen. (I'm using Enlightenment with a 2x2 +> Patrick> virtual desktop. I've tried dropping it to only 1 +> Patrick> screen. No help.) +> Patrick> +> +>This may not help/work but I've discovered recently that +>Alt-middle-mouse pops up a list of all of my windows. If I leave +>my mouse on the background, it lists Alt-middle-mouse as "Display +>Task List Menu". +> +>HTH, +> +>- Bill + When I do that, it just moves my mouse to the very edge of a window +(probably trying to center it on the off-screen window in question.) + + I'll have to try it with another window manager and see if I can +get exmh to put it back inside of sane boundaries. I don't have this +problem with any other windows, though. Just the exmhunseen window. + +Pat + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1223.6f20be4e92f37aaa7117c0a30a19207d b/machine-learning-ex6/ex6/easy_ham/1223.6f20be4e92f37aaa7117c0a30a19207d new file mode 100644 index 0000000..9c82bc5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1223.6f20be4e92f37aaa7117c0a30a19207d @@ -0,0 +1,163 @@ +From exmh-users-admin@redhat.com Mon Sep 30 13:36:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 70E6C16F03 + for ; Mon, 30 Sep 2002 13:36:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:36:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8T7vUg03078 for + ; Sun, 29 Sep 2002 08:57:30 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 8BCAD3EC68; Sun, 29 Sep 2002 + 03:58:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DF6BE3EC37 + for ; Sun, 29 Sep 2002 03:57:07 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8T7v7Y30694 for exmh-users@listman.redhat.com; Sun, 29 Sep 2002 + 03:57:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8T7v7f30686 for + ; Sun, 29 Sep 2002 03:57:07 -0400 +Received: from bucky.sculptors.com (IDENT:root@bucky.sculptors.com + [216.240.42.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8T7cfi01538 for ; Sun, 29 Sep 2002 03:38:41 -0400 +Received: from bootstrap.sculptors.com + (IDENT:d1W+AF9LW1jCEFjDDu0voz+Mr++8NISi@bootstrap.sculptors.com + [216.240.42.241]) by bucky.sculptors.com (8.11.6/8.11.6) with ESMTP id + g8T7v3Y14928 for ; Sun, 29 Sep 2002 00:57:03 -0700 +Received: (from salsbury@localhost) by bootstrap.sculptors.com + (8.11.6/8.11.6) id g8T7v1P11760; Sun, 29 Sep 2002 00:57:01 -0700 +From: The Butterfly +Message-Id: <200209290757.g8T7v1P11760@bootstrap.sculptors.com> +To: exmh-users@example.com +Subject: Re: Help! I've lost my exmh-unseen window! +X-Newsgroups: local.lists.exmh-users +In-Reply-To: +References: <200209280310.g8S3A2S20585@bootstrap.sculptors.com> +Organization: Evolutionary Acceleration, Inc. +Cc: +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 29 Sep 2002 00:57:01 -0700 +Lines: 96 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,MANY_EXCLAMATIONS, + NOSPAM_INC,PGP_SIGNATURE,REFERENCES,T_URI_COUNT_3_5,X_LOOP + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +In article you write: +>> +>> I'll have to try it with another window manager and see if I can +>>get exmh to put it back inside of sane boundaries. I don't have this +>>problem with any other windows, though. Just the exmhunseen window. +>> +> +>How about enabling the "Show unseen message count in folder cache" +>option? It displays the number of unseen messages next to each folder name +>(if greater than 0), so you don't really need the unseen window unless +>you're using more sequences than just "unseen". +> +>Paul +> + As Hal noted, I like to have the unseen window visible in all +virtual desktops, even if the main window is minimized. However, I looked +through ALL the preferences menus, and didn't see anything resembling "Show +unseen message count in folder cache". Where is that? And in what version? +(I'm running v2.4 - 06/23/2000 - Creaky, I know.) + + I went into twm with no virtual desktops, and it came up just fine. +Going back to Enlightenment I saw the same behavior as before. Then I knew +it MUST be something in the window manager, so I went digging. in my +~/.englightenment/...e_session-XXXXXX.snapshots.0 file I found all the +settings that E. uses for remembering border styles, positions, shaded +state, etc. + I have a 1600x1200 screen, and it kept putting my window at +1655x150 (AND had it shaded to boot, so it was tiny as well as offscreen!) + Searching for 'unseen' in that file found this section: + +NEW: exmh.Exmh +NAME: exmh +CLASS: Exmh +NEW: unseen.UnseenWin +NAME: unseen +CLASS: UnseenWin +DESKTOP: 0 +RES: 1600 1200 +WH: 114 173 +XY: 1655 150 0 0 +LAYER: 4 +STICKY: 1 +SKIPTASK: 0 +SKIPWINLIST: 0 +SKIPFOCUS: 0 +SHADE: 2 +BORDER: PAGER_LEFT_BLUE + + I changed: +XY: 1655 150 0 0 to +XY: 1455 150 0 0 so it would reappear in my viewable space, +restarted Enlightenment (CTRL-ALT-End) and then restarted exmh. Bingo! +There was my window! + + I quickly told Englightenment to forget everything about that +window except is border style, and now have a sveldt little entry like so: + +NEW: exmh.Exmh +NAME: exmh +CLASS: Exmh +NEW: unseen.UnseenWin +NAME: unseen +CLASS: UnseenWin +BORDER: PAGER_LEFT_BLUE + + Completely an Enlightenment problem, not exmh. (Though I wonder how +it got mixed up in the first place? I certainly can't move a window off +screen like that. Unless it was part way over then snapped offscreen when +shading.) + + Hmm. Weird. + + Anyway, thanks for the suggestions, folks. Hopefully this will be +useful to someone scouting the archives in the future... :-) + + + +-----BEGIN PGP SIGNATURE----- +Version: PGP 6.5.2 +Comment: Don't know what PGP is? Check http://www.pgpi.org/ + +iQA/AwUBPZayRIJkhJBJYtPQEQIyzgCg/mMMlKnmP8Cxa/h7b5X0KrJXsLsAoO1N +6dm1Hpj6RnUGPjuUQItBYEC3 +=OL5H +-----END PGP SIGNATURE----- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1224.7917f240eb278ea2028d92515d8c3dbc b/machine-learning-ex6/ex6/easy_ham/1224.7917f240eb278ea2028d92515d8c3dbc new file mode 100644 index 0000000..ab867e2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1224.7917f240eb278ea2028d92515d8c3dbc @@ -0,0 +1,113 @@ +From exmh-workers-admin@redhat.com Mon Sep 30 21:43:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 805F016F03 + for ; Mon, 30 Sep 2002 21:43:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:43:55 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UJ3gK12263 for + ; Mon, 30 Sep 2002 20:03:42 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 183BB405BD; Mon, 30 Sep 2002 + 15:03:45 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2B82F400D9 + for ; Mon, 30 Sep 2002 14:57:29 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8UIvTk08482 for exmh-workers@listman.redhat.com; Mon, 30 Sep 2002 + 14:57:29 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8UIvSf08478 for + ; Mon, 30 Sep 2002 14:57:28 -0400 +Received: from gray.impulse.net (gray.impulse.net [207.154.64.174]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8UIcsi07025 for + ; Mon, 30 Sep 2002 14:38:54 -0400 +Received: from gray.impulse.net (localhost [127.0.0.1]) by + gray.impulse.net (Postfix) with ESMTP id 5ACA84A3 for + ; Mon, 30 Sep 2002 11:57:27 -0700 (PDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: exmh-workers@example.com +From: Ted Cabeen +Subject: Working My_Mark2CurSeen +Message-Id: <20020930185727.5ACA84A3@gray.impulse.net> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 11:57:27 -0700 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PGP_SIGNATURE,T_URI_COUNT_5_8,X_LOOP + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Content-Type: text/plain; charset=us-ascii + +After a bit of peeking through the exmh tcl and playing with tcl a bit, I got +the "catchup unseen messages before cur" procedure working. Here's the code +for everybody and the list archives in case anyone wants it in the future. +Thanks to John R. LoVerso for putting me on the right track. + +proc My_Mark2CurSeen {} { + global exmh pick msg + set results {} + Exmh_Status "Clearing unseen up to cur..." red + Mh_SetCur $exmh(folder) $msg(id) + set unseen [Mh_Unseen $exmh(folder)] + foreach elem $unseen { + if { $elem < $msg(id) } { + lappend results $elem + } + } + set pick(ids) $results + busy PickMarkSeen + Exmh_Status ok blue +} + +If you want to use this, stick it in your .tk/exmh directory, run auto_mkindex +on it and add the following lines to your .exmh/exmh-defaults: +*Fops.more.m.uentrylist: ketchup +*Fops.more.m.l_ketchup: Catch-up all before current +*Fops.more.m.c_ketchup: My_Mark2CurSeen + +- -- +Ted Cabeen http://www.pobox.com/~secabeen ted@impulse.net +Check Website or Keyserver for PGP/GPG Key BA0349D2 secabeen@pobox.com +"I have taken all knowledge to be my province." -F. Bacon secabeen@cabeen.org +"Human kind cannot bear very much reality."-T.S.Eliot cabeen@netcom.com + + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (FreeBSD) +Comment: Exmh version 2.5 07/13/2001 + +iD8DBQE9mJ6XoayJfLoDSdIRAkaQAJ9NL83MUU6bJRB19x7MgRaDQhc3ZwCfRK5d +PXat04+AnSx4tHjn5p8mZVc= +=sJtk +-----END PGP SIGNATURE----- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1225.4ce87f5bbc885a3801a23cd692038c2e b/machine-learning-ex6/ex6/easy_ham/1225.4ce87f5bbc885a3801a23cd692038c2e new file mode 100644 index 0000000..7f37ddb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1225.4ce87f5bbc885a3801a23cd692038c2e @@ -0,0 +1,88 @@ +From exmh-workers-admin@redhat.com Mon Sep 30 21:44:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7327B16F03 + for ; Mon, 30 Sep 2002 21:44:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:31 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UJwhK13809 for + ; Mon, 30 Sep 2002 20:58:44 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B6A403FB1F; Mon, 30 Sep 2002 + 15:55:23 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3FAE140128 + for ; Mon, 30 Sep 2002 15:53:47 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8UJrlA27928 for exmh-workers@listman.redhat.com; Mon, 30 Sep 2002 + 15:53:47 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8UJrkf27924 for + ; Mon, 30 Sep 2002 15:53:46 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g8UJZCi24308 for ; Mon, 30 Sep 2002 15:35:12 + -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id E16E737EAA; + Mon, 30 Sep 2002 14:53:38 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 617FF37EA6 for ; + Mon, 30 Sep 2002 14:53:38 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +In-Reply-To: <20020930185727.5ACA84A3@gray.impulse.net> +References: <20020930185727.5ACA84A3@gray.impulse.net> +Comments: In-reply-to Ted Cabeen message dated "Mon, + 30 Sep 2002 11:57:27 -0700." +To: exmh-workers@example.com +Subject: Re: Working My_Mark2CurSeen +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <3703.1033415613@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 14:53:33 -0500 +X-Spam-Status: No, hits=-7.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_QUOTE_TWICE_2,T_URI_COUNT_1_2,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Mon, 30 Sep 2002, "Ted" == Ted Cabeen wrote: + + Ted> Here's the code for everybody and the list archives in + Ted> case anyone wants it in the future. + +Very cool! I vote for this being added to CVS, any objections? + +--Hal + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1226.7d2cdef974037d299c744b765e792641 b/machine-learning-ex6/ex6/easy_ham/1226.7d2cdef974037d299c744b765e792641 new file mode 100644 index 0000000..e86be13 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1226.7d2cdef974037d299c744b765e792641 @@ -0,0 +1,103 @@ +From exmh-workers-admin@redhat.com Mon Sep 30 21:44:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A071416F03 + for ; Mon, 30 Sep 2002 21:44:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:40 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UKA9K14364 for + ; Mon, 30 Sep 2002 21:10:13 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7492F406E3; Mon, 30 Sep 2002 + 16:08:56 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E21B140598 + for ; Mon, 30 Sep 2002 16:02:02 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8UK22930682 for exmh-workers@listman.redhat.com; Mon, 30 Sep 2002 + 16:02:02 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8UK22f30678 for + ; Mon, 30 Sep 2002 16:02:02 -0400 +Received: from gray.impulse.net (gray.impulse.net [207.154.64.174]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g8UJhRi26580 for + ; Mon, 30 Sep 2002 15:43:27 -0400 +Received: from gray.impulse.net (localhost [127.0.0.1]) by + gray.impulse.net (Postfix) with ESMTP id 148FB479; Mon, 30 Sep 2002 + 13:02:01 -0700 (PDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Hal DeVore +Cc: exmh-workers@example.com +From: Ted Cabeen +Subject: Re: Working My_Mark2CurSeen +In-Reply-To: <3703.1033415613@dimebox.bmc.com> +References: <3703.1033415613@dimebox.bmc.com> + <20020930185727.5ACA84A3@gray.impulse.net> +Message-Id: <20020930200201.148FB479@gray.impulse.net> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Mon, 30 Sep 2002 13:02:01 -0700 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_URI_COUNT_5_8,X_LOOP + version=2.50-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Content-Type: text/plain; charset=us-ascii + +In message <3703.1033415613@dimebox.bmc.com>, Hal DeVore writes: +>>>>>> On Mon, 30 Sep 2002, "Ted" == Ted Cabeen wrote: +> +> Ted> Here's the code for everybody and the list archives in +> Ted> case anyone wants it in the future. +> +>Very cool! I vote for this being added to CVS, any objections? + +Not from me, although you probably want to change the name of the procedure. +:) + +- -- +Ted Cabeen http://www.pobox.com/~secabeen ted@impulse.net +Check Website or Keyserver for PGP/GPG Key BA0349D2 secabeen@pobox.com +"I have taken all knowledge to be my province." -F. Bacon secabeen@cabeen.org +"Human kind cannot bear very much reality."-T.S.Eliot cabeen@netcom.com + + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (FreeBSD) +Comment: Exmh version 2.5 07/13/2001 + +iD8DBQE9mK24oayJfLoDSdIRAs21AKDYeoDgFYgSUldYusaLxJTbcsPxuQCdHaFG +Z4P4FqmRJlqCbvmKFJMNgJI= +=dC6l +-----END PGP SIGNATURE----- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1227.db607f1de371e44ebc4bbf08ab036241 b/machine-learning-ex6/ex6/easy_ham/1227.db607f1de371e44ebc4bbf08ab036241 new file mode 100644 index 0000000..ceb5b4c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1227.db607f1de371e44ebc4bbf08ab036241 @@ -0,0 +1,95 @@ +From exmh-workers-admin@redhat.com Tue Oct 1 10:36:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 709F816F1E + for ; Tue, 1 Oct 2002 10:35:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:35:44 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g917JRK14417 for + ; Tue, 1 Oct 2002 08:19:31 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2C76D3EAF8; Tue, 1 Oct 2002 + 03:20:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 02A563EB29 + for ; Tue, 1 Oct 2002 03:19:19 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g917JIl02113 for exmh-workers@listman.redhat.com; Tue, 1 Oct 2002 + 03:19:18 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g917JIf02109 for + ; Tue, 1 Oct 2002 03:19:18 -0400 +Received: from ratree.psu.ac.th ([202.12.73.3]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g916x3i15006 for ; + Tue, 1 Oct 2002 02:59:47 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g917GTJ19541; + Tue, 1 Oct 2002 14:16:44 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g917Ev722747; Tue, 1 Oct 2002 14:15:12 +0700 + (ICT) +From: Robert Elz +To: Hal DeVore +Cc: exmh-workers@example.com +Subject: Re: Working My_Mark2CurSeen +In-Reply-To: <3703.1033415613@dimebox.bmc.com> +References: <3703.1033415613@dimebox.bmc.com> + <20020930185727.5ACA84A3@gray.impulse.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <22745.1033456497@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 14:14:57 +0700 +X-Spam-Status: No, hits=-4.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Mon, 30 Sep 2002 14:53:33 -0500 + From: Hal DeVore + Message-ID: <3703.1033415613@dimebox.bmc.com> + + | I vote for this being added to CVS, any objections? + +No, but using PickMarkSeen (and pick(ids)) as an alternative to +just doing + + Seq_Del $exmh(folder) $mhProfile(unseen-sequence) $results + +seems unnecessary to me (that's all that PickMarkSeen does after all). +(That can be done via "busy") + +Of course, the same is true of the badly named Pick_MarkSeen which has +nothing at all to do with "pick" except that it (ab)uses the pick(ids) var +in the same way. (Its name would be hard to change unfortunately, as it +is known in app-defaults files for the "Catch Up Unseen" menu item, but +its implementation could certainly be fixed). + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1228.0e851b082d2c4200347accef882549eb b/machine-learning-ex6/ex6/easy_ham/1228.0e851b082d2c4200347accef882549eb new file mode 100644 index 0000000..14e90ec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1228.0e851b082d2c4200347accef882549eb @@ -0,0 +1,99 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 11:43:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 11B4A16F03 + for ; Wed, 2 Oct 2002 11:43:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:43:17 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g924NTK25461 for + ; Wed, 2 Oct 2002 05:23:30 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 82B7F3EA36; Wed, 2 Oct 2002 + 00:24:04 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0BC7440AD2 + for ; Wed, 2 Oct 2002 00:21:29 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g924LSG11235 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 00:21:28 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g924LSf11231 for + ; Wed, 2 Oct 2002 00:21:28 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g9242fi19217 for ; Wed, 2 Oct 2002 00:02:41 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 3F74337EA9; + Tue, 1 Oct 2002 23:21:27 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 0A11D37EA6 for ; + Tue, 1 Oct 2002 23:21:27 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: Unseen window versus Sequences Window +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <30937.1033532481@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 23:21:21 -0500 +X-Spam-Status: No, hits=-10.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +I apologize for not catching up to the current code in so long. + +Now that I have I'm trying to resolve "breakage" and differences. + +The unseen window seems to have been replaced with the sequences +window. While I appreciate the flexibility of the sequences +window, the unseen window filled an important-to-me need: It +was tiny and could be set to show on all desktops of a virtual +window manager without taking a lot of space. Since my normal +mode of operation involves two copies of exmh displaying on a +1024x768 vnc session, screen space is at a premium. + +As things stand now, I have a sequences window that shows a lot +more information than I need to have handy and takes up a lot +more room than I can "spare". + +I can see that I could like the new sequences window a lot for +certain operations. But I'd like a nice uncluttered, tiny +window that _only_ shows me info on my unread mail. + +One possibility that occurs to me would be a button or mouse +click that "shrinks" the Sequences window to show only the +sequences in the "always show" list. And of course a way to +expand it back. + +--Hal + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1229.e662c283c2f313d577e186c1712b52df b/machine-learning-ex6/ex6/easy_ham/1229.e662c283c2f313d577e186c1712b52df new file mode 100644 index 0000000..0ae0db3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1229.e662c283c2f313d577e186c1712b52df @@ -0,0 +1,84 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 11:43:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 643F816F16 + for ; Wed, 2 Oct 2002 11:43:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:43:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g924NYK25468 for + ; Wed, 2 Oct 2002 05:23:34 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 795853F0FE; Wed, 2 Oct 2002 + 00:24:10 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 85D0B3FD84 + for ; Wed, 2 Oct 2002 00:22:21 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g924MLv11335 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 00:22:21 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g924MLf11331 for + ; Wed, 2 Oct 2002 00:22:21 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g9243Xi19307 for ; Wed, 2 Oct 2002 00:03:34 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id E13E437EA9; + Tue, 1 Oct 2002 23:22:19 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id C189837EA6 for ; + Tue, 1 Oct 2002 23:22:19 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: Bindings problem with current CVS code +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Message-Id: <30957.1033532534@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Tue, 01 Oct 2002 23:22:14 -0500 +X-Spam-Status: No, hits=-11.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + +I've had this binding in my ~/.exmh/exmhbindings for years: + +set {bindings(key,Flist_FindUnseen 1 ; Inc_PresortFinish)} + +After updating to the current code in CVS I get "bad key f" when +I hit the "f" key. I can open the Bindings... Commands window +and define the binding. It then works until I restart exmh. + +I suspect a parsing problem/change. I'll try to look into this +tomorrow unless someone knows where the problem might be. + +--Hal + + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1230.55a8eec81fe610dade9d896627eb8703 b/machine-learning-ex6/ex6/easy_ham/1230.55a8eec81fe610dade9d896627eb8703 new file mode 100644 index 0000000..513beca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1230.55a8eec81fe610dade9d896627eb8703 @@ -0,0 +1,135 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:58:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 51D3D16F16 + for ; Wed, 2 Oct 2002 15:58:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:58:51 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92DxWK11529 for + ; Wed, 2 Oct 2002 14:59:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2BC0E3EFFA; Wed, 2 Oct 2002 + 10:00:05 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9475440D14 + for ; Wed, 2 Oct 2002 09:56:33 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92DuXw17281 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 09:56:33 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92DuXf17277 for + ; Wed, 2 Oct 2002 09:56:33 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g92Dbgi25464 + for ; Wed, 2 Oct 2002 09:37:42 -0400 +Received: (qmail 15297 invoked by uid 104); 2 Oct 2002 13:56:32 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4226. . Clean. Processed in 0.340282 + secs); 02/10/2002 08:56:31 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 2 Oct 2002 13:56:31 -0000 +Received: (qmail 400 invoked from network); 2 Oct 2002 13:56:29 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 2 Oct 2002 13:56:29 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Hal DeVore +Cc: exmh-workers@example.com +Subject: Re: Bindings problem with current CVS code +In-Reply-To: <30957.1033532534@dimebox.bmc.com> +References: <30957.1033532534@dimebox.bmc.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-2120603942P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1033566989.394.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.62 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 08:56:27 -0500 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-2120603942P +Content-Type: text/plain; charset=us-ascii + +> From: Hal DeVore +> Date: Tue, 01 Oct 2002 23:22:14 -0500 +> +> I've had this binding in my ~/.exmh/exmhbindings for years: +> +> set {bindings(key,Flist_FindUnseen 1 ; Inc_PresortFinish)} +> +> After updating to the current code in CVS I get "bad key f" when +> I hit the "f" key. I can open the Bindings... Commands window +> and define the binding. It then works until I restart exmh. +> +> I suspect a parsing problem/change. I'll try to look into this +> tomorrow unless someone knows where the problem might be. + +Flist_FindUnseen has changed to Flist_FindSeqs. It takes the same arguments, +but I changed the name because it looks for all the sequences, not just the +unseen sequence. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-2120603942P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9mvsKK9b4h5R0IUIRAsiQAJ9cQeGocfBt4zgFi0J3kLd5f6a+NACffh/N +rngnJZnZ5eU67ZIqlLGmC2w= +=BCEQ +-----END PGP SIGNATURE----- + +--==_Exmh_-2120603942P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1231.9a7db322df8f2bdf4eeb2d589cb51e34 b/machine-learning-ex6/ex6/easy_ham/1231.9a7db322df8f2bdf4eeb2d589cb51e34 new file mode 100644 index 0000000..4e302a3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1231.9a7db322df8f2bdf4eeb2d589cb51e34 @@ -0,0 +1,128 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:58:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 73E1416F17 + for ; Wed, 2 Oct 2002 15:58:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:58:53 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92E1BK11576 for + ; Wed, 2 Oct 2002 15:01:16 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id EDB9C40D14; Wed, 2 Oct 2002 + 10:01:47 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3C5563F137 + for ; Wed, 2 Oct 2002 09:58:55 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92DwtC18034 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 09:58:55 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92Dwsf18030 for + ; Wed, 2 Oct 2002 09:58:54 -0400 +Received: from austin-jump.vircio.com (jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g92De4i26211 + for ; Wed, 2 Oct 2002 09:40:04 -0400 +Received: (qmail 15481 invoked by uid 104); 2 Oct 2002 13:58:54 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4226. . Clean. Processed in 0.34979 + secs); 02/10/2002 08:58:53 +Received: from deepeddy.vircio.com ([10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 2 Oct 2002 13:58:53 -0000 +Received: (qmail 917 invoked from network); 2 Oct 2002 13:58:53 -0000 +Received: from localhost (HELO deepeddy.vircio.com) ([127.0.0.1]) + (envelope-sender ) by localhost (qmail-ldap-1.03) + with SMTP for ; 2 Oct 2002 13:58:53 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Hal DeVore +Cc: exmh-workers@example.com +Subject: Re: Unseen window versus Sequences Window +In-Reply-To: <30937.1033532481@dimebox.bmc.com> +References: <30937.1033532481@dimebox.bmc.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-2113882517P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1033567132.911.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.62 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 08:58:51 -0500 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-2113882517P +Content-Type: text/plain; charset=us-ascii + +> From: Hal DeVore +> Date: Tue, 01 Oct 2002 23:21:21 -0500 +> +> One possibility that occurs to me would be a button or mouse +> click that "shrinks" the Sequences window to show only the +> sequences in the "always show" list. And of course a way to +> expand it back. + +That's a pretty good idea. I'm not sure I'll get to it any time soon. (I +already have a known bug reported on 9/25 that I haven't been able to get to.) + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-2113882517P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9mvubK9b4h5R0IUIRAs2xAJ9gFx9Fvnld2Kp7JaUZyusroUweFQCfWPnM +Pp78BfHf//xicipba00ru3o= +=tDi6 +-----END PGP SIGNATURE----- + +--==_Exmh_-2113882517P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1232.2e3d43a305269573c1d4bd6bc0b6b103 b/machine-learning-ex6/ex6/easy_ham/1232.2e3d43a305269573c1d4bd6bc0b6b103 new file mode 100644 index 0000000..8e19b35 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1232.2e3d43a305269573c1d4bd6bc0b6b103 @@ -0,0 +1,97 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:58:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 91C8716F03 + for ; Wed, 2 Oct 2002 15:58:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:58:48 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92DwjK11512 for + ; Wed, 2 Oct 2002 14:58:46 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C4A613EFFA; Wed, 2 Oct 2002 + 09:59:19 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id F2FFC3F792 + for ; Wed, 2 Oct 2002 09:54:12 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92DsCq16707 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 09:54:12 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92DsCf16703 for + ; Wed, 2 Oct 2002 09:54:12 -0400 +Received: from kcmso2.proxy.att.com (kcmso2.att.com [192.128.134.71]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g92DZMi25039 for + ; Wed, 2 Oct 2002 09:35:22 -0400 +Received: from ulysses.homer.att.com ([135.205.193.8]) by + kcmso2.proxy.att.com (AT&T IPNS/MSO-4.0) with ESMTP id g92Ds6Od028475 for + ; Wed, 2 Oct 2002 08:54:06 -0500 (CDT) +Received: from hera.homer.att.com (hera.homer.att.com [135.205.193.102]) + by ulysses.homer.att.com (8.9.3/8.9.3) with ESMTP id JAA05531 for + ; Wed, 2 Oct 2002 09:54:04 -0400 (EDT) +Received: from hera.homer.att.com (localhost [127.0.0.1]) by + hera.homer.att.com (8.9.3/8.9.3) with ESMTP id JAA13534 for + ; Wed, 2 Oct 2002 09:54:04 -0400 (EDT) +Message-Id: <200210021354.JAA13534@hera.homer.att.com> +X-Mailer: exmh version 2.5-CVS 08/22/2002 with nmh-1.0.4 +To: exmh-workers@example.com +Subject: A couple of nits... +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: "J. W. Ballantine" +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 09:54:04 -0400 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=KNOWN_MAILING_LIST,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +I have a couple of small issues, and I'm not sure if their exmh issues +or my setup issues. + +First, when I try and run exmh with wish from tk8.4.0 it seems to take +forever to start, but with wish from tk8.a.4 it starts in a snap. + +Using the latest CVS, when I open exmh and the folder I'm in has unseen +messages and I hit next, exmh changes to the next folder with unseen messages +rather than to the first unseen in the current folder. + +Finally, when I reach the end of the messages in a folder and go on to +the next unseen, exmh always goes back to inbox (which has no unseen +messages) rather than the next folder with unseen messages. (When I +goto next from inbox it does go where I would think it should go). + +Just wanted to let you know what I'm seeing and find out if I'm expecting +some different than I should be. + +Thanks for all the effort + +Jim + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1233.f19ee9e6ffb986dd0dd2691401e237ae b/machine-learning-ex6/ex6/easy_ham/1233.f19ee9e6ffb986dd0dd2691401e237ae new file mode 100644 index 0000000..f841390 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1233.f19ee9e6ffb986dd0dd2691401e237ae @@ -0,0 +1,91 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:59:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4192D16F19 + for ; Wed, 2 Oct 2002 15:59:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:59:05 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92EZWK13040 for + ; Wed, 2 Oct 2002 15:35:33 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AE42E3F99C; Wed, 2 Oct 2002 + 10:36:05 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 89B4F40DCE + for ; Wed, 2 Oct 2002 10:34:19 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92EYJ728308 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 10:34:19 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92EYJf28304 for + ; Wed, 2 Oct 2002 10:34:19 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g92EFSi03196 for ; Wed, 2 Oct 2002 10:15:28 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 2441837EAB; + Wed, 2 Oct 2002 09:34:14 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 040AE37EAA; Wed, 2 Oct 2002 09:34:13 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +In-Reply-To: <1033567132.911.TMDA@deepeddy.vircio.com> +References: <30937.1033532481@dimebox.bmc.com> + <1033567132.911.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues + message dated "Wed, 02 Oct 2002 08:58:51 -0500." +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: Unseen window versus Sequences Window +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <6367.1033569248@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 09:34:08 -0500 +X-Spam-Status: No, hits=-14.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +>>>>> On Wed, 2 Oct 2002, "Chris" == Chris Garrigues wrote: + + Chris> I'm not sure I'll get to it any time soon. + +Well, you have a pretty good idea of when I might get to it (the +phrase hell freezes over comes to mind)... so whenever you can +will certainly be fine. + +Thanks for considering it. In the meantime I've set the +"minimum entry lines" to 1. It certainly isn't going to make me +go back to the old version. + +--Hal + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1234.30168dbefeafcbbd7649c9153a182482 b/machine-learning-ex6/ex6/easy_ham/1234.30168dbefeafcbbd7649c9153a182482 new file mode 100644 index 0000000..e0dfb27 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1234.30168dbefeafcbbd7649c9153a182482 @@ -0,0 +1,128 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:59:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DB09716F1A + for ; Wed, 2 Oct 2002 15:59:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:59:07 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92EngK13465 for + ; Wed, 2 Oct 2002 15:49:43 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 5A01C3F997; Wed, 2 Oct 2002 + 10:50:15 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6527B3EB14 + for ; Wed, 2 Oct 2002 10:49:39 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92End532337 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 10:49:39 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92Endf32333 for + ; Wed, 2 Oct 2002 10:49:39 -0400 +Received: from turing-police.cc.vt.edu (turing-police.cc.vt.edu + [128.173.14.107]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g92EUmi07079 for ; Wed, 2 Oct 2002 10:30:48 -0400 +Received: from turing-police.cc.vt.edu (localhost [127.0.0.1]) by + turing-police.cc.vt.edu (8.12.6.Beta1/8.12.6.Beta1) with ESMTP id + g92EnPLw027736; Wed, 2 Oct 2002 10:49:25 -0400 +Message-Id: <200210021449.g92EnPLw027736@turing-police.cc.vt.edu> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4+dev +To: "J. W. Ballantine" +Cc: exmh-workers@example.com +Subject: Re: A couple of nits... +In-Reply-To: Your message of + "Wed, 02 Oct 2002 09:54:04 EDT." + <200210021354.JAA13534@hera.homer.att.com> +From: Valdis.Kletnieks@vt.edu +X-Url: http://black-ice.cc.vt.edu/~valdis/ +X-Face-Viewer: See ftp://cs.indiana.edu/pub/faces/index.html to decode picture +X-Face: 34C9$Ewd2zeX+\!i1BA\j{ex+$/V'JBG#;3_noWWYPa"|,I#`R"{n@w>#:{)FXyiAS7(8t( + ^*w5O*!8O9YTe[r{e%7(yVRb|qxsRYw`7J!`AM}m_SHaj}f8eb@d^L>BrX7iO[ +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1581861840P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 10:49:25 -0400 +X-Spam-Status: No, hits=-6.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_-1581861840P +Content-Type: text/plain; charset=us-ascii + +On Wed, 02 Oct 2002 09:54:04 EDT, "J. W. Ballantine" said: + +> First, when I try and run exmh with wish from tk8.4.0 it seems to take +> forever to start, but with wish from tk8.a.4 it starts in a snap. + +This sounds like something piggy in the 'flist' code - I'm seeing flist +in general taking 5-10 seconds. Interesting that a different wish comes up +fast, there might be a borkedness in 8.4. + +> Using the latest CVS, when I open exmh and the folder I'm in has unseen +> messages and I hit next, exmh changes to the next folder with unseen messages +> rather than to the first unseen in the current folder. + +Hmm.. weirdness.. + +> Finally, when I reach the end of the messages in a folder and go on to +> the next unseen, exmh always goes back to inbox (which has no unseen +> messages) rather than the next folder with unseen messages. (When I +> goto next from inbox it does go where I would think it should go). + +I've been seeing this as well - *usually* with inbox, but it's gotten +stuck on some other folders as well (I have procmail do rcvstore into folders +for me). +-- + Valdis Kletnieks + Computer Systems Senior Engineer + Virginia Tech + + +--==_Exmh_-1581861840P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) +Comment: Exmh version 2.5 07/13/2001 + +iD8DBQE9mwd0cC3lWbTT17ARAsOKAKCe3ziHYPQnWBGyUdYQzYurE1tguACfS9Ms +TUQI8ndQ8stuJqaWVGSAi4k= +=JBgX +-----END PGP SIGNATURE----- + +--==_Exmh_-1581861840P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1235.c0f0d9e39895355effd9a5f3df1ff4db b/machine-learning-ex6/ex6/easy_ham/1235.c0f0d9e39895355effd9a5f3df1ff4db new file mode 100644 index 0000000..5fe1541 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1235.c0f0d9e39895355effd9a5f3df1ff4db @@ -0,0 +1,91 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 15:59:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C267B16F1B + for ; Wed, 2 Oct 2002 15:59:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 15:59:09 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92EoSK13489 for + ; Wed, 2 Oct 2002 15:50:32 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7D52F3F9FC; Wed, 2 Oct 2002 + 10:51:03 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 20E383F997 + for ; Wed, 2 Oct 2002 10:50:58 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92EowP32688 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 10:50:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92Eovf32684 for + ; Wed, 2 Oct 2002 10:50:57 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g92EW7i07408 for ; Wed, 2 Oct 2002 10:32:07 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 7E38F37EAB; + Wed, 2 Oct 2002 09:50:56 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 4FF5737EAA for ; + Wed, 2 Oct 2002 09:50:56 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +In-Reply-To: <1033566989.394.TMDA@deepeddy.vircio.com> +References: <30957.1033532534@dimebox.bmc.com> + <1033566989.394.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues + message dated "Wed, 02 Oct 2002 08:56:27 -0500." +To: exmh-workers@example.com +Subject: Re: Bindings problem with current CVS code +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <6714.1033570251@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 09:50:51 -0500 +X-Spam-Status: No, hits=-15.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Wed, 2 Oct 2002, "Chris" == Chris Garrigues wrote: + + Chris> Flist_FindUnseen has changed to Flist_FindSeqs. + +I guess I was sleepier than I thought. I managed to cut and +paste the _right_ stuff from the app-defaults file into the +Bindings definition dialog without ever noticing that it was +different from what was in my exmhbindings file. + +--Hal + +P.S., can I get a pointer to a freeware Tcl/Tk debugger? + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1236.4f668a267ed4bfb3c9038c638ee7258b b/machine-learning-ex6/ex6/easy_ham/1236.4f668a267ed4bfb3c9038c638ee7258b new file mode 100644 index 0000000..6435376 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1236.4f668a267ed4bfb3c9038c638ee7258b @@ -0,0 +1,88 @@ +From exmh-workers-admin@redhat.com Wed Oct 2 18:17:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 31B7216F03 + for ; Wed, 2 Oct 2002 18:17:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 18:17:44 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92H0HK18022 for + ; Wed, 2 Oct 2002 18:00:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B6E47402CB; Wed, 2 Oct 2002 + 13:00:16 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4DCCC40F58 + for ; Wed, 2 Oct 2002 12:56:06 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92Gu6404969 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 12:56:06 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92Gu5f04963 for + ; Wed, 2 Oct 2002 12:56:05 -0400 +Received: from ratree.psu.ac.th ([202.12.73.3]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g92GbAi09273 for ; + Wed, 2 Oct 2002 12:37:11 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g92GtnQ06382; + Wed, 2 Oct 2002 23:55:50 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g92Gsi703746; Wed, 2 Oct 2002 23:54:44 +0700 + (ICT) +From: Robert Elz +To: Hal DeVore +Cc: exmh-workers@example.com +Subject: Re: Another sequences window nit +In-Reply-To: <9288.1033576753@dimebox.bmc.com> +References: <9288.1033576753@dimebox.bmc.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <3744.1033577684@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 23:54:44 +0700 +X-Spam-Status: No, hits=-5.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + Date: Wed, 02 Oct 2002 11:39:13 -0500 + From: Hal DeVore + Message-ID: <9288.1033576753@dimebox.bmc.com> + + | Restarting exmh was necessary. + +Probably not. Next time try clicking on the folder name in the +sequences window for the sequence. That is, request that sequence +be the one displayed in the FTOC. If the sequence doesn't exist, +it will be cleaned up then. + +Perhaps it would be nicer if flist would do it as well, but this +is effective enough. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1237.4bb6dda7449161c5c971565261b5bf22 b/machine-learning-ex6/ex6/easy_ham/1237.4bb6dda7449161c5c971565261b5bf22 new file mode 100644 index 0000000..f0e4795 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1237.4bb6dda7449161c5c971565261b5bf22 @@ -0,0 +1,127 @@ +From exmh-workers-admin@redhat.com Thu Oct 3 12:22:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6403D16F16 + for ; Thu, 3 Oct 2002 12:22:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:22:08 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92N1VK00712 for + ; Thu, 3 Oct 2002 00:01:32 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 870D83EBE8; Wed, 2 Oct 2002 + 19:02:03 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9EC323ECDA + for ; Wed, 2 Oct 2002 19:01:00 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g92N10M15340 for exmh-workers@listman.redhat.com; Wed, 2 Oct 2002 + 19:01:00 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g92N10f15334 for + ; Wed, 2 Oct 2002 19:01:00 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g92Mg5i19652 for ; Wed, 2 Oct 2002 18:42:05 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 126E937EBF; + Wed, 2 Oct 2002 18:00:58 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id DFD8637EBE for ; + Wed, 2 Oct 2002 18:00:58 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +In-Reply-To: <22745.1033456497@munnari.OZ.AU> +References: <3703.1033415613@dimebox.bmc.com> + <20020930185727.5ACA84A3@gray.impulse.net> + <22745.1033456497@munnari.OZ.AU> +Comments: In-reply-to Robert Elz message dated "Tue, + 01 Oct 2002 14:14:57 +0700." +To: exmh-workers@example.com +Subject: Re: Working My_Mark2CurSeen +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <16828.1033599653@dimebox.bmc.com> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 02 Oct 2002 18:00:53 -0500 +X-Spam-Status: No, hits=-19.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +[I wrote this last night but it appears I never sent it... still +haven't had time to dig in to it...] + + +>>>>> On Tue, 1 Oct 2002, "Robert" == Robert Elz wrote: + + Robert> No, but using PickMarkSeen (and pick(ids)) as an + Robert> alternative to just doing + + Robert> Seq_Del $exmh(folder) $mhProfile(unseen-sequence) $results + + +Ah. Neither Ted nor I were particularly up to date. I pulled +down the lates from CVS and am now running with it. I miss the +blue ftoc lines but I'll sort that out soon, iirc Chris said +it's a simple resource change. + +Ted's code to "ketchup" made use of some of the procs that went +away in the sequence generalization. I've fixed it up... almost +and it looks like this now: + +proc Cabeen_Mark2CurSeen {} { + global exmh mhProfile msg + set results {} + Exmh_Status "Clearing unseen up to cur..." red + Mh_SetCur $exmh(folder) $msg(id) + set unseen [Mh_Sequence $exmh(folder) $mhProfile(unseen-sequence) ] + foreach elem $unseen { + if { $elem <= $msg(id) } { + lappend results $elem + } + } + busy Seq_Del $exmh(folder) $mhProfile(unseen-sequence) $results + Exmh_Status ok blue +} + + +The "almost" is because it's not updating the highlighting on +the ftoc. I'm too tired to go figure out how to fix that just +now and have to move on to other stuff. If someone wants to +forward me a clue feel free. + +Now that I've got all of Chris' sequence stuff I discovered that +my sequences are ... cluttered. + +--Hal + + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + + diff --git a/machine-learning-ex6/ex6/easy_ham/1238.af17c6dc01076c3f5fd80b0aaf13b70a b/machine-learning-ex6/ex6/easy_ham/1238.af17c6dc01076c3f5fd80b0aaf13b70a new file mode 100644 index 0000000..f6e8955 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1238.af17c6dc01076c3f5fd80b0aaf13b70a @@ -0,0 +1,98 @@ +From exmh-users-admin@redhat.com Mon Oct 7 22:40:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1949116F16 + for ; Mon, 7 Oct 2002 22:40:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 22:40:37 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97LX0K17804 for + ; Mon, 7 Oct 2002 22:33:00 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 25B84413E3; Mon, 7 Oct 2002 + 17:33:25 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DB7683F951 + for ; Mon, 7 Oct 2002 17:27:25 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g97LRPp00977 for exmh-users@listman.redhat.com; Mon, 7 Oct 2002 + 17:27:25 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g97LRPf00973 for + ; Mon, 7 Oct 2002 17:27:25 -0400 +Received: from dag.newtech.fi + (IDENT:qmailr@ip213-185-39-113.laajakaista.mtv3.fi [213.185.39.113]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g97L7rX07166 for + ; Mon, 7 Oct 2002 17:07:53 -0400 +Received: (qmail 4924 invoked by uid 200); 7 Oct 2002 21:27:22 -0000 +Message-Id: <20021007212722.4923.qmail@dag.newtech.fi> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-0.27 +To: exmh-users@example.com +Subject: Ringing bell on other computer +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +From: Dag Nygren +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by int-mx1.corp.example.com + id g97LRPf00973 +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 00:27:22 +0300 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +Hi, + +succeeded in ringing a bell anytime I get a mail +to my inbox (Not Mailing lists, spams etc.) by +using procmail to execute a "play clink.wav" on +the "right" mails. +Now my demands are growing ;-) +I use my laptop remotely very often and now I would +like the bell to sound on that when I am there. +I triedto use the KDE remote sound server and it works in +the tests, but when procmail runs it it doesn't, presumably +as it doesn't have the authorization to communicate with +the laptop, beeing another user? + +Any hints. + +BRGDS + + +-- +Dag Nygren email: dag@newtech.fi +Oy Espoon NewTech Ab phone: +358 9 8024910 +Träsktorpet 3 fax: +358 9 8024916 +02360 ESBO Mobile: +358 400 426312 +FINLAND + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1239.4ac4f511de904aae73d8d5ead6f7fd70 b/machine-learning-ex6/ex6/easy_ham/1239.4ac4f511de904aae73d8d5ead6f7fd70 new file mode 100644 index 0000000..f57a1d9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1239.4ac4f511de904aae73d8d5ead6f7fd70 @@ -0,0 +1,99 @@ +From exmh-users-admin@redhat.com Tue Oct 8 10:55:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AA9DE16F16 + for ; Tue, 8 Oct 2002 10:55:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:55:10 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g986PMK03667 for + ; Tue, 8 Oct 2002 07:25:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 12CD63EAA4; Tue, 8 Oct 2002 + 02:26:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 92D8F3EA80 + for ; Tue, 8 Oct 2002 02:25:15 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g986PFf18694 for exmh-users@listman.redhat.com; Tue, 8 Oct 2002 + 02:25:15 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g986PFf18690 for + ; Tue, 8 Oct 2002 02:25:15 -0400 +Received: from dag.newtech.fi + (IDENT:qmailr@ip213-185-39-113.laajakaista.mtv3.fi [213.185.39.113]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g9865eX20167 for + ; Tue, 8 Oct 2002 02:05:40 -0400 +Received: (qmail 19262 invoked by uid 200); 8 Oct 2002 06:25:13 -0000 +Message-Id: <20021008062513.19261.qmail@dag.newtech.fi> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-0.27 +To: exmh-users@example.com +Cc: dag@newtech.fi +Subject: Re: Ringing bell on other computer +In-Reply-To: Message from Hal DeVore of + "Mon, 07 Oct 2002 18:03:03 CDT." + <6384.1034031783@dimebox.bmc.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Dag Nygren +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 09:25:13 +0300 +X-Spam-Status: No, hits=-1.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_99_100,T_QUOTE_TWICE_1,X_LOOP + version=2.50-cvs +X-Spam-Level: + +> +> +> >>>>> On Tue, 8 Oct 2002, "Dag" == Dag Nygren wrote: +> +> Dag> but when procmail runs it it doesn't, presumably as it +> Dag> doesn't have the authorization to communicate with the +> Dag> laptop, beeing another user? +> +> I don't know anything about the KDE sound server but I'd guess +> your problem is the "environment" in which procmail runs. You +> don't say what procmail is running from. In my case, for +> example, procmail is run from fetchmail which is run by a cron +> job. + +Sorry about that, +procmail is run by the qmail delivery agent to presort all mail +I get. +But anyway, I found an error message in procmail.log, which solved +the problem. +The following line in my delivery script seems to work fine now: + +DISPLAY=:0.0 artsplay + +Thanks + +Dag + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1240.cd4dbc60dd0c19e65f2e36f098462793 b/machine-learning-ex6/ex6/easy_ham/1240.cd4dbc60dd0c19e65f2e36f098462793 new file mode 100644 index 0000000..e74cbd5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1240.cd4dbc60dd0c19e65f2e36f098462793 @@ -0,0 +1,119 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 12:36:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D03E543C36 + for ; Thu, 22 Aug 2002 07:36:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 12:36:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MBYrZ04811 for + ; Thu, 22 Aug 2002 12:34:53 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 8386540858; Thu, 22 Aug 2002 + 07:35:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 10CF8406D7 + for ; Thu, 22 Aug 2002 07:34:10 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MBY7g11259 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 07:34:07 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MBY7Y11255 for + ; Thu, 22 Aug 2002 07:34:07 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7MBIhl25223 for ; + Thu, 22 Aug 2002 07:18:55 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7MBWel29762; + Thu, 22 Aug 2002 18:32:40 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MBQPW13260; Thu, 22 Aug 2002 18:26:25 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029945287.4797.TMDA@deepeddy.vircio.com> +References: <1029945287.4797.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <13258.1030015585@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 18:26:25 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Wed, 21 Aug 2002 10:54:46 -0500 + From: Chris Garrigues + Message-ID: <1029945287.4797.TMDA@deepeddy.vircio.com> + + + | I can't reproduce this error. + +For me it is very repeatable... (like every time, without fail). + +This is the debug log of the pick happening ... + +18:19:03 Pick_It {exec pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace} {4852-4852 -sequence mercury} +18:19:03 exec pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace 4852-4852 -sequence mercury +18:19:04 Ftoc_PickMsgs {{1 hit}} +18:19:04 Marking 1 hits +18:19:04 tkerror: syntax error in expression "int ... + +Note, if I run the pick command by hand ... + +delta$ pick +inbox -list -lbrace -lbrace -subject ftp -rbrace -rbrace 4852-4852 -sequence mercury +1 hit + +That's where the "1 hit" comes from (obviously). The version of nmh I'm +using is ... + +delta$ pick -version +pick -- nmh-1.0.4 [compiled on fuchsia.cs.mu.OZ.AU at Sun Mar 17 14:55:56 ICT 2002] + +And the relevant part of my .mh_profile ... + +delta$ mhparam pick +-seq sel -list + + +Since the pick command works, the sequence (actually, both of them, the +one that's explicit on the command line, from the search popup, and the +one that comes from .mh_profile) do get created. + +kre + +ps: this is still using the version of the code form a day ago, I haven't +been able to reach the cvs repository today (local routing issue I think). + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1241.7bc7f4b48ba3328fe2ef672da8c9930e b/machine-learning-ex6/ex6/easy_ham/1241.7bc7f4b48ba3328fe2ef672da8c9930e new file mode 100644 index 0000000..33d80ca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1241.7bc7f4b48ba3328fe2ef672da8c9930e @@ -0,0 +1,112 @@ +From exmh-users-admin@redhat.com Thu Aug 22 14:44:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 985B247C67 + for ; Thu, 22 Aug 2002 09:44:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 14:44:04 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MDgEZ08598 for + ; Thu, 22 Aug 2002 14:42:19 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id F26113EE9A; Thu, 22 Aug 2002 + 09:42:15 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4ACEF3F4A2 + for ; Thu, 22 Aug 2002 09:38:03 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MDc0601591 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 09:38:00 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MDc0Y01587 for + ; Thu, 22 Aug 2002 09:38:00 -0400 +Received: from mta03bw.bigpond.com (mta03bw.bigpond.com [139.134.6.86]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MDNVl14108 for + ; Thu, 22 Aug 2002 09:23:31 -0400 +Received: from hobbit.linuxworks.com.au ([144.135.24.81]) by + mta03bw.bigpond.com (Netscape Messaging Server 4.15 mta03bw May 23 2002 + 23:53:28) with SMTP id H18Z7300.F6G for ; + Thu, 22 Aug 2002 23:37:51 +1000 +Received: from CPE-203-51-220-31.qld.bigpond.net.au ([203.51.220.31]) by + bwmam05.mailsvc.email.bigpond.com(MailRouter V3.0n 44/32989362); + 22 Aug 2002 23:37:51 +Received: (from tony@localhost) by hobbit.linuxworks.com.au + (8.11.6/8.11.6) id g7MDaWX26868; Thu, 22 Aug 2002 23:36:32 +1000 +Message-Id: <200208221336.g7MDaWX26868@hobbit.linuxworks.com.au.nospam> +To: Exmh Users Mailing List +From: Tony Nugent +X-Face: ]IrGs{LrofDtGfsrG!As5=G'2HRr2zt:H>djXb5@v|Dr!jOelxzAZ`!}("]}] + Q!)1w#X;)nLlb'XhSu,QL>;)L/l06wsI?rv-xy6%Y1e"BUiV%)mU;]f-5<#U6 + UthZ0QrF7\_p#q}*Cn}jd|XT~7P7ik]Q!2u%aTtvc;)zfH\:3f<[a:)M +Organization: Linux Works for network +X-Mailer: nmh-1.0.4 exmh-2.4 +X-Os: Linux-2.4 RedHat 7.2 +In-Reply-To: message-id <200208212046.g7LKkqf15798@mail.banirh.com> of Wed, + Aug 21 15:46:52 2002 +Subject: Re: Insert signature +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 23:36:32 +1000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +On Wed Aug 21 2002 at 15:46, Ulises Ponce wrote: + +> Hi! +> +> Is there a command to insert the signature using a combination of keys and not +> to have sent the mail to insert it then? + +I simply put it (them) into my (nmh) component files (components, +replcomps, forwcomps and so on). That way you get them when you are +editing your message. Also, by using comps files for specific +folders you can alter your .sig per folder (and other tricks). See +the docs for (n)mh for all the details. + +There might (must?) also be a way to get sedit to do it, but I've +been using gvim as my exmh message editor for a long time now. I +load it with a command that loads some email-specific settings, eg, +to "syntax" colour-highlight the headers and quoted parts of an +email)... it would be possible to map some (vim) keys that would add +a sig (or even give a selection of sigs to choose from). + +And there are all sorts of ways to have randomly-chosen sigs... +somewhere at rtfm.mit.edu... ok, here we go: +rtfm.mit.edu/pub/usenet-by-group/news.answers/signature_finger_faq. +(Warning... it's old, May 1995). + +> Regards, +> Ulises + +Hope this helps. + +Cheers +Tony + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1242.570c92b17b81753d832ac94dbd8f4b4e b/machine-learning-ex6/ex6/easy_ham/1242.570c92b17b81753d832ac94dbd8f4b4e new file mode 100644 index 0000000..482d0f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1242.570c92b17b81753d832ac94dbd8f4b4e @@ -0,0 +1,132 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 15:15:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1AD7B43F99 + for ; Thu, 22 Aug 2002 10:15:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 15:15:12 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MECrZ09674 for + ; Thu, 22 Aug 2002 15:12:54 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C57DA3ECC9; Thu, 22 Aug 2002 + 10:13:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6854840C75 + for ; Thu, 22 Aug 2002 10:12:27 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MECOK08343 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 10:12:24 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MECOY08339 for + ; Thu, 22 Aug 2002 10:12:24 -0400 +Received: from austin-jump.vircio.com + (IDENT:m7qlhYJ9XjzGHDfWy27ABasIREnlFU84@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MDvul20394 + for ; Thu, 22 Aug 2002 09:57:56 -0400 +Received: (qmail 31227 invoked by uid 104); 22 Aug 2002 14:12:23 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.340551 + secs); 22/08/2002 09:12:23 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 14:12:23 -0000 +Received: (qmail 25511 invoked from network); 22 Aug 2002 14:12:18 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?LVKop2xGBpLZYqQBUZF/+jebI90KasL/?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 14:12:18 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: "J. W. Ballantine" +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <200208211351.JAA15807@hera.homer.att.com> +References: <200208211351.JAA15807@hera.homer.att.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1547759024P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030025538.25487.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 09:12:16 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_1547759024P +Content-Type: text/plain; charset=us-ascii + +> From: "J. W. Ballantine" +> Date: Wed, 21 Aug 2002 09:51:31 -0400 +> +> I CVS'ed the unseen/Sequences changes and installed them, and have only one +> real issue. +> +> I use the unseen window rather than the exmh icon, and with the new code +> I can't seem to be able to. How many unseen when when I have the main window open +> is not really necessary. + +hmmm, I stole the code from unseenwin, but I never tested it since I don't use +that functionality. Consider it on my list of things to check. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_1547759024P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZPFAK9b4h5R0IUIRAkjyAJ4jjjhAVRx5FiwuCMa+QBWsbbE2jQCaAj4x +NhIgYqnx9/1wvdSgesQhMIU= +=vA3k +-----END PGP SIGNATURE----- + +--==_Exmh_1547759024P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1243.e8761b4169cb50de371e2bfe83dd4b0c b/machine-learning-ex6/ex6/easy_ham/1243.e8761b4169cb50de371e2bfe83dd4b0c new file mode 100644 index 0000000..244313e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1243.e8761b4169cb50de371e2bfe83dd4b0c @@ -0,0 +1,127 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ABEFA44165 + for ; Fri, 23 Aug 2002 06:04:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:55 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N3xOZ09392 for + ; Fri, 23 Aug 2002 04:59:24 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 341473EBFF; Thu, 22 Aug 2002 + 23:59:28 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 492B03FEAF + for ; Thu, 22 Aug 2002 23:27:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N3RHl05019 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 23:27:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N3RHY05015 for + ; Thu, 22 Aug 2002 23:27:17 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N3CQl13951 for ; + Thu, 22 Aug 2002 23:12:27 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N3QUl20135; + Fri, 23 Aug 2002 10:26:30 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MEtIW14737; Thu, 22 Aug 2002 21:55:18 + +0700 (ICT) +From: Robert Elz +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029944441.398.TMDA@deepeddy.vircio.com> +References: <1029944441.398.TMDA@deepeddy.vircio.com> + <1029882468.3116.TMDA@deepeddy.vircio.com> <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <14735.1030028118@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 21:55:18 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.5 required=7.0 + tests=DATE_IN_PAST_12_24,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Wed, 21 Aug 2002 10:40:39 -0500 + From: Chris Garrigues + Message-ID: <1029944441.398.TMDA@deepeddy.vircio.com> + + | The background color in this window is the same as the background + | color in the ftoc. + +That's what I'd like to vary - particularly as the ftoc background isn't +constant - messages in the unseen sequence have a different background +than others. + +In the ftoc that's fine, but in the sequences window, it isn't needed. +unseen already has a different foreground there (no problem with that), +it doesn't need a different background as well. + +I'll play about a bit with this, and with making it vertical instead of +horizontal, and see what turns up. + + | The only sequences that are defined there are sequences which are defined + | in app-defaults-color or ~/exmh/exmh-defaults-color. + +OK. + + | I've been thinking about how to dynamically generate highlighting for + | other sequences, but haven't got that figured out yet. + +In this case, highlighting wasn't what I was most concerned about. +A method to get messages in & out of sequences comes first, how it +displays is a secondary consideration. But as a suggestion, have an +"all unknown" sequence highlight, any message in a sequence which has +no defined highlighting (where defined includes defined to not be treated +specially) gets highlighted the same way (maybe something as boring as +a dark brown text colour - almost indistinguishable from the normal black) + + + | > > Any chance of making the current message a little brighter background? + | + | I don't see any reason why not. Experiment and let me know what works for you. + +Done some of that. First, the most significant change came from changing +relief from raised to sunken. I don't know why, but it just looks better +(for me anyway). But even with that, cur and unseen are still just a +bit too similar. I ended up using + +*sequence_cur: -background {PaleGoldenrod} -relief sunken -borderwidth 2 + +The unnecessary braces are just because some of the colours I was using +had spaces in their names. PaleGoldenrod translates as #eee8aa which +is probably safer for generic use. + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1244.00a547243dc2054b271e9a8e1ca6f577 b/machine-learning-ex6/ex6/easy_ham/1244.00a547243dc2054b271e9a8e1ca6f577 new file mode 100644 index 0000000..dadd418 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1244.00a547243dc2054b271e9a8e1ca6f577 @@ -0,0 +1,152 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 16:37:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 50AF343F9B + for ; Thu, 22 Aug 2002 11:37:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:37:35 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MFZLZ12577 for + ; Thu, 22 Aug 2002 16:35:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 51F5140D92; Thu, 22 Aug 2002 + 11:35:26 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 6EED940E00 + for ; Thu, 22 Aug 2002 11:26:01 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MFPwB25414 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 11:25:58 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MFPwY25410 for + ; Thu, 22 Aug 2002 11:25:58 -0400 +Received: from austin-jump.vircio.com + (IDENT:+BhY7EqRf5fwVT64o4aVh7UUHF1egIL+@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MFBTl04916 + for ; Thu, 22 Aug 2002 11:11:29 -0400 +Received: (qmail 4141 invoked by uid 104); 22 Aug 2002 15:25:57 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.327895 + secs); 22/08/2002 10:25:57 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 15:25:56 -0000 +Received: (qmail 13189 invoked from network); 22 Aug 2002 15:25:53 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?AL1b20iTMIHwZbG9ZCdQYQG3nsIe5jbe?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 15:25:53 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Robert Elz , exmh-workers@example.com +Subject: Re: New Sequences Window +In-Reply-To: <1029944441.398.TMDA@deepeddy.vircio.com> +References: <1029882468.3116.TMDA@deepeddy.vircio.com> + <9627.1029933001@munnari.OZ.AU> + <1029943066.26919.TMDA@deepeddy.vircio.com> + <1029944441.398.TMDA@deepeddy.vircio.com> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-1317289252P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030029953.13171.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 10:25:52 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-1317289252P +Content-Type: text/plain; charset=us-ascii + +> From: Chris Garrigues +> Date: Wed, 21 Aug 2002 10:40:39 -0500 +> +> > From: Chris Garrigues +> > Date: Wed, 21 Aug 2002 10:17:45 -0500 +> > +> > Ouch...I'll get right on it. +> > +> > > From: Robert Elz +> > > Date: Wed, 21 Aug 2002 19:30:01 +0700 +> > > +> > > Any chance of having that lengthen instead? I like all my exmh stuff +> > > in nice columns (fits the display better). That is, I use the detache +> d +> > > folder list, one column. The main exmh window takes up full screen, +> > > top to bottom, but less than half the width, etc... +> +> I thought about that. The first order approximation would be to just add +> using pack .... -side top instead of pack ... -side left, however, since their +> each a different width, it would look funny. + +I've done this. It's not as pretty as I think it should be, but it works. +I'm going to leave the cosmetic issues to others. When I update the +documentation, I'll add this to the exmh.TODO file. + +I'm leaving for a 2 1/2 week vacation in a week, so this is the last new +functionality I'm going to add for a while. Also, I now have pretty much +everything in there that I want for my own use, so I'm probably pretty much +done. I'll work on bug fixes and documentation before my vacation, and +hopefully do nothing more afterwards. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-1317289252P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZQJ/K9b4h5R0IUIRAiPuAJwL4mUus5whLNQZC8MsDlGpEdKNrACcDfZH +PcGgN9frLIM+C5Z3vagi2wE= +=qJoJ +-----END PGP SIGNATURE----- + +--==_Exmh_-1317289252P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1245.2e33632f51f5c7cb7a0620decd151eab b/machine-learning-ex6/ex6/easy_ham/1245.2e33632f51f5c7cb7a0620decd151eab new file mode 100644 index 0000000..6687696 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1245.2e33632f51f5c7cb7a0620decd151eab @@ -0,0 +1,166 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 18:17:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3936F43F9B + for ; Thu, 22 Aug 2002 13:17:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 18:17:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHCFZ16258 for + ; Thu, 22 Aug 2002 18:12:15 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 98CA240F20; Thu, 22 Aug 2002 + 13:08:54 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 163BD3F5C4 + for ; Thu, 22 Aug 2002 12:55:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MGtHh14426 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 12:55:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MGtGY14422 for + ; Thu, 22 Aug 2002 12:55:16 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7MGekl27238 for ; Thu, 22 Aug 2002 12:40:46 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 1F95B3F24; + Thu, 22 Aug 2002 18:55:08 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id F3AA03F23; Thu, 22 Aug 2002 + 18:55:08 +0200 (CEST) +X-Mailer: exmh version 2.5_20020822 01/15/2001 with nmh-1.0.4 +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: Message from Chris Garrigues + of + "Thu, 22 Aug 2002 09:59:35 CDT." + <1030028377.4901.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020822165508.1F95B3F24@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 18:55:03 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_RELAYS_ORDB_ORG,SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + + + +> > > > Just cvs up'ed and nowadays Catch-up Unseen is __extremely__ slow on +> > > > large (>100 msgs) unseen sequences. Anybody else having this problem? +> > > +> > > I'll take the blame. +> > > +> > > The reason, I suspect, is that we're needlessly reading the .sequences file +> > > multiple times because of other sequences. I need to make the code much +> > > smarter about handling that file, but first I have a few other fish to fry in +> > > my rather large patch that's on it's way. +> > > +> > +> > No panic, +> > +> > I'm all for cleaning things up before getting it optimized. +> +> Okay, this fix is now checked in. +> +I'm afraid it didn't help. It still seems to be slower than ~1 month +ago. Maybe slightly faster than yeasterday. I'm (still) seeing an +"unseen countdown" in the log. + +18:51:25 Writing /home/ander/Mail/lists/l-k/.mh_sequences +18:51:25 lists/l-k has 57 msgs in unseen +18:51:25 lists/l-k has 56 msgs in unseen +18:51:25 lists/l-k has 55 msgs in unseen +18:51:26 lists/l-k has 54 msgs in unseen +18:51:26 lists/l-k has 53 msgs in unseen +18:51:26 lists/l-k has 52 msgs in unseen +18:51:26 lists/l-k has 51 msgs in unseen +18:51:26 lists/l-k has 50 msgs in unseen +18:51:26 lists/l-k has 49 msgs in unseen +18:51:26 lists/l-k has 48 msgs in unseen +18:51:26 lists/l-k has 47 msgs in unseen +18:51:26 lists/l-k has 46 msgs in unseen +18:51:26 lists/l-k has 45 msgs in unseen +18:51:27 lists/l-k has 44 msgs in unseen +18:51:27 lists/l-k has 43 msgs in unseen +18:51:27 lists/l-k has 42 msgs in unseen +18:51:27 lists/l-k has 41 msgs in unseen +18:51:27 lists/l-k has 40 msgs in unseen +18:51:27 lists/l-k has 39 msgs in unseen +18:51:27 lists/l-k has 38 msgs in unseen +18:51:27 lists/l-k has 37 msgs in unseen +18:51:27 lists/l-k has 36 msgs in unseen +18:51:28 lists/l-k has 35 msgs in unseen +18:51:28 lists/l-k has 34 msgs in unseen +18:51:28 lists/l-k has 33 msgs in unseen +18:51:28 lists/l-k has 32 msgs in unseen +18:51:28 lists/l-k has 31 msgs in unseen +18:51:28 lists/l-k has 30 msgs in unseen +18:51:28 lists/l-k has 29 msgs in unseen +18:51:28 lists/l-k has 28 msgs in unseen +18:51:28 lists/l-k has 27 msgs in unseen +18:51:28 lists/l-k has 26 msgs in unseen +18:51:29 lists/l-k has 25 msgs in unseen +18:51:29 lists/l-k has 24 msgs in unseen +18:51:29 lists/l-k has 23 msgs in unseen +18:51:29 lists/l-k has 22 msgs in unseen +18:51:29 lists/l-k has 21 msgs in unseen +18:51:29 lists/l-k has 20 msgs in unseen +18:51:29 lists/l-k has 19 msgs in unseen +18:51:29 lists/l-k has 18 msgs in unseen +18:51:29 lists/l-k has 17 msgs in unseen +18:51:29 lists/l-k has 16 msgs in unseen +18:51:30 lists/l-k has 15 msgs in unseen +18:51:30 lists/l-k has 14 msgs in unseen +18:51:30 lists/l-k has 13 msgs in unseen +18:51:30 lists/l-k has 12 msgs in unseen +18:51:30 lists/l-k has 11 msgs in unseen +18:51:30 lists/l-k has 10 msgs in unseen +18:51:30 lists/l-k has 9 msgs in unseen +18:51:30 digits changed +18:51:30 lists/l-k has 8 msgs in unseen +18:51:30 lists/l-k has 7 msgs in unseen +18:51:31 lists/l-k has 6 msgs in unseen +18:51:31 lists/l-k has 5 msgs in unseen +18:51:31 lists/l-k has 4 msgs in unseen +18:51:31 lists/l-k has 3 msgs in unseen +18:51:31 lists/l-k has 2 msgs in unseen +18:51:31 lists/l-k has 1 msgs in unseen +18:51:31 lists/l-k has 0 msgs in unseen +18:51:31 FlistUnseenFolder lists/l-k +18:51:31 ok +18:51:47 Folder_Change lists/exmh {Msg_Show cur} + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1246.30234e4c9aedace42e5472e1a21aaf64 b/machine-learning-ex6/ex6/easy_ham/1246.30234e4c9aedace42e5472e1a21aaf64 new file mode 100644 index 0000000..f8b5e9e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1246.30234e4c9aedace42e5472e1a21aaf64 @@ -0,0 +1,154 @@ +From exmh-workers-admin@redhat.com Thu Aug 22 18:29:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8298743F99 + for ; Thu, 22 Aug 2002 13:29:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 18:29:37 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MHUEZ17557 for + ; Thu, 22 Aug 2002 18:30:15 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id AFD5D410A6; Thu, 22 Aug 2002 + 13:26:17 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4169841049 + for ; Thu, 22 Aug 2002 13:23:47 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MHNi820140 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 13:23:44 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MHNiY20136 for + ; Thu, 22 Aug 2002 13:23:44 -0400 +Received: from austin-jump.vircio.com + (IDENT:ej9JWTtTU9YAy/XEt1t3VaLooI8VpxCp@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MH9El32554 + for ; Thu, 22 Aug 2002 13:09:14 -0400 +Received: (qmail 11353 invoked by uid 104); 22 Aug 2002 17:23:43 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.329069 + secs); 22/08/2002 12:23:43 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 17:23:42 -0000 +Received: (qmail 7953 invoked from network); 22 Aug 2002 17:23:40 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?OWIvth7P1uuNLmEWhfKb2tBl1I4NTfB9?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 17:23:40 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822165508.1F95B3F24@milou.dyndns.org> +References: <20020822165508.1F95B3F24@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_-518574644P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030037019.7938.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 12:23:38 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_-518574644P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 18:55:03 +0200 +> +> +> +> +> > > > > Just cvs up'ed and nowadays Catch-up Unseen is __extremely__ slow o +> n +> > > > > large (>100 msgs) unseen sequences. Anybody else having this proble +> m? +> > > > +> > > > I'll take the blame. +> > > > +> > > > The reason, I suspect, is that we're needlessly reading the .sequence +> s file +> > > > multiple times because of other sequences. I need to make the code m +> uch +> > > > smarter about handling that file, but first I have a few other fish t +> o fry in +> > > > my rather large patch that's on it's way. +> > > > +> > > +> > > No panic, +> > > +> > > I'm all for cleaning things up before getting it optimized. +> > +> > Okay, this fix is now checked in. +> > +> I'm afraid it didn't help. It still seems to be slower than ~1 month +> ago. Maybe slightly faster than yeasterday. I'm (still) seeing an +> "unseen countdown" in the log. + +Okay....Catchup unseen is something that I don't use often, but i can +certainly reproduce this. I'll dig into it. It's probably simple. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_-518574644P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZR4aK9b4h5R0IUIRAub4AKCE9sxZQfiRl18xhrtT2WLrEqEucACeJGm0 +YdhaA8YocKvlkyW4sTIZ3lU= +=XhOQ +-----END PGP SIGNATURE----- + +--==_Exmh_-518574644P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1247.b5d92ac3d2ae89f0edc14514ca366207 b/machine-learning-ex6/ex6/easy_ham/1247.b5d92ac3d2ae89f0edc14514ca366207 new file mode 100644 index 0000000..3155bb4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1247.b5d92ac3d2ae89f0edc14514ca366207 @@ -0,0 +1,119 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:04:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7F45444159 + for ; Fri, 23 Aug 2002 06:03:34 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:34 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIZPZ19882 for + ; Thu, 22 Aug 2002 19:35:25 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 571363F43A; Thu, 22 Aug 2002 + 14:35:10 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A6F683FD36 + for ; Thu, 22 Aug 2002 14:23:32 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MINTq05527 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 14:23:29 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MINTY05519 for + ; Thu, 22 Aug 2002 14:23:29 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7MI8xl17687 for ; Thu, 22 Aug 2002 14:08:59 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 64D053F25; + Thu, 22 Aug 2002 20:23:22 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 634573F23; Thu, 22 Aug 2002 + 20:23:22 +0200 (CEST) +To: Chris Garrigues , + exmh-workers@redhat.com +Subject: Re: CVS report +From: Anders Eriksson +In-Reply-To: Your message of + "Thu, 22 Aug 2002 12:49:41 CDT." + <1030038582.14329.TMDA@deepeddy.vircio.com> +Message-Id: <20020822182322.64D053F25@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 20:23:17 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,RCVD_IN_RELAYS_ORDB_ORG, + SPAM_PHRASE_00_01,X_LOOP + version=2.40-cvs +X-Spam-Level: + + +Oooops! + +Doesn't work at all. Got this on startup and on any attempt to change folder (which fail) + +/Anders + +can't read "flist(seqcount,lists/exmh,unseen)": no such element in array + (reading value of variable to increment) + invoked from within +"incr flist(seqcount,$folder,$seq) $delta" + (procedure "Seq_Del" line 16) + invoked from within +"Seq_Del $exmh(folder) $mhProfile(unseen-sequence) $msgid" + (procedure "MsgSeen" line 7) + invoked from within +"MsgSeen $msgid" + (procedure "MsgShow" line 12) + invoked from within +"MsgShow $msgid" + (procedure "MsgChange" line 17) + invoked from within +"MsgChange 73 show" + invoked from within +"time [list MsgChange $msgid $show" + (procedure "Msg_Change" line 3) + invoked from within +"Msg_Change $msg(id) $show" + (procedure "Msg_Show" line 7) + invoked from within +"Msg_Show cur" + ("eval" body line 1) + invoked from within +"eval $msgShowProc" + (procedure "FolderChange" line 55) + invoked from within +"FolderChange lists/exmh {Msg_Show cur}" + invoked from within +"time [list FolderChange $folder $msgShowProc" + (procedure "Folder_Change" line 3) + invoked from within +"Folder_Change $exmh(folder)" + (procedure "Exmh" line 101) + invoked from within +"Exmh" + ("after" script) + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1248.8ce46227810a3ac37f9fc83a21242daf b/machine-learning-ex6/ex6/easy_ham/1248.8ce46227810a3ac37f9fc83a21242daf new file mode 100644 index 0000000..67fdfa3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1248.8ce46227810a3ac37f9fc83a21242daf @@ -0,0 +1,110 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 284A84415A + for ; Fri, 23 Aug 2002 06:03:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:36 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIpgZ20384 for + ; Thu, 22 Aug 2002 19:51:46 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 1515D3ED34; Thu, 22 Aug 2002 + 14:51:45 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DE5573FA56 + for ; Thu, 22 Aug 2002 14:43:11 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MIh9W11686 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 14:43:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MIh8Y11682 for + ; Thu, 22 Aug 2002 14:43:08 -0400 +Received: from tater ([128.221.30.58]) by mx1.example.com (8.11.6/8.11.6) + with SMTP id g7MIScl23509 for ; Thu, 22 Aug 2002 + 14:28:39 -0400 +Received: from tater.emc.com (tater.lanminds.com [127.0.0.1]) by tater + (Postfix) with ESMTP id 2E5BCF5B3 for ; + Thu, 22 Aug 2002 14:43:03 -0400 (EDT) +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Message from Ulises Ponce of + "Thu, 22 Aug 2002 13:03:57 CDT." + <200208221803.g7MI3vV17471@mail.banirh.com> +References: <200208221803.g7MI3vV17471@mail.banirh.com> +From: Paul Lussier +Message-Id: <20020822184303.2E5BCF5B3@tater> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 14:43:03 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_05_08, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +In a message dated: Thu, 22 Aug 2002 13:03:57 CDT +Ulises Ponce said: + +>Thanks Tony, but I think doing it using component files will get a .signature +>by default, but I have many diferent signatures and I want to insert one of +>that signatures using a keyboard command. So for a message I will insert a +>signature, but for another message I will insert a different signature. +> +>Is it possible? I am using sedit for my messages. + +Ahm, if you don't object to using a mouse for such things, exmh has +the ability to insert different sigs on demand. Create a bunch of +different sig files, all beginning with .signature, and at start up, +exmh will load them all. In the Sedit window, you'll see a Sign... +menu item which will allow you to select between each of the listed +.signature files for *that* e-mail. You can actually use several if +you'd like (though I don't remember what Preferences... option allows +for this). + +However, the signature gets added on send, not inserted directly into +the existing Sedit window prior to composition. + +I currently have 6 different sig files I can choose between. + +Additionally, if a .signature file has the execute bit turned on, +exmh will attempt to execute the file and use the stdout of the +script as your signature. + +I hope this helps some. +-- + +Seeya, +Paul +-- + It may look like I'm just sitting here doing nothing, + but I'm really actively waiting for all my problems to go away. + + If you're not having fun, you're not doing it right! + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1249.0ce204b14c6f28907f57045f57ecdfbe b/machine-learning-ex6/ex6/easy_ham/1249.0ce204b14c6f28907f57045f57ecdfbe new file mode 100644 index 0000000..fc3684b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1249.0ce204b14c6f28907f57045f57ecdfbe @@ -0,0 +1,132 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 61F8D4415C + for ; Fri, 23 Aug 2002 06:03:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:39 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MIvjZ20597 for + ; Thu, 22 Aug 2002 19:57:45 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 6320F3F680; Thu, 22 Aug 2002 + 14:57:02 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 1D0903ECFA + for ; Thu, 22 Aug 2002 14:54:12 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MIs9h15215 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 14:54:09 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MIs6Y15205 for + ; Thu, 22 Aug 2002 14:54:08 -0400 +Received: from mail.banirh.com + (adsl-javier-quezada-55499267.prodigy.net.mx [200.67.254.229]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MIdZl26775 for + ; Thu, 22 Aug 2002 14:39:36 -0400 +Received: from mail.banirh.com (IDENT:ulises@localhost [127.0.0.1]) by + mail.banirh.com (8.10.2/8.9.3) with ESMTP id g7MIrtV21872 for + ; Thu, 22 Aug 2002 13:53:55 -0500 +Message-Id: <200208221853.g7MIrtV21872@mail.banirh.com> +X-Mailer: exmh version 2.3.1 01/15/2001 with nmh-1.0.3 +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Your message of + "Thu, 22 Aug 2002 14:43:03 EDT." + <20020822184303.2E5BCF5B3@tater> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Ulises Ponce +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 13:53:55 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,SPAM_PHRASE_05_08,X_LOOP + version=2.40-cvs +X-Spam-Level: + +Thanks Paul, +That is the way I am doing right now, but I would like to NOT use the mouse +for such things. Any other clue? + +-- + +Saludos, +Ulises + + Speaking words of wisdom ... + + +> In a message dated: Thu, 22 Aug 2002 13:03:57 CDT +> Ulises Ponce said: +> +> >Thanks Tony, but I think doing it using component files will get a .signature +> >by default, but I have many diferent signatures and I want to insert one of +> >that signatures using a keyboard command. So for a message I will insert a +> >signature, but for another message I will insert a different signature. +> > +> >Is it possible? I am using sedit for my messages. +> +> Ahm, if you don't object to using a mouse for such things, exmh has +> the ability to insert different sigs on demand. Create a bunch of +> different sig files, all beginning with .signature, and at start up, +> exmh will load them all. In the Sedit window, you'll see a Sign... +> menu item which will allow you to select between each of the listed +> .signature files for *that* e-mail. You can actually use several if +> you'd like (though I don't remember what Preferences... option allows +> for this). +> +> However, the signature gets added on send, not inserted directly into +> the existing Sedit window prior to composition. +> +> I currently have 6 different sig files I can choose between. +> +> Additionally, if a .signature file has the execute bit turned on, +> exmh will attempt to execute the file and use the stdout of the +> script as your signature. +> +> I hope this helps some. +> -- +> +> Seeya, +> Paul +> -- +> It may look like I'm just sitting here doing nothing, +> but I'm really actively waiting for all my problems to go away. +> +> If you're not having fun, you're not doing it right! +> +> +> +> +> _______________________________________________ +> Exmh-users mailing list +> Exmh-users@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-users + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1250.d091586ae91eafbabb9c3dbc556697e6 b/machine-learning-ex6/ex6/easy_ham/1250.d091586ae91eafbabb9c3dbc556697e6 new file mode 100644 index 0000000..8f7949b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1250.d091586ae91eafbabb9c3dbc556697e6 @@ -0,0 +1,120 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:07:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0B32F43F9B + for ; Fri, 23 Aug 2002 06:05:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:05:02 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N41MZ09475 for + ; Fri, 23 Aug 2002 05:01:22 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 490A93ED5C; Fri, 23 Aug 2002 + 00:01:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3A4823FEBE + for ; Thu, 22 Aug 2002 23:27:26 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N3RN705039 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 23:27:23 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N3RNY05035 for + ; Thu, 22 Aug 2002 23:27:23 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N3Cel13970 for ; + Thu, 22 Aug 2002 23:12:41 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N3QPl20072 for + ; Fri, 23 Aug 2002 10:26:29 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7MJ5JW16325 for ; + Fri, 23 Aug 2002 02:05:19 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Anolther sequence related traceback +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <16323.1030043119@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 02:05:19 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=DATE_IN_PAST_06_12,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +Just got this ... I was just reading mail, but in a very dark +room, where the keyboard is illuminated mostly by the light from +the (laptop) screen. I think I put my fingers on the wrong keys. +(I mostly use the keyboard exclusively while running exmh). + +This is from today's cvs (the fixes for the problems I mentioned +yesterday are included) - I eventually managed to contact the cvs +server. + +expected integer but got "" + while executing +"incr m" + (procedure "MhSeqExpand" line 12) + invoked from within +"MhSeqExpand $folder $msgids" + (procedure "MhSeq" line 2) + invoked from within +"MhSeq $folder $seq $how $oldmsgids $msgids" + (procedure "Mh_SequenceUpdate" line 54) + invoked from within +"Mh_SequenceUpdate $folder replace $seq $msgids" + (procedure "Seq_Set" line 4) + invoked from within +"Seq_Set $folder cur $msgid" + (procedure "Mh_SetCur" line 7) + invoked from within +"Mh_SetCur $exmh(folder) $msgid" + (procedure "MsgChange" line 5) + invoked from within +"MsgChange - noshow" + invoked from within +"time [list MsgChange $msgid $show" + (procedure "Msg_Change" line 3) + invoked from within +"Msg_Change $select(sel) noshow" + (procedure "SelectTypein" line 14) + invoked from within +"SelectTypein .mid.right.top.msg -" + (command bound to event) + +kre + +ps: I have the sequences window vertical instead of horizontal, and the +"colours from the ftoc" stuff all deleted, and it is looking just about as +good as the old unseen window used to look. I still have some work to +do to make it a little nicer (listboxes seem to have some strange habits) +and then I need to make it all optional and parameterized, at the minute +I'm just embedding stuff in the code, much quicker for prototyping. Once +its done, I'll send a patch for someone to look over. + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1251.6ea8eef15987f10def40abffda965da9 b/machine-learning-ex6/ex6/easy_ham/1251.6ea8eef15987f10def40abffda965da9 new file mode 100644 index 0000000..ab4ecca --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1251.6ea8eef15987f10def40abffda965da9 @@ -0,0 +1,93 @@ +From exmh-users-admin@redhat.com Fri Aug 23 11:04:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8E7C844163 + for ; Fri, 23 Aug 2002 06:03:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:46 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MJN3Z21405 for + ; Thu, 22 Aug 2002 20:23:04 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 7F8C63FBD0; Thu, 22 Aug 2002 + 15:23:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3ED163FCB3 + for ; Thu, 22 Aug 2002 15:13:19 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MJDGM20736 for exmh-users@listman.redhat.com; Thu, 22 Aug 2002 + 15:13:16 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MJDGY20732 for + ; Thu, 22 Aug 2002 15:13:16 -0400 +Received: from tater ([128.221.30.58]) by mx1.example.com (8.11.6/8.11.6) + with SMTP id g7MIwkl31939 for ; Thu, 22 Aug 2002 + 14:58:46 -0400 +Received: from tater.emc.com (tater.lanminds.com [127.0.0.1]) by tater + (Postfix) with ESMTP id 800DFF5B3 for ; + Thu, 22 Aug 2002 15:13:10 -0400 (EDT) +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: Insert signature +In-Reply-To: Message from Ulises Ponce of + "Thu, 22 Aug 2002 13:53:55 CDT." + <200208221853.g7MIrtV21872@mail.banirh.com> +References: <200208221853.g7MIrtV21872@mail.banirh.com> +From: Paul Lussier +Message-Id: <20020822191310.800DFF5B3@tater> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:13:10 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_05_08, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +In a message dated: Thu, 22 Aug 2002 13:53:55 CDT +Ulises Ponce said: + +>Thanks Paul, +>That is the way I am doing right now, but I would like to NOT use the mouse +>for such things. Any other clue? + +The best I can think of is to figure out what the command being +issued by exmh is that selects and inserts the sig and bind that to a +key sequence. That shouldn't be *too* difficult, it's just a matter +of figuring out the tcl (something my perl-based brain isn't excited +about :) +-- + +Seeya, +Paul +-- + It may look like I'm just sitting here doing nothing, + but I'm really actively waiting for all my problems to go away. + + If you're not having fun, you're not doing it right! + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1252.01338681a590fb6bd30ef412a98a2993 b/machine-learning-ex6/ex6/easy_ham/1252.01338681a590fb6bd30ef412a98a2993 new file mode 100644 index 0000000..52cc02b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1252.01338681a590fb6bd30ef412a98a2993 @@ -0,0 +1,134 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:04:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2E45844162 + for ; Fri, 23 Aug 2002 06:03:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:56 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MKYqZ23456 for + ; Thu, 22 Aug 2002 21:34:52 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id CAAE640F2B; Thu, 22 Aug 2002 + 16:31:34 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id DB93E40EF8 + for ; Thu, 22 Aug 2002 16:28:14 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MKSBK05009 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 16:28:11 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MKSBY05005 for + ; Thu, 22 Aug 2002 16:28:11 -0400 +Received: from austin-jump.vircio.com + (IDENT:82tsCXFmK++GyOiDHJbs18xfEBERjSkG@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MKDfl14249 + for ; Thu, 22 Aug 2002 16:13:41 -0400 +Received: (qmail 24109 invoked by uid 104); 22 Aug 2002 20:28:10 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.366145 + secs); 22/08/2002 15:28:10 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 20:28:10 -0000 +Received: (qmail 20300 invoked from network); 22 Aug 2002 20:28:07 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?KCbAAdDTk0hKfb6XCFGWgd9YDZ2s+oNu?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 20:28:07 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822182322.64D053F25@milou.dyndns.org> +References: <20020822182322.64D053F25@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_267413022P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030048087.20291.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 15:28:05 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_03_05, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_267413022P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 20:23:17 +0200 +> +> +> Oooops! +> +> Doesn't work at all. Got this on startup and on any attempt to change folde +> r (which fail) + +~sigh~ I'd already found that and checked it in....apparently I did so after +you checked it out and before you sent this mail...I hoped I was fast enough +that you wouldn't see it. + +Try again! + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_267413022P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZUlVK9b4h5R0IUIRAr4LAJ9Mhzgw03dF2qiyqtMks72364uaqwCeJxp1 +23jNAVlrHHIDRMvMPXnfzoE= +=HErg +-----END PGP SIGNATURE----- + +--==_Exmh_267413022P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1253.fb48d5c703a0ab8144c54d42db32c641 b/machine-learning-ex6/ex6/easy_ham/1253.fb48d5c703a0ab8144c54d42db32c641 new file mode 100644 index 0000000..204f773 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1253.fb48d5c703a0ab8144c54d42db32c641 @@ -0,0 +1,106 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A1E4C4416C + for ; Fri, 23 Aug 2002 06:04:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:17 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MLYdZ25762 for + ; Thu, 22 Aug 2002 22:34:39 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 10427411C1; Thu, 22 Aug 2002 + 17:29:31 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 96EAC4119D + for ; Thu, 22 Aug 2002 17:14:35 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MLEW815033 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 17:14:32 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MLEWY15028 for + ; Thu, 22 Aug 2002 17:14:32 -0400 +Received: from milou.dyndns.org (h189n1fls22o974.telia.com + [213.64.79.189]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g7ML01l23716 for ; Thu, 22 Aug 2002 17:00:01 + -0400 +Received: by milou.dyndns.org (Postfix, from userid 500) id 849EB3F27; + Thu, 22 Aug 2002 23:14:25 +0200 (CEST) +Received: from tippex.localdomain (localhost [127.0.0.1]) by + milou.dyndns.org (Postfix) with ESMTP id 46B3D3F26; Thu, 22 Aug 2002 + 23:14:25 +0200 (CEST) +X-Mailer: exmh version 2.5_20020822 01/15/2001 with nmh-1.0.4 +To: Chris Garrigues +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: Message from Chris Garrigues + of + "Thu, 22 Aug 2002 15:28:05 CDT." + <1030048087.20291.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Anders Eriksson +Message-Id: <20020822211425.849EB3F27@milou.dyndns.org> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 23:14:20 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,RCVD_IN_RELAYS_ORDB_ORG, + SPAM_PHRASE_03_05,X_LOOP + version=2.40-cvs +X-Spam-Level: + + +>>>>> On Thu, 22 Aug 2002, "Chris" == Chris Garrigues wrote: + + Chris> --==_Exmh_267413022P Content-Type: text/plain; + Chris> charset=us-ascii + + +> From: Anders Eriksson Date: Thu, 22 Aug + +> 2002 20:23:17 +0200 + + +> Oooops! + + +> Doesn't work at all. Got this on startup and on any attempt to + +> change folde r (which fail) + + Chris> ~sigh~ I'd already found that and checked it in....apparently + Chris> I did so after you checked it out and before you sent this + Chris> mail...I hoped I was fast enough that you wouldn't see it. + + Chris> Try again! + + +Works like a charm. It's like the box was on drugs or something. + +However, while testing it a selected my favourite folder (l-k) and +marked ~400 messages unread. THAT took forever, or about as long as +Catch-up Unseen did before. Any suggestions? + +/A + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1254.d6a2581736fbaa0dec1593effdfc9af4 b/machine-learning-ex6/ex6/easy_ham/1254.d6a2581736fbaa0dec1593effdfc9af4 new file mode 100644 index 0000000..4ff97eb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1254.d6a2581736fbaa0dec1593effdfc9af4 @@ -0,0 +1,152 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:06:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D496144159 + for ; Fri, 23 Aug 2002 06:04:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:19 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MLxBZ26598 for + ; Thu, 22 Aug 2002 22:59:11 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id BF8834124B; Thu, 22 Aug 2002 + 17:55:27 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 3B2293FDE8 + for ; Thu, 22 Aug 2002 17:54:20 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7MLsHq22079 for exmh-workers@listman.redhat.com; Thu, 22 Aug 2002 + 17:54:17 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7MLsHY22075 for + ; Thu, 22 Aug 2002 17:54:17 -0400 +Received: from austin-jump.vircio.com + (IDENT:HxqxW0qPlEYsJtPvTHY/QDVQoen0XAyb@jump-austin.vircio.com + [192.12.3.99]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g7MLdkl30037 + for ; Thu, 22 Aug 2002 17:39:46 -0400 +Received: (qmail 30389 invoked by uid 104); 22 Aug 2002 21:54:16 -0000 +Received: from cwg-exmh@DeepEddy.Com by localhost.localdomain with + qmail-scanner-0.90 (uvscan: v4.1.60/v4218. . Clean. Processed in 0.45655 + secs); 22/08/2002 16:54:15 +Received: from deepeddy.vircio.com (@[10.1.2.1]) (envelope-sender + ) by austin-jump.vircio.com (qmail-ldap-1.03) with + SMTP for ; 22 Aug 2002 21:54:15 -0000 +Received: (qmail 9069 invoked from network); 22 Aug 2002 21:54:12 -0000 +Received: from localhost (HELO deepeddy.vircio.com) + (?qa8Nj+W90BKiXmUEK2N6dnYAHT1le0P7?@[127.0.0.1]) (envelope-sender + ) by localhost (qmail-ldap-1.03) with SMTP for + ; 22 Aug 2002 21:54:12 -0000 +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: Anders Eriksson +Cc: exmh-workers@example.com +Subject: Re: CVS report +In-Reply-To: <20020822211425.849EB3F27@milou.dyndns.org> +References: <20020822211425.849EB3F27@milou.dyndns.org> +X-Url: http://www.DeepEddy.Com/~cwg +X-Image-Url: http://www.DeepEddy.Com/~cwg/chris.gif +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_592622610P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +Message-Id: <1030053252.9051.TMDA@deepeddy.vircio.com> +From: Chris Garrigues +X-Delivery-Agent: TMDA/0.57 +Reply-To: Chris Garrigues +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Thu, 22 Aug 2002 16:54:11 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05,X_LOOP + version=2.40-cvs +X-Spam-Level: + +--==_Exmh_592622610P +Content-Type: text/plain; charset=us-ascii + +> From: Anders Eriksson +> Date: Thu, 22 Aug 2002 23:14:20 +0200 +> +> +> >>>>> On Thu, 22 Aug 2002, "Chris" == Chris Garrigues wrote: +> +> Chris> --==_Exmh_267413022P Content-Type: text/plain; +> Chris> charset=us-ascii +> +> +> From: Anders Eriksson Date: Thu, 22 Aug +> +> 2002 20:23:17 +0200 +> +> +> Oooops! +> +> +> Doesn't work at all. Got this on startup and on any attempt to +> +> change folde r (which fail) +> +> Chris> ~sigh~ I'd already found that and checked it in....apparently +> Chris> I did so after you checked it out and before you sent this +> Chris> mail...I hoped I was fast enough that you wouldn't see it. +> +> Chris> Try again! +> +> +> Works like a charm. It's like the box was on drugs or something. +> +> However, while testing it a selected my favourite folder (l-k) and +> marked ~400 messages unread. THAT took forever, or about as long as +> Catch-up Unseen did before. Any suggestions? + +That's fixed now. I thought I'd caught all the occurrences of that particular +coding stupidity. + +Chris + +-- +Chris Garrigues http://www.DeepEddy.Com/~cwg/ +virCIO http://www.virCIO.Com +716 Congress, Suite 200 +Austin, TX 78701 +1 512 374 0500 + + World War III: The Wrong-Doers Vs. the Evil-Doers. + + + + +--==_Exmh_592622610P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.2_20000822 06/23/2000 + +iD8DBQE9ZV2CK9b4h5R0IUIRAnWSAJwLZJvK8S4LQRv57W3WIbG9U2P+ywCdExEL +kJaVNhuHKW9tp29wID5EjbU= +=HDIb +-----END PGP SIGNATURE----- + +--==_Exmh_592622610P-- + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1255.471b16ac442ca5fd6e94eecf29582676 b/machine-learning-ex6/ex6/easy_ham/1255.471b16ac442ca5fd6e94eecf29582676 new file mode 100644 index 0000000..b71953f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1255.471b16ac442ca5fd6e94eecf29582676 @@ -0,0 +1,85 @@ +From exmh-workers-admin@redhat.com Fri Aug 23 11:07:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4561444157 + for ; Fri, 23 Aug 2002 06:05:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:05:48 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7N6LtZ13075 for + ; Fri, 23 Aug 2002 07:21:59 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 61ECC3F134; Fri, 23 Aug 2002 + 02:22:02 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 57D393F134 + for ; Fri, 23 Aug 2002 02:21:07 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7N6L4B00352 for exmh-workers@listman.redhat.com; Fri, 23 Aug 2002 + 02:21:04 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7N6L4Y00348 for + ; Fri, 23 Aug 2002 02:21:04 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7N66Ml10260 for ; + Fri, 23 Aug 2002 02:06:27 -0400 +Received: from delta.cs.mu.OZ.AU (delta.coe.psu.ac.th [172.30.0.98]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7N6KIl10577 for + ; Fri, 23 Aug 2002 13:20:23 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7N6KBW21590 for ; + Fri, 23 Aug 2002 13:20:11 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Re: Anolther sequence related traceback +In-Reply-To: <16323.1030043119@munnari.OZ.AU> +References: <16323.1030043119@munnari.OZ.AU> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <21588.1030083611@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Fri, 23 Aug 2002 13:20:11 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_01_02, + X_LOOP + version=2.40-cvs +X-Spam-Level: + + Date: Fri, 23 Aug 2002 02:05:19 +0700 + From: Robert Elz + Message-ID: <16323.1030043119@munnari.OZ.AU> + +When I said ... + + | This is from today's cvs + +that will translate as "yesterday's" now of course (before the most +recent set of changes (catchup speedups, and so on)). + +kre + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1256.53bfb1e9b31d6cf24a29203610bc28b2 b/machine-learning-ex6/ex6/easy_ham/1256.53bfb1e9b31d6cf24a29203610bc28b2 new file mode 100644 index 0000000..17e23c4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1256.53bfb1e9b31d6cf24a29203610bc28b2 @@ -0,0 +1,95 @@ +From exmh-users-admin@redhat.com Mon Sep 2 13:15:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B215E44156 + for ; Mon, 2 Sep 2002 07:37:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:37:46 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8165qZ14820 for + ; Sun, 1 Sep 2002 07:05:53 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id C50953EECD; Sun, 1 Sep 2002 + 02:06:03 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id B7C953FDE4 + for ; Sun, 1 Sep 2002 02:05:14 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g8165BN05663 for exmh-users@listman.redhat.com; Sun, 1 Sep 2002 + 02:05:11 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g8165AY05653 for + ; Sun, 1 Sep 2002 02:05:10 -0400 +Received: from orion.dwf.com (bgp01360964bgs.sandia01.nm.comcast.net + [68.35.68.128]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g815nfl18016 for ; Sun, 1 Sep 2002 01:49:41 -0400 +Received: from orion.dwf.com (localhost.dwf.com [127.0.0.1]) by + orion.dwf.com (8.12.1/8.12.1) with ESMTP id g81653oj010953 for + ; Sun, 1 Sep 2002 00:05:03 -0600 +Received: from orion.dwf.com (reg@localhost) by orion.dwf.com + (8.12.1/8.12.1/Submit) with ESMTP id g81653XF010950 for + ; Sun, 1 Sep 2002 00:05:03 -0600 +Message-Id: <200209010605.g81653XF010950@orion.dwf.com> +X-Mailer: exmh version 2.5 07/25/2002 with nmh-1.0.4 +To: exmh-users@example.com +Subject: ARRRGHHH Had GPG working, now it doesnt. +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Reg Clemens +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 00:05:03 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_01_02,X_LOOP + version=2.40-cvs +X-Spam-Level: + +HELP. +I had GPG working. +I updated from version gnupg-1.0.6 to gnupg-1.0.7. +This moved gpg from /usr/bin to /usr/local/bin and I changed the path +in the exmh 'executable'. + +With that fix, EXMH knows I have GPG, and puts the line + + Check the signature with GnuPG + +in messages with GnuPG signatures. But punching the line ALWAYS +gives + + Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDDF997A + Can't check signature: public key not found + +So, something else is missing. +Can somebody tell me what it is,- Ive tried grepping on everything +that I can think of with no luck at all. +-- + Reg.Clemens + reg@dwf.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1257.955825e253f61831ee071109a66f0fe9 b/machine-learning-ex6/ex6/easy_ham/1257.955825e253f61831ee071109a66f0fe9 new file mode 100644 index 0000000..03268ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1257.955825e253f61831ee071109a66f0fe9 @@ -0,0 +1,130 @@ +From exmh-users-admin@redhat.com Mon Sep 2 23:40:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8AA2316F34 + for ; Mon, 2 Sep 2002 23:40:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:40:41 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82HN1Z11538 for + ; Mon, 2 Sep 2002 18:23:02 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 99F623F901; Mon, 2 Sep 2002 + 13:23:08 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A3E4140346 + for ; Mon, 2 Sep 2002 13:18:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g82HIkb11294 for exmh-users@listman.redhat.com; Mon, 2 Sep 2002 + 13:18:46 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g82HIkY11290 for + ; Mon, 2 Sep 2002 13:18:46 -0400 +Received: from blackcomb.panasas.com (gw2.panasas.com [65.194.124.178]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g82H3Bl27025 for + ; Mon, 2 Sep 2002 13:03:11 -0400 +Received: from medlicott.panasas.com (IDENT:welch@medlicott.panasas.com + [172.17.132.188]) by blackcomb.panasas.com (8.9.3/8.9.3) with ESMTP id + NAA12734; Mon, 2 Sep 2002 13:18:39 -0400 +Message-Id: <200209021718.NAA12734@blackcomb.panasas.com> +To: exmh-users@example.com +Cc: Ingo Frommholz , reg@orion.dwf.com +Subject: Re: ARRRGHHH Had GPG working, now it doesnt. +In-Reply-To: <200209011956.g81Ju6TE002619@orion.dwf.com> +References: <200209011956.g81Ju6TE002619@orion.dwf.com> +Comments: In-reply-to Reg Clemens message dated "Sun, 01 Sep + 2002 13:56:06 -0600." +From: Brent Welch +X-Url: http://www.panasas.com/ +X-Face: "HxE|?EnC9fVMV8f70H83&{fgLE.|FZ^$>@Q(yb#N,Eh~N]e&]=>r5~UnRml1:4EglY{9B+ + :'wJq$@c_C!l8@<$t,{YUr4K,QJGHSvS~U]H`<+L*x?eGzSk>XH\W:AK\j?@?c1o +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Mon, 02 Sep 2002 10:18:39 -0700 +X-Spam-Status: No, hits=-8.4 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_05_08,X_LOOP + version=2.41-cvs +X-Spam-Level: + +If you haven't already, you should enable the debug log under +Hacking Support preferences and look for clues there. + +>>>Reg Clemens said: + > > Hi, + > > + > > On Sun, 01 Sep 2002 00:05:03 MDT Reg Clemens wrote: + > > + > > [...] + > > > in messages with GnuPG signatures. But punching the line ALWAYS + > > > gives + > > > + > > > Signature made Thu Aug 29 00:27:17 2002 MDT using DSA key ID BDD + F997A + > > > Can't check signature: public key not found + > > > + > > > So, something else is missing. + > > + > > Yes, the public key of the signature you want to check :-). + > > + > > Are you really sure that you have the public key of the message's + > > signature? If not, try downloading it or try to check a signature from + > > which you know you have the public key. + > > + > > + > > + > + > Ah, sorry for not making that clearer. + > But no. + > Previously (v1.0.6 of GnuPG) there would be a slight pause at this point whi + le + > it went out to get the public key from a keyserver. + > Now, whether I have the key or NOT, I get the failure message. + > + > Its as if it cant find gpg to execute it (but I fixed that path), so there + > must be something else that I am missing... + > + > + > -- + > Reg.Clemens + > reg@dwf.com + > + > + > + > + > _______________________________________________ + > Exmh-users mailing list + > Exmh-users@redhat.com + > https://listman.redhat.com/mailman/listinfo/exmh-users + +-- +Brent Welch +Software Architect, Panasas Inc +Pioneering the World's Most Scalable and Agile Storage Network +www.panasas.com +welch@panasas.com + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1258.2cc28fb57d46ea73e9b1842f2c427e21 b/machine-learning-ex6/ex6/easy_ham/1258.2cc28fb57d46ea73e9b1842f2c427e21 new file mode 100644 index 0000000..1ae4a32 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1258.2cc28fb57d46ea73e9b1842f2c427e21 @@ -0,0 +1,118 @@ +From exmh-workers-admin@redhat.com Wed Aug 28 11:51:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5244143F99 + for ; Wed, 28 Aug 2002 06:51:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 11:51:59 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SAjqZ20559 for + ; Wed, 28 Aug 2002 11:45:55 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 96FA13EC3A; Wed, 28 Aug 2002 + 06:46:01 -0400 (EDT) +Delivered-To: exmh-workers@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 9E13B3EC3A + for ; Wed, 28 Aug 2002 06:45:18 -0400 + (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g7SAjFW14386 for exmh-workers@listman.redhat.com; Wed, 28 Aug 2002 + 06:45:15 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g7SAjFY14382 for + ; Wed, 28 Aug 2002 06:45:15 -0400 +Received: from ratree.psu.ac.th ([202.28.97.6]) by mx1.example.com + (8.11.6/8.11.6) with SMTP id g7SAU7l27968 for ; + Wed, 28 Aug 2002 06:30:08 -0400 +Received: from delta.cs.mu.OZ.AU (dhcp253.cc.psu.ac.th [192.168.2.253]) by + ratree.psu.ac.th (8.11.6/8.11.6) with ESMTP id g7SAikU28134 for + ; Wed, 28 Aug 2002 17:44:46 +0700 (ICT) +Received: from munnari.OZ.AU (localhost [127.0.0.1]) by delta.cs.mu.OZ.AU + (8.11.6/8.11.6) with ESMTP id g7SAiSW20156 for ; + Wed, 28 Aug 2002 17:44:28 +0700 (ICT) +From: Robert Elz +To: exmh-workers@example.com +Subject: Patch to enable/disable log +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <20154.1030531468@munnari.OZ.AU> +X-Loop: exmh-workers@example.com +Sender: exmh-workers-admin@example.com +Errors-To: exmh-workers-admin@example.com +X-Beenthere: exmh-workers@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH developers +List-Unsubscribe: , + +List-Archive: +Date: Wed, 28 Aug 2002 17:44:28 +0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01, + X_LOOP + version=2.40-cvs +X-Spam-Level: + +While I was playing with the past issues, it annoyed me that there was +no easy way to make the log stop growing (I don't mean to truncate it, +I mean to just freeze it for a while). + +The following patch adds a new button to the log window, which allows +the log to be switched on/off (the button says "Disable" when the +log is enabled, and the button disables it, and "Enable" when the log +is frozen, and the button enables it again). + +kre + +--- main.tcl Wed Aug 21 15:01:48 2002 ++++ /usr/local/lib/exmh-2.5/main.tcl Wed Aug 28 17:36:59 2002 +@@ -385,6 +385,9 @@ + ExmhLogCreate + wm withdraw $exmh(logTop) + } ++ if {! $exmh(logWrite)} { ++ return ++ } + if [info exists exmh(log)] { + catch { + # $exmh(log) insert end " [bw_delta] " +@@ -407,6 +410,9 @@ + set exmh(logWindow) 1 + Exwin_Toplevel .log "Exmh Log" Log + set exmh(logTop) .log ++ set exmh(logDisableBut) \ ++ [Widget_AddBut $exmh(logTop).but swap "Disable" ExmhLogToggle] ++ set exmh(logWrite) 1 + Widget_AddBut $exmh(logTop).but trunc "Truncate" ExmhLogTrunc + Widget_AddBut $exmh(logTop).but save "Save To File" ExmhLogSave + set exmh(logYview) 1 +@@ -457,6 +463,12 @@ + } msg] { + Exmh_Status "Cannot save log: $msg" error + } ++} ++proc ExmhLogToggle {} { ++ global exmh ++ ++ set exmh(logWrite) [expr ! $exmh(logWrite)] ++ $exmh(logDisableBut) configure -text [lindex {"Enable " Disable} $exmh(logWrite)] + } + #### Misc + + + + + +_______________________________________________ +Exmh-workers mailing list +Exmh-workers@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-workers + diff --git a/machine-learning-ex6/ex6/easy_ham/1259.d92f1723cffd8ab2d3987feec1904dfe b/machine-learning-ex6/ex6/easy_ham/1259.d92f1723cffd8ab2d3987feec1904dfe new file mode 100644 index 0000000..988548a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1259.d92f1723cffd8ab2d3987feec1904dfe @@ -0,0 +1,90 @@ +From exmh-users-admin@redhat.com Tue Oct 8 17:01:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CCCF016F20 + for ; Tue, 8 Oct 2002 17:01:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 17:01:16 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98Fp9K22849 for + ; Tue, 8 Oct 2002 16:51:10 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id DD6ED412F4; Tue, 8 Oct 2002 + 11:50:29 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 19FCA41723 + for ; Tue, 8 Oct 2002 11:21:21 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g98FLKI25296 for exmh-users@listman.redhat.com; Tue, 8 Oct 2002 + 11:21:20 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g98FLKf25292 for + ; Tue, 8 Oct 2002 11:21:20 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g98F1iX22876 for ; Tue, 8 Oct 2002 11:01:44 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 681A437EBF; + Tue, 8 Oct 2002 10:21:18 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 5A6EF37EBE; Tue, 8 Oct 2002 10:21:18 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +In-Reply-To: <1034086124.18970.TMDA@deepeddy.vircio.com> +References: <20021008062513.19261.qmail@dag.newtech.fi> + <1034086124.18970.TMDA@deepeddy.vircio.com> +Comments: In-reply-to Chris Garrigues message + dated "Tue, 08 Oct 2002 09:08:43 -0500." +To: exmh-users@example.com, dag@newtech.fi +Subject: Re: Ringing bell on other computer +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <17313.1034090473@dimebox.bmc.com> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 10:21:13 -0500 +X-Spam-Status: No, hits=-22.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_20_30,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +BTW: I remember messing about with such things long ago. One +problem I ran into was making sure that no attempt was made to +play a sound when either: + +a) the screen was locked + or +b) no exmh was running. + +Just something to think about, Dag. + + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1260.ed1791f5738995cd9420a9fc169be0d1 b/machine-learning-ex6/ex6/easy_ham/1260.ed1791f5738995cd9420a9fc169be0d1 new file mode 100644 index 0000000..4668146 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1260.ed1791f5738995cd9420a9fc169be0d1 @@ -0,0 +1,113 @@ +From exmh-users-admin@redhat.com Wed Oct 9 10:48:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E707316F17 + for ; Wed, 9 Oct 2002 10:47:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 10:47:42 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98JDgK30498 for + ; Tue, 8 Oct 2002 20:13:42 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 09939419E9; Tue, 8 Oct 2002 + 15:13:57 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 5964E3F135 + for ; Tue, 8 Oct 2002 14:56:55 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g98Iutm24613 for exmh-users@listman.redhat.com; Tue, 8 Oct 2002 + 14:56:55 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g98Iusf24609 for + ; Tue, 8 Oct 2002 14:56:54 -0400 +Received: from dag.newtech.fi + (IDENT:qmailr@ip213-185-39-113.laajakaista.mtv3.fi [213.185.39.113]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g98IbGX22891 for + ; Tue, 8 Oct 2002 14:37:16 -0400 +Received: (qmail 19780 invoked by uid 200); 8 Oct 2002 18:56:52 -0000 +Message-Id: <20021008185652.19779.qmail@dag.newtech.fi> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-0.27 +To: Chris Garrigues +Cc: exmh-users@example.com, dag@newtech.fi, dag@newtech.fi +Subject: Re: Ringing bell on other computer +In-Reply-To: Message from Chris Garrigues + of + "Tue, 08 Oct 2002 09:08:43 CDT." + <1034086124.18970.TMDA@deepeddy.vircio.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: Dag Nygren +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Tue, 08 Oct 2002 21:56:52 +0300 +X-Spam-Status: No, hits=-3.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_99_100,T_QUOTE_TWICE_1,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +> > > +> > > Dag> but when procmail runs it it doesn't, presumably as it +> > > Dag> doesn't have the authorization to communicate with the +> > > Dag> laptop, beeing another user? +> > > +> > > I don't know anything about the KDE sound server but I'd guess +> > > your problem is the "environment" in which procmail runs. You +> > > don't say what procmail is running from. In my case, for +> > > example, procmail is run from fetchmail which is run by a cron +> > > job. +> > +> > Sorry about that, +> > procmail is run by the qmail delivery agent to presort all mail +> > I get. +> > But anyway, I found an error message in procmail.log, which solved +> > the problem. +> > The following line in my delivery script seems to work fine now: +> > +> > DISPLAY=:0.0 artsplay +> +> BTW, if you use exmhwrapper (found in the misc directory), you can generalize +> this to +> +> DISPLAY=`cat $HOME/.exmh/.display` artsplay + +Yes, but that probably means that you have to have exmh +running on the laptop to get the notification? +With exmh getting upset by two instances running at the +same time, this creates the problem that I cannot run to the +closest compter to check out the new mail. + +But thanks for the hint, I might use that for some other +hack ;-) + +BRGDS + +Dag + + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1261.edad140fb507fd35411ae458b009c39c b/machine-learning-ex6/ex6/easy_ham/1261.edad140fb507fd35411ae458b009c39c new file mode 100644 index 0000000..2359e83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1261.edad140fb507fd35411ae458b009c39c @@ -0,0 +1,95 @@ +From exmh-users-admin@redhat.com Wed Oct 9 18:31:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 94AC616F03 + for ; Wed, 9 Oct 2002 18:31:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:31:27 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99HMKK13731 for + ; Wed, 9 Oct 2002 18:22:20 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 1AE364148A; Wed, 9 Oct 2002 + 13:22:14 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4781E41B30 + for ; Wed, 9 Oct 2002 12:57:16 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99GvGJ09059 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 12:57:16 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99GvFf09055 for + ; Wed, 9 Oct 2002 12:57:15 -0400 +Received: from life.ai.mit.edu (life.ai.mit.edu [128.52.32.80]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99GbTX10490 for + ; Wed, 9 Oct 2002 12:37:29 -0400 +Received: from localhost (jrennie@tiikeri [128.52.37.76]) by + life.ai.mit.edu (8.12.2/8.12.2/BASENAME(ai.master.life-8.12.2.mc, + .mc):RCS_REVISION(evision: 1.23 ) with ESMTP id g99GvDmX025433; + Wed, 9 Oct 2002 12:57:14 -0400 (EDT) +Message-Id: <200210091657.g99GvDmX025433@life.ai.mit.edu> +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.2 +To: exmh-users@example.com +Cc: jrennie@ai.mit.edu +Subject: From +From: Jason Rennie +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 12:57:13 -0400 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +When I receive a message that has a line starting with "From ", it's +broken into two messages. I get my mail from /var/spool/mail. The +program that incorporates mail thinks that the "From " line starts a new +message. + +My sysadmins have told me that the sending mail client is supposed to +escape lines begining with "From ". EXMH (2.5) doesn't do this. Should +it? It appears that my MH is MH 6.8. Does NMH fix this? + +Jason D. M. Rennie +MIT AI Lab +jrennie@ai.mit.edu +(617) 253-5339 +http://www.ai.mit.edu/~jrennie/ + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1262.6826573e4fe12221d02721aa9817da24 b/machine-learning-ex6/ex6/easy_ham/1262.6826573e4fe12221d02721aa9817da24 new file mode 100644 index 0000000..8e45294 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1262.6826573e4fe12221d02721aa9817da24 @@ -0,0 +1,148 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:41:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6D59A16F1A + for ; Wed, 9 Oct 2002 22:40:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:01 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99IXOK16457 for + ; Wed, 9 Oct 2002 19:33:24 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id B98E741C72; Wed, 9 Oct 2002 + 14:32:34 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 4B7F742312 + for ; Wed, 9 Oct 2002 14:18:18 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99IIIe01687 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 14:18:18 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99IIHf01680 for + ; Wed, 9 Oct 2002 14:18:17 -0400 +Received: from sherman.stortek.com (sherman.stortek.com [129.80.22.146]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99HwUX03598 for + ; Wed, 9 Oct 2002 13:58:30 -0400 +Received: from sherman.stortek.com (localhost [127.0.0.1]) by + sherman.stortek.com (8.12.3/8.12.0) with ESMTP id g99II9OH006838 for + ; Wed, 9 Oct 2002 12:18:09 -0600 (MDT) +Received: from vinson-ether1.stortek.com (vinson-ether1.stortek.com + [129.80.16.134]) by sherman.stortek.com (8.12.3/8.12.0) with ESMTP id + g99II8s3006835 for ; Wed, 9 Oct 2002 12:18:08 -0600 + (MDT) +Received: from tatanka.stortek.com (tatanka.stortek.com [129.80.90.4]) by + vinson-ether1.stortek.com (8.12.3/8.12.0) with ESMTP id g99II8qv021686 for + ; Wed, 9 Oct 2002 12:18:08 -0600 (MDT) +Received: from tatanka (localhost [127.0.0.1]) by tatanka.stortek.com + (8.11.6+Sun/8.10.2) with ESMTP id g99IGd904228 for ; + Wed, 9 Oct 2002 12:16:43 -0600 (MDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: From +In-Reply-To: Your message of + "Wed, 09 Oct 2002 12:57:13 EDT." + <200210091657.g99GvDmX025433@life.ai.mit.edu> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <4226.1034187399@tatanka> +From: "James C. McMaster (Jim)" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 12:16:39 -0600 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is not an exmh problem, but an interaction between sendmail, Solaris and +mh. + +Your sysadmin is wrong. It is the responsibility of the receiving mail +server to escape lines beginning with "From " if they choose to turn on that +facility. It is not the responsibility for email clients to cater to the +stupid design of the unix mail spool, and Sun's even more stupid decision to +rely on "Content-length:" instead of dealing with this problem. Since mh is +unaware of "Content-length:", rcvstore gags trying to parse messages from the +spool. + +I had this same problem. There are several ways to fix it: + +1) Get your mail administrator to add the "E" flag to your sendmail. This +means you will never see a line beginning with "From ". Any such line will +look like ">From ". + +2) There is a patch to mh to make it respect "Content-length:". When I was +having this problem, porting this patch to nmh was low on the priority list, +then nmh development stalled for a long time. I doubt it has been done, but +you can check with the nmh list at nmh-workers@mhost.com to find out for sure. + +3) You can learn to use procmail, invoking rcvstore directly instead of +letting sendmail put your incoming mail into the spool. This avoids the +whole issue. rcvstore only deals with a single message at a time, and +everything works. +-- +Jim McMaster +mailto:mcmasjc@tatanka.stortek.com + + +In message <200210091657.g99GvDmX025433@life.ai.mit.edu>, Jason Rennie said: +> +> When I receive a message that has a line starting with "From ", it's +> broken into two messages. I get my mail from /var/spool/mail. The +> program that incorporates mail thinks that the "From " line starts a new +> message. +> +> My sysadmins have told me that the sending mail client is supposed to +> escape lines begining with "From ". EXMH (2.5) doesn't do this. Should +> it? It appears that my MH is MH 6.8. Does NMH fix this? +> +> Jason D. M. Rennie +> MIT AI Lab +> jrennie@ai.mit.edu +> (617) 253-5339 +> http://www.ai.mit.edu/~jrennie/ +> +> +> +> +> _______________________________________________ +> Exmh-users mailing list +> Exmh-users@redhat.com +> https://listman.redhat.com/mailman/listinfo/exmh-users +> + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1263.b8e6ea5b6f483ce15f2194bed93b6b29 b/machine-learning-ex6/ex6/easy_ham/1263.b8e6ea5b6f483ce15f2194bed93b6b29 new file mode 100644 index 0000000..28fbc59 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1263.b8e6ea5b6f483ce15f2194bed93b6b29 @@ -0,0 +1,113 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:41:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1F39816F1B + for ; Wed, 9 Oct 2002 22:40:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:04 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99IbGK16522 for + ; Wed, 9 Oct 2002 19:37:16 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 89E97415A8; Wed, 9 Oct 2002 + 14:37:38 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id A329C4099F + for ; Wed, 9 Oct 2002 14:30:08 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99IU8I05660 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 14:30:08 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99IU8f05656 for + ; Wed, 9 Oct 2002 14:30:08 -0400 +Received: from dimebox.bmc.com (adsl-66-140-152-233.dsl.hstntx.swbell.net + [66.140.152.233]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g99IALX07278 for ; Wed, 9 Oct 2002 14:10:21 -0400 +Received: by dimebox.bmc.com (Postfix, from userid 1205) id 53ABB37EBF; + Wed, 9 Oct 2002 13:30:05 -0500 (CDT) +Received: from dimebox.bmc.com (localhost [127.0.0.1]) by dimebox.bmc.com + (Postfix) with ESMTP id 980AA37EA6 for ; + Wed, 9 Oct 2002 13:30:05 -0500 (CDT) +X-Mailer: exmh version 2.5 07/13/2001 cvs 10/01/2002 with nmh-1.0.4 +In-Reply-To: <200210091657.g99GvDmX025433@life.ai.mit.edu> +References: <200210091657.g99GvDmX025433@life.ai.mit.edu> +Comments: In-reply-to Jason Rennie message dated + "Wed, 09 Oct 2002 12:57:13 -0400." +To: exmh-users@example.com +Subject: Re: From +MIME-Version: 1.0 +From: Hal DeVore +X-Image-Url: http://www.geocities.com/hal_devore_ii/haleye48.gif +Content-Type: text/plain; charset=us-ascii +Message-Id: <8425.1034188200@dimebox.bmc.com> +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 13:30:00 -0500 +X-Spam-Status: No, hits=-21.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + + + +>>>>> On Wed, 9 Oct 2002, "Jason" == Jason Rennie wrote: + + Jason> My sysadmins have told me that the sending mail client + Jason> is supposed to escape lines begining with "From ". + +Your sysadmins are wrong. + +Whatever program that is used to store the mail into the +braindead "mailbox" file (/var/spool/mail/whatever) is supposed +to escape a line that begins with From. That program is called +the local Mail Delivery Agent (MDA) + +It would be better if you never, ever, stored your mail in a +"mailbox" file. + +If your sysadmins are capable of it, get them to set up the +receiving Mail Transfer Agent (MTA) to allow the use of procmail +as the local MDA. Then use procmail to invoke rcvstore and +deliver your mail directly into your MH mail folders. + +Most Linux systems come configured this way, if a user has a +$HOME/.procmail file then mail is delivered using procmail. + + +--Hal + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1264.c8e0a9ae674a3b16ef93c8b41013d1ee b/machine-learning-ex6/ex6/easy_ham/1264.c8e0a9ae674a3b16ef93c8b41013d1ee new file mode 100644 index 0000000..a55c44c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1264.c8e0a9ae674a3b16ef93c8b41013d1ee @@ -0,0 +1,129 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:41:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C2C7216F1F + for ; Wed, 9 Oct 2002 22:40:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:11 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99IsLK17087 for + ; Wed, 9 Oct 2002 19:54:21 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 680E542573; Wed, 9 Oct 2002 + 14:52:10 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 01A0D41EC2 + for ; Wed, 9 Oct 2002 14:43:06 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99Ih6H09020 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 14:43:06 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99Ih6f09015 for + ; Wed, 9 Oct 2002 14:43:06 -0400 +Received: from playground.sun.com (playground.Sun.COM [192.9.5.5]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99INJX11053 for + ; Wed, 9 Oct 2002 14:23:19 -0400 +Received: from opal.eng.sun.com (inside-swan.sun.com [192.18.43.5]) by + playground.sun.com (8.12.7.Beta0+Sun/8.12.7.Beta0) with ESMTP id + g99Ih5qh019830 for ; Wed, 9 Oct 2002 11:43:05 -0700 + (PDT) +Received: from opal (localhost [127.0.0.1]) by opal.eng.sun.com + (8.12.7.Beta0+Sun/8.12.7.Beta0) with ESMTP id g99Ignpd981628 for + ; Wed, 9 Oct 2002 11:42:49 -0700 (PDT) +Message-Id: <200210091842.g99Ignpd981628@opal.eng.sun.com> +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.3 +To: exmh-users@example.com +Subject: Re: From +X-Image-Url: http://playground.sun.com/~jbeck/gif/Misc/john-face.jpg +In-Reply-To: Your message of + "Wed, 09 Oct 2002 12:16:39 MDT." + <4226.1034187399@tatanka> +References: <4226.1034187399@tatanka> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: John Beck +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 11:42:49 -0700 +X-Spam-Status: No, hits=-1.7 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + +James> This is not an exmh problem, but an interaction between sendmail, +James> Solaris and mh. + +Correct. + +James> Your sysadmin is wrong. It is the responsibility of the receiving mail +James> server to escape lines beginning with "From " if they choose to turn +James> on that facility. It is not the responsibility for email clients to +James> cater to the stupid design of the unix mail spool, and Sun's even more +James> stupid decision to rely on "Content-length:" instead of dealing with +James> this problem. Since mh is unaware of "Content-length:", rcvstore gags +James> trying to parse messages from the spool. + +Also correct. In fairness, though I cannot defend the Content-Length: header +as I consider it brain damage in the extreme, Sun inherited this from AT&T. + +James> Get your mail administrator to add the "E" flag to your sendmail. +James> This means you will never see a line beginning with "From ". Any such +James> line will look like ">From ". + +Specifically, you will need to find a line in /etc/mail/sendmail.cf that +starts with "Mlocal" such as: + +[4784] grep ^Mlocal /etc/mail/sendmail.cf +Mlocal, P=/usr/lib/mail.local, F=lsDFMAw5:/|@qPSXfmnz9E, S=EnvFromSMTP/HdrFromL, R=EnvToL/HdrToL, +[4785] + +and make sure that 'E' appears in the long list of flags following "F=". +If your sys-admin uses m4 to generate sendmail.cf, and any good sys-admin +should, then here is the magic line for the .mc file: + +MODIFY_MAILER_FLAGS(`LOCAL', `+E')dnl + +James> You can learn to use procmail, invoking rcvstore directly instead of +James> letting sendmail put your incoming mail into the spool. This avoids +James> the whole issue. rcvstore only deals with a single message at a time, +James> and everything works. + +Also correct, though procmail per se is not needed, as other filters (such +as slocal, which is part of the [n]mh distribution) do the trick just as well. + +-- John + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1265.44012a15af306a59078f2873b92a855f b/machine-learning-ex6/ex6/easy_ham/1265.44012a15af306a59078f2873b92a855f new file mode 100644 index 0000000..d3fbe40 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1265.44012a15af306a59078f2873b92a855f @@ -0,0 +1,114 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:41:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 79A0D16F20 + for ; Wed, 9 Oct 2002 22:40:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:14 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99IslK17102 for + ; Wed, 9 Oct 2002 19:54:47 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 60730425D1; Wed, 9 Oct 2002 + 14:53:28 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 87CF54240E + for ; Wed, 9 Oct 2002 14:43:48 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99IhmG09326 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 14:43:48 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99Ihmf09319 for + ; Wed, 9 Oct 2002 14:43:48 -0400 +Received: from ext-nj2gw-1.online-age.net (ext-nj2gw-1.online-age.net + [216.35.73.163]) by mx1.redhat.com (8.11.6/8.11.6) with SMTP id + g99IO1X11352 for ; Wed, 9 Oct 2002 14:24:01 -0400 +Received: from int-nj2gw-1.online-age.net (int-nj2gw-1.online-age.net + [3.159.236.65]) by ext-nj2gw-1.online-age.net (8.12.3/8.9.1/990426-RLH) + with ESMTP id g99Ihd6o028287 for ; Wed, + 9 Oct 2002 14:43:40 -0400 (EDT) +Received: from crdns.crd.ge.com (localhost [127.0.0.1]) by + int-nj2gw-1.online-age.net (8.12.3/8.12.3/990426-RLH) with ESMTP id + g99IhXDs006427 for ; Wed, 9 Oct 2002 14:43:34 -0400 + (EDT) +Received: from hippolyta.crd.ge.com (hippolyta.crd.ge.com [3.1.7.7]) by + crdns.crd.ge.com (8.11.6/8.11.6) with ESMTP id g99IhW705980 for + ; Wed, 9 Oct 2002 14:43:33 -0400 (EDT) +Received: from hippolyta by hippolyta.crd.ge.com (8.9.3+Sun/GE-CRD + Standard Sendmail Version S1.5) id OAA01268; Wed, 9 Oct 2002 14:43:32 + -0400 (EDT) +Message-Id: <200210091843.OAA01268@hippolyta.crd.ge.com> +X-Mailer: exmh version 2.2 06/23/2000 with nmh-1.0.4 +From: kennykb@crd.ge.com (Kevin Kenny) +Organization: Advanced Computing Technologies, GE Global Research Center +To: exmh-users@example.com +Subject: Re: From +X-Face: 5*Bwl\0iY*1'W~D~c2foEA#,\H[\j3:fTgL0QDgl'0/_fV8X|GO>!b`fdiNc{Ioj6u7a{qq + 1h+JHjg)m(|axb2m&0{I9cl5lQ9OeK\vdx=Ca]v9No,e'd~rIQ'ei,%J!^+@w|2/fLdXMKEOIh85kr + plx|`3lxhu#KWB;}OjDeAg^ +X-Uri: http://ce-toolkit.crd.ge.com/people/kennykb.html +X-Image-Url: http://192.35.44.8/people/kennykb.gif +X-No-Matter-Where-You-Go: There you are. +In-Reply-To: Message from + "James C. McMaster (Jim)" + of + "Wed, 09 Oct 2002 12:16:39 MDT." + <4226.1034187399@tatanka> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 14:43:32 -0400 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + + +mcmasjc@tatanka.stortek.com said: +> 3) You can learn to use procmail, + +Can this be done via .forward? I don't have root on the machine my +mailbox is on, and I'm absolutely certain that a complaint to the sysadmin +about sendmail will get a simple response: shut down the daemon and tell +me to use Outlook. :( + +-- +73 de ke9tv/2, Kevin KENNY GE Corporate Research & Development +kennykb@crd.ge.com P. O. Box 8, Bldg. K-1, Rm. 5B36A + Schenectady, New York 12301-0008 USA + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1266.52a2bf88987e97b6f4d5a743e353d50a b/machine-learning-ex6/ex6/easy_ham/1266.52a2bf88987e97b6f4d5a743e353d50a new file mode 100644 index 0000000..d4ba56d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1266.52a2bf88987e97b6f4d5a743e353d50a @@ -0,0 +1,102 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:41:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1A71616F56 + for ; Wed, 9 Oct 2002 22:40:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:54 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99JSOK18228 for + ; Wed, 9 Oct 2002 20:28:25 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 2AAD8429A1; Wed, 9 Oct 2002 + 15:25:21 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id F1D064100F + for ; Wed, 9 Oct 2002 15:08:50 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99J8oJ16420 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 15:08:50 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99J8of16416 for + ; Wed, 9 Oct 2002 15:08:50 -0400 +Received: from sherman.stortek.com (sherman.stortek.com [129.80.22.146]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99In3X18273 for + ; Wed, 9 Oct 2002 14:49:03 -0400 +Received: from sherman.stortek.com (localhost [127.0.0.1]) by + sherman.stortek.com (8.12.3/8.12.0) with ESMTP id g99J8iOH021170 for + ; Wed, 9 Oct 2002 13:08:44 -0600 (MDT) +Received: from vinson-ether1.stortek.com (vinson-ether1.stortek.com + [129.80.16.134]) by sherman.stortek.com (8.12.3/8.12.0) with ESMTP id + g99J8es3021162 for ; Wed, 9 Oct 2002 13:08:40 -0600 + (MDT) +Received: from tatanka.stortek.com (tatanka.stortek.com [129.80.90.4]) by + vinson-ether1.stortek.com (8.12.3/8.12.0) with ESMTP id g99J8dqv029585 for + ; Wed, 9 Oct 2002 13:08:39 -0600 (MDT) +Received: from tatanka (localhost [127.0.0.1]) by tatanka.stortek.com + (8.11.6+Sun/8.10.2) with ESMTP id g99J7E904573 for ; + Wed, 9 Oct 2002 13:07:15 -0600 (MDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: From +In-Reply-To: Your message of + "Wed, 09 Oct 2002 14:43:32 EDT." + <200210091843.OAA01268@hippolyta.crd.ge.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <4571.1034190434@tatanka> +From: "James C. McMaster (Jim)" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 13:07:14 -0600 +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + +In message <200210091843.OAA01268@hippolyta.crd.ge.com>, Kevin Kenny said: +> +> mcmasjc@tatanka.stortek.com said: +> > 3) You can learn to use procmail, +> +It absolutely can be done from .forward. I am in the same situation as you, +and that is how I do it. +-- +Jim McMaster +mailto:mcmasjc@tatanka.stortek.com + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1267.3641b74038e9f1bc91bbf8318572ffd1 b/machine-learning-ex6/ex6/easy_ham/1267.3641b74038e9f1bc91bbf8318572ffd1 new file mode 100644 index 0000000..603dcda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1267.3641b74038e9f1bc91bbf8318572ffd1 @@ -0,0 +1,134 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:42:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 855F416F69 + for ; Wed, 9 Oct 2002 22:40:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:58 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99JcRK18524 for + ; Wed, 9 Oct 2002 20:38:31 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 943A042A07; Wed, 9 Oct 2002 + 15:38:30 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 0DFA4429A8 + for ; Wed, 9 Oct 2002 15:25:29 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99JPSL22137 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 15:25:28 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99JPSf22129 for + ; Wed, 9 Oct 2002 15:25:28 -0400 +Received: from ka.graffl.net (ka.graffl.net [193.154.165.8]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99J5cX23923 for + ; Wed, 9 Oct 2002 15:05:40 -0400 +Received: from fsck.waldner.priv.at (fsck.waldner.priv.at + [213.225.31.166]) by ka.graffl.net (8.12.3/8.12.3/Debian -4) with ESMTP id + g99JPIgM006081 for ; Wed, 9 Oct 2002 21:25:18 +0200 +Received: from fsck.intern.waldner.priv.at (localhost [127.0.0.1]) by + fsck.waldner.priv.at (8.12.3/8.12.3/Debian -4) with ESMTP id + g99JPGl9001535 (version=TLSv1/SSLv3 cipher=EDH-RSA-DES-CBC3-SHA bits=168 + verify=FAIL) for ; Wed, 9 Oct 2002 21:25:17 +0200 +Received: (from waldner@localhost) by fsck.intern.waldner.priv.at + (8.12.3/8.12.3/Debian -4) id g99JPGfJ001534 for exmh-users@redhat.com; + Wed, 9 Oct 2002 21:25:16 +0200 +Message-Id: <200210091925.g99JPGfJ001534@fsck.intern.waldner.priv.at> +X-Mailer: exmh version 2.5 07/13/2001 (debian 2.5-1) with nmh-1.0.4+dev +To: exmh-users@example.com +Subject: Re: From +In-Reply-To: Your message of + "Wed, 09 Oct 2002 14:43:32 EDT." + <200210091843.OAA01268@hippolyta.crd.ge.com> +From: Robert Waldner +X-Organization: Bah. Speaking only for me humble self. +X-GPG: telnet fsck.waldner.priv.at for public key +X-GPG-Fingerprint: 406F 241A 9E21 CF92 1DED A0A8 1343 7348 9AF9 DE82 +X-GPG-Keyid: 0x9AF9DE82 +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----------=_1034191516-429-0"; + micalg="pgp-sha1"; + protocol="application/pgp-signature" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 21:24:57 +0200 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +It has been signed conforming to RFC3156. +You'll need GPG or PGP to check the signature. + +------------=_1034191516-429-0 +Content-Type: text/plain; charset=us-ascii + + +On Wed, 09 Oct 2002 14:43:32 EDT, Kevin Kenny writes: +>> 3) You can learn to use procmail, + +>Can this be done via .forward? + +make your .forward contain only the following line: +"|/usr/bin/procmail" + (incl. the quotes, your procmail binary may be in another path) + +cheers, +&rw +-- +-- For a list of points detailing how technology +-- has failed to improve our lives, please press 3. + + + +------------=_1034191516-429-0 +Content-Type: application/pgp-signature; name="signature.ng" +Content-Disposition: inline; filename="signature.ng" +Content-Transfer-Encoding: 7bit + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.2.0 (GNU/Linux) + +iD8DBQE9pIKcE0NzSJr53oIRArv6AJ0dnw3zse1X3xC/afguHB90HFC0qwCeIINr +kuoZSln0mfGwGUgMRSprbgk= +=1urd +-----END PGP SIGNATURE----- + +------------=_1034191516-429-0-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1268.0a4d5ea5ca61460fc95b01dff4224767 b/machine-learning-ex6/ex6/easy_ham/1268.0a4d5ea5ca61460fc95b01dff4224767 new file mode 100644 index 0000000..a1f1ac6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1268.0a4d5ea5ca61460fc95b01dff4224767 @@ -0,0 +1,116 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:43:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4656E16F1B + for ; Wed, 9 Oct 2002 22:41:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:21 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99LHFK21965 for + ; Wed, 9 Oct 2002 22:17:15 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 9D81D3F3B4; Wed, 9 Oct 2002 + 17:17:35 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id 2D645429D4 + for ; Wed, 9 Oct 2002 17:06:34 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99L6Yw18364 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 17:06:34 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99L6Xf18359 for + ; Wed, 9 Oct 2002 17:06:33 -0400 +Received: from prospect.stortek.com (prospect.stortek.com [129.80.22.147]) + by mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99KkjX19744 for + ; Wed, 9 Oct 2002 16:46:45 -0400 +Received: from prospect.stortek.com (localhost [127.0.0.1]) by + prospect.stortek.com (8.12.3/8.12.0) with ESMTP id g99L6Qbt018826 for + ; Wed, 9 Oct 2002 15:06:26 -0600 (MDT) +Received: from vinson-ether1.stortek.com (vinson-ether1.stortek.com + [129.80.16.134]) by prospect.stortek.com (8.12.3/8.12.0) with ESMTP id + g99L6QAC018819 for ; Wed, 9 Oct 2002 15:06:26 -0600 + (MDT) +Received: from tatanka.stortek.com (tatanka.stortek.com [129.80.90.4]) by + vinson-ether1.stortek.com (8.12.3/8.12.0) with ESMTP id g99L6PHx014983 for + ; Wed, 9 Oct 2002 15:06:25 -0600 (MDT) +Received: from tatanka (localhost [127.0.0.1]) by tatanka.stortek.com + (8.11.6+Sun/8.10.2) with ESMTP id g99L50905177 for ; + Wed, 9 Oct 2002 15:05:01 -0600 (MDT) +X-Mailer: exmh version 2.5 07/13/2001 with nmh-1.0.4 +To: exmh-users@example.com +Subject: Re: From +In-Reply-To: Your message of + "Wed, 09 Oct 2002 21:24:57 +0200." + <200210091925.g99JPGfJ001534@fsck.intern.waldner.priv.at> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Message-Id: <5175.1034197500@tatanka> +From: "James C. McMaster (Jim)" +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 15:05:00 -0600 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100,X_LOOP + version=2.50-cvs +X-Spam-Level: + +In message <200210091925.g99JPGfJ001534@fsck.intern.waldner.priv.at>, Robert +Wa +ldner said: +> +> +> On Wed, 09 Oct 2002 14:43:32 EDT, Kevin Kenny writes: +> >> 3) You can learn to use procmail, +> +> >Can this be done via .forward? +> +> make your .forward contain only the following line: +> "|/usr/bin/procmail" +> (incl. the quotes, your procmail binary may be in another path) +> +Check the procmail documentation. They actually recommend: + +"|IFS=' '&&p=(PATH/TO/PROCMAIL)&&test -f $p&&exec $p -f-||exit +75#(UNIQUE_STRING)" + +I don't know what this does, but it is explained in the doc. +-- +Jim McMaster +mailto:mcmasjc@tatanka.stortek.com + + + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1269.7820a9dc465e4d9eb8b2184d98fb9b3b b/machine-learning-ex6/ex6/easy_ham/1269.7820a9dc465e4d9eb8b2184d98fb9b3b new file mode 100644 index 0000000..34a9ddb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1269.7820a9dc465e4d9eb8b2184d98fb9b3b @@ -0,0 +1,151 @@ +From exmh-users-admin@redhat.com Wed Oct 9 22:43:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4139116F71 + for ; Wed, 9 Oct 2002 22:41:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:24 +0100 (IST) +Received: from listman.example.com (listman.example.com [66.187.233.211]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99LTaK22297 for + ; Wed, 9 Oct 2002 22:29:37 +0100 +Received: from listman.example.com (localhost.localdomain [127.0.0.1]) by + listman.redhat.com (Postfix) with ESMTP id 92C394317A; Wed, 9 Oct 2002 + 17:28:35 -0400 (EDT) +Delivered-To: exmh-users@listman.example.com +Received: from int-mx1.corp.example.com (int-mx1.corp.example.com + [172.16.52.254]) by listman.redhat.com (Postfix) with ESMTP id E10B9430F2 + for ; Wed, 9 Oct 2002 17:15:01 -0400 (EDT) +Received: (from mail@localhost) by int-mx1.corp.example.com (8.11.6/8.11.6) + id g99LF1321090 for exmh-users@listman.redhat.com; Wed, 9 Oct 2002 + 17:15:01 -0400 +Received: from mx1.example.com (mx1.example.com [172.16.48.31]) by + int-mx1.corp.redhat.com (8.11.6/8.11.6) with SMTP id g99LF1f21081 for + ; Wed, 9 Oct 2002 17:15:01 -0400 +Received: from asgard.blu.org (asgard.blu.org [216.235.254.231]) by + mx1.redhat.com (8.11.6/8.11.6) with SMTP id g99Kt3X22540 for + ; Wed, 9 Oct 2002 16:55:03 -0400 +Received: from vishnu.abreau.net (h00306548b0d2.ne.client2.attbi.com + [24.60.36.142]) by asgard.blu.org (Postfix) with ESMTP id 6B74D26EA4; + Wed, 9 Oct 2002 17:14:45 -0400 (EDT) +Received: from blu.org (jabr@localhost) by vishnu.abreau.net + (8.11.6/8.11.6) with ESMTP id g99LFIO03270; Wed, 9 Oct 2002 17:15:18 -0400 +Message-Id: <200210092115.g99LFIO03270@vishnu.abreau.net> +X-Authentication-Warning: localhost.localdomain: jabr owned process doing -bs +X-Mailer: exmh version 2.5 01/15/2001 with nmh-1.0.4 +To: exmh-users@example.com +Cc: jrennie@ai.mit.edu +X-Image-Url: http://www.abreau.net/faces/jabr-17.jpg +X-Url: http://www.abreau.net/ +X-GPG-Fingerprint: 72 FB 39 4F 3C 3B D6 5B E0 C8 5A 6E F1 2C BE 99 +X-GPG-Keyid: 0xD5C7B5D9 +Subject: Re: From +In-Reply-To: Your message of + "Wed, 09 Oct 2002 12:57:13 EDT." + <200210091657.g99GvDmX025433@life.ai.mit.edu> +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="==_Exmh_1405404058P"; + micalg=pgp-sha1; + protocol="application/pgp-signature" +Content-Transfer-Encoding: 7bit +From: John Abreau +X-Loop: exmh-users@example.com +Sender: exmh-users-admin@example.com +Errors-To: exmh-users-admin@example.com +X-Beenthere: exmh-users@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: exmh-users@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion list for EXMH users +List-Unsubscribe: , + +List-Archive: +Date: Wed, 09 Oct 2002 17:15:18 -0400 +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + MSG_ID_ADDED_BY_MTA_3,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_AUTH_WARNING,X_LOOP + version=2.50-cvs +X-Spam-Level: + +--==_Exmh_1405404058P +Content-Type: text/plain; charset=us-ascii + +Jason Rennie writes: + +> My sysadmins have told me that the sending mail client is supposed to +> escape lines begining with "From ". EXMH (2.5) doesn't do this. Should +> it? It appears that my MH is MH 6.8. Does NMH fix this? + +Actually, this issue used to escalate into a religious war. The "From " +envelope is an artifact of the mbox mailbox format, and from that +perspective it should be the mail server that stores its mailboxes in +mbox format that should be responsible for escaping lines beginning with +"From ". On the other hand, this breaks the assumption that the mail +transport only touches the message headers and leaves the message body +alone. +Things like pgp signatures break when the mail server changes the message +body. + +Also, strictly speaking, the mbox format envelope (or for us old-timers, +the UUCP envelope) isn't just any line beginning with "From ". It's really +"From", a single space, a valid email address, two spaces, and a valid +date. +For example: + + From ptardif@nbnet.nb.ca Sun Jul 14 08:53:57 2002 + ^ ^^ + + +-- +John Abreau / Executive Director, Boston Linux & Unix +IM: jabr@jabber.blu.org / abreauj@aim / abreauj@yahoo / 28611923@icq +Email jabr@blu.org / WWW http://www.abreau.net / PGP-Key-ID 0xD5C7B5D9 +PGP-Key-Fingerprint 72 FB 39 4F 3C 3B D6 5B E0 C8 5A 6E F1 2C BE 99 + + Some people say, "The enemy of my enemy is my friend." + I often respond, "When elephants fight, it's the grass + that gets trampled." + + + + +--==_Exmh_1405404058P +Content-Type: application/pgp-signature + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: Exmh version 2.5 01/15/2001 + +iQCVAwUBPaScZlV9A5rVx7XZAQJlrgQAyxnhXLaYoas75wtCkQz7pr5jhTamXm9s +85Tx9R9YcZtAAK67wd7U6ZqIOcr+J76G/xn2+gm6ASVRL4/ipETx9AFhdq8pG//w +sU/8zYCxOrnmqVI62sYaqx2m4m75IrnSdqR5ARKHc2U05zQq47xuMxSTIrC/dwKK +oyAlEFSe8Rw= +=mVfx +-----END PGP SIGNATURE----- + +--==_Exmh_1405404058P-- + + + +_______________________________________________ +Exmh-users mailing list +Exmh-users@redhat.com +https://listman.redhat.com/mailman/listinfo/exmh-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1270.d5c74ed6ae742bd031a65859f584f024 b/machine-learning-ex6/ex6/easy_ham/1270.d5c74ed6ae742bd031a65859f584f024 new file mode 100644 index 0000000..1d31c0b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1270.d5c74ed6ae742bd031a65859f584f024 @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 18:31:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2D99616F03 + for ; Mon, 23 Sep 2002 18:31:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:38 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFtlC24231 for + ; Mon, 23 Sep 2002 16:55:47 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NFo2f10170; Mon, 23 Sep 2002 17:50:02 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8NFnIf06795 for ; Mon, 23 Sep 2002 17:49:18 +0200 +Received: from yoda (12-231-69-107.client.attbi.com + [::ffff:12.231.69.107]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Mon, 23 Sep 2002 08:49:17 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: Re: sylpheed-claws +Message-Id: <20020923084711.79045d91.hosting@j2solutions.net> +In-Reply-To: <20020923174120.73573065.matthias@egwn.net> +References: <20020919221046.7484dec6.hosting@j2solutions.net> + <20020920104055.201c2986.matthias@rpmforge.net> + <20020923080924.27618d2b.hosting@j2solutions.net> + <20020923174120.73573065.matthias@egwn.net> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 08:47:11 -0700 +Date: Mon, 23 Sep 2002 08:47:11 -0700 +X-Spam-Status: No, hits=-3.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +On Mon, 23 Sep 2002 17:41:20 +0200 +Matthias Saou wrote: + +# So did my build if the original source is what you were mentioning +# ;-) One drawback : They changed from pspell to aspell apparently, +# and it requires aspell >= 0.50 which isn't even in Rawhide, so spell +# checking is disabled for now until I take a decision about it :-/ + +OOps, I didn't see the webpage get updated. I saw the new claws, and +checked your site, forgot about it for half a day and then posted +here. You beat me once again! + +# If I build recent aspell packages, they may not be upgraded when +# ungrating to the next Red Hat Linux release (the final version of +# the limbos and(null) betas), which is maybe not really desired. I'll +# probably test and see... + +Oh yeah, I was following this thread in the sylpheed-claws list. Very +interesting stuff. I might have to stick w/ 0.8.2 until aspell gets +updated in Red Hat. + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1271.1af7c90a1459165ff18d621de40239c5 b/machine-learning-ex6/ex6/easy_ham/1271.1af7c90a1459165ff18d621de40239c5 new file mode 100644 index 0000000..358baa5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1271.1af7c90a1459165ff18d621de40239c5 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 18:31:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1C26216F03 + for ; Mon, 23 Sep 2002 18:31:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:41 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NFu4C24239 for + ; Mon, 23 Sep 2002 16:56:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NFg1f01477; Mon, 23 Sep 2002 17:42:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8NFfRf01318 for + ; Mon, 23 Sep 2002 17:41:27 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: sylpheed-claws +Message-Id: <20020923174120.73573065.matthias@egwn.net> +In-Reply-To: <20020923080924.27618d2b.hosting@j2solutions.net> +References: <20020919221046.7484dec6.hosting@j2solutions.net> + <20020920104055.201c2986.matthias@rpmforge.net> + <20020923080924.27618d2b.hosting@j2solutions.net> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 17:41:20 +0200 +Date: Mon, 23 Sep 2002 17:41:20 +0200 +X-Spam-Status: No, hits=-9.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Jesse wrote : + +> On Fri, 20 Sep 2002 10:40:55 +0200 +> Matthias Saou wrote: +> +> # But as it's the primary mailer I use, you can be sure that as soon +> # as it's updated to 0.8.3, I'll update my build! :-) +> +> It got updated (; + +So did my build if the original source is what you were mentioning ;-) +One drawback : They changed from pspell to aspell apparently, and it +requires aspell >= 0.50 which isn't even in Rawhide, so spell checking is +disabled for now until I take a decision about it :-/ + +If I build recent aspell packages, they may not be upgraded when ungrating +to the next Red Hat Linux release (the final version of the limbos and +(null) betas), which is maybe not really desired. I'll probably test and +see... + +Matthias + +PS: The spec file was massively updated and the --with / --without options +that can be used to rebuild the source packages are now listed in the +description ;-) + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1272.812e1f9e9143c336f6a351d8abf6fdc5 b/machine-learning-ex6/ex6/easy_ham/1272.812e1f9e9143c336f6a351d8abf6fdc5 new file mode 100644 index 0000000..e86a65d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1272.812e1f9e9143c336f6a351d8abf6fdc5 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 18:31:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7552016F03 + for ; Mon, 23 Sep 2002 18:31:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:50 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NG9XC24931 for + ; Mon, 23 Sep 2002 17:09:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NG31f01901; Mon, 23 Sep 2002 18:03:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8NG2Mf28243 for + ; Mon, 23 Sep 2002 18:02:22 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: sylpheed-claws +Message-Id: <20020923180205.37d82e53.matthias@egwn.net> +In-Reply-To: <20020923084711.79045d91.hosting@j2solutions.net> +References: <20020919221046.7484dec6.hosting@j2solutions.net> + <20020920104055.201c2986.matthias@rpmforge.net> + <20020923080924.27618d2b.hosting@j2solutions.net> + <20020923174120.73573065.matthias@egwn.net> + <20020923084711.79045d91.hosting@j2solutions.net> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 18:02:05 +0200 +Date: Mon, 23 Sep 2002 18:02:05 +0200 +X-Spam-Status: No, hits=-8.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Jesse wrote : + +> Oh yeah, I was following this thread in the sylpheed-claws list. Very +> interesting stuff. I might have to stick w/ 0.8.2 until aspell gets +> updated in Red Hat. + +Then this may be 6 months or more since my guess after 3 beta releases is +that the freeze on package versions for inclusion in the next stable +release (n+1) has already happened, thus you'll have to wait at least for +Red Hat Linux... n+2 :-) + +This is why (if it doesn't break anything), I'll maybe release recent +aspell packages. But to be sure I'll need to do some testing ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1273.eb9f0b877dc669691c45314b5b6ff605 b/machine-learning-ex6/ex6/easy_ham/1273.eb9f0b877dc669691c45314b5b6ff605 new file mode 100644 index 0000000..e8195f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1273.eb9f0b877dc669691c45314b5b6ff605 @@ -0,0 +1,103 @@ +From rpm-list-admin@freshrpms.net Mon Sep 23 22:46:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8151516F17 + for ; Mon, 23 Sep 2002 22:46:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:46:12 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8NHvrC28415 for + ; Mon, 23 Sep 2002 18:57:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8NHk2f18832; Mon, 23 Sep 2002 19:46:02 + +0200 +Received: from interlize.com.br (interlize.com.br [200.244.92.2] (may be + forged)) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8NHibf12369 for + ; Mon, 23 Sep 2002 19:44:38 +0200 +Received: from [10.0.0.3] [200.173.221.24] by interlize.com.br + [200.244.92.2] with SMTP (MDaemon.PRO.v5.0.5.R) for + ; Mon, 23 Sep 2002 14:43:47 -0300 +Subject: Re: Should mplayer be build with Win32 codecs? +From: Ricardo Mota +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020920181118.A17344@bonzo.nirvana> +References: <20020608213903.GA26452@krabat.physik.fu-berlin.de> + <20020920181118.A17344@bonzo.nirvana> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8.99 +Message-Id: <1032802765.9035.17.camel@Ricardo> +MIME-Version: 1.0 +X-Lookup-Warning: reverse lookup on original sender failed +X-Mdremoteip: 200.173.221.24 +X-Return-Path: ricardo@mdbcomunicacao.com.br +X-Mdaemon-Deliver-To: rpm-zzzlist@freshrpms.net +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +X-Reply-To: ricardo@mdbcomunicacao.com.br +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 23 Sep 2002 14:38:44 -0300 +Date: 23 Sep 2002 14:38:44 -0300 +X-Spam-Status: No, hits=-4.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + + + +Hi, + +First you have to get the win32 files !!! +then , you configure using --enable_win32 + +On Fri, 2002-09-20 at 13:11, Axel Thimm wrote: +> Hi, +> +> has anyone an answer for me? The mplayer documentation still suggests to use +> them for x86 architectures. +> +> Thanks. :) +> +> Regards, Axel. +> +> On Sat, Jun 08, 2002 at 11:39:03PM +0200, Axel Thimm wrote: +> > Are there perhaps licensing issues, which forbid such a practice? Or any other +> > reasons? +> > +> > The reason I ask is that I have seen performance and also some feature +> > differences (fullscreen w/o keeping aspect ratio, visual artifacts on NVIDIA) +> > comparing with or without the Win32 codecs. The mplayer authors seem to +> > recommend using them for x86 architectures. +> > +> > Beware, I am no mplayer/codecs/whatever expert, I may be totally lost ... +> +> -- +> Axel.Thimm@physik.fu-berlin.de +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +> + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1274.a44315970d569047925df38e03c62d4e b/machine-learning-ex6/ex6/easy_ham/1274.a44315970d569047925df38e03c62d4e new file mode 100644 index 0000000..f0aabc2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1274.a44315970d569047925df38e03c62d4e @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Tue Sep 24 19:48:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A98EC16F03 + for ; Tue, 24 Sep 2002 19:48:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 19:48:34 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8OI3GC15695 for + ; Tue, 24 Sep 2002 19:03:17 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8OHx2f06770; Tue, 24 Sep 2002 19:59:02 + +0200 +Received: from yak.fluid.com + (IDENT:c3KwZIjjSfPfhCErniJnTbxW3U8s/NCK@yak.fluid.com [63.76.105.204]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8OHvjf28951 for + ; Tue, 24 Sep 2002 19:57:45 +0200 +Received: from lefty.fluid.com ([63.76.105.89]) by yak.fluid.com with + esmtp (Exim 4.10 #2) for rpm-list@freshrpms.net id 17tttq-0001RD-00; + Tue, 24 Sep 2002 10:55:06 -0700 +Message-Id: <3D90A792.6070307@fluid.com> +From: Troy Engel +Organization: Fluid +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: freshrpms +Subject: netatalk-1.5.5-1rh7 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +X-Reply-To: tengel@fluid.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 24 Sep 2002 10:57:38 -0700 +Date: Tue, 24 Sep 2002 10:57:38 -0700 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_SHORT_SPARSE, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Hi folks, I just uploaded RPMS of the new netatalk 1.5.5 released +yesterday, thought folks here might be interested. This release fixes a +nastygram in saving files via Illustrator that I personally have been +waiting for.... + + http://ftp.falsehope.com/home/tengel/netatalk/ + +(will be mirrored on rpmfind.net by tomorrow, usually). + +-te + +-- +Troy Engel, Systems Engineer +Cool as the other side of the pillow + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1275.7f5370e380b5cedb37bad38bb1ea1484 b/machine-learning-ex6/ex6/easy_ham/1275.7f5370e380b5cedb37bad38bb1ea1484 new file mode 100644 index 0000000..6786fa7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1275.7f5370e380b5cedb37bad38bb1ea1484 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 11:12:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B4E9016F17 + for ; Mon, 30 Sep 2002 11:12:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 11:12:32 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8SFlsg32445 for + ; Sat, 28 Sep 2002 16:47:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8SFj4f15417; Sat, 28 Sep 2002 17:45:04 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g8SFhwf15033 for + ; Sat, 28 Sep 2002 17:43:58 +0200 +Received: (qmail 3757 invoked by uid 505); 28 Sep 2002 15:44:03 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 28 Sep 2002 15:44:03 -0000 +From: Thomas Vander Stichele +To: RPM-List@freshrpms.net +Subject: hi +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 28 Sep 2002 17:44:03 +0200 (CEST) +Date: Sat, 28 Sep 2002 17:44:03 +0200 (CEST) +Lines: 33 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE,T_URI_COUNT_5_8, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hello, + +I'm new to the list. +I wanted to find out who tried recompiling a working apt rpm for (null) or +psyche. I would like to get good GStreamer packages done by monday when +it's released. + +BTW, in the archive I saw some posts regarding the GStreamer repository. +I'm not sure why they were posted on this list ;) In any case, I'm the rpm +maintainer, so if you have any questions, feel free to ask. + +I was trying to get an updated apt rpm from http://dave.cridland.net/, but +the http port is closed. Dave, if you're reading this, please let me know +where I can get the updated rpm. + +Thanks, +Thomas + +-- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +Just like you said +you leave my life +I'm better off dead +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1276.833510ba5d9158c1172f5edf1277d41c b/machine-learning-ex6/ex6/easy_ham/1276.833510ba5d9158c1172f5edf1277d41c new file mode 100644 index 0000000..7e59a29 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1276.833510ba5d9158c1172f5edf1277d41c @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 11:13:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0CF3616F03 + for ; Mon, 30 Sep 2002 11:13:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 11:13:05 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8SGgAg01340 for + ; Sat, 28 Sep 2002 17:42:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8SGd2f02772; Sat, 28 Sep 2002 18:39:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8SGc0f02462 for ; Sat, 28 Sep 2002 18:38:00 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: hi +Message-Id: <20020928183754.13ba9173.matthias@egwn.net> +In-Reply-To: +References: +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 28 Sep 2002 18:37:54 +0200 +Date: Sat, 28 Sep 2002 18:37:54 +0200 +Lines: 30 +X-Spam-Status: No, hits=-6.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE,T_URI_COUNT_1_2 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Thomas wrote : + +> I wanted to find out who tried recompiling a working apt rpm for (null) +> or psyche. I would like to get good GStreamer packages done by monday +> when it's released. + +I have a working apt 0.5.4cnc7 package for Red Hat Linux 8.0. It will be +available at the same second the distribution will, and so will a complete +apt repository already including quite a few of my packages updated for Red +Hat Linux 8.0. + +I didn't want to say all this before Monday, but as the new release already +leaked from many places, and official statements made about it, it +shouldn't be a big deal :-/ + +I'll keep you all posted on Monday! They'll even be a big apt-related +surprise! ;-)))) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1277.3b713b4f04b00064858517857347bcba b/machine-learning-ex6/ex6/easy_ham/1277.3b713b4f04b00064858517857347bcba new file mode 100644 index 0000000..c5586c9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1277.3b713b4f04b00064858517857347bcba @@ -0,0 +1,113 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:39:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9FE9B16F03 + for ; Mon, 30 Sep 2002 13:39:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:39:41 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8THYNg21297 for + ; Sun, 29 Sep 2002 18:34:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8THV5f02629; Sun, 29 Sep 2002 19:31:05 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g8THTwf31620 for + ; Sun, 29 Sep 2002 19:29:58 +0200 +Received: (qmail 17426 invoked by uid 505); 29 Sep 2002 17:29:58 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 29 Sep 2002 17:29:58 -0000 +From: Thomas Vander Stichele +To: gstreamer-devel@example.sourceforge.net +Cc: RPM-List@freshrpms.net +Subject: Red Hat 8.0 +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 29 Sep 2002 19:29:58 +0200 (CEST) +Date: Sun, 29 Sep 2002 19:29:58 +0200 (CEST) +Lines: 60 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_URI_COUNT_5_8,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hi, + +Red Hat 8.0 is released tomorrow (monday). I took some time out to make +RPMs of GStreamer for it. + +All of them (core, plugins and player) have been uploaded to the apt +repository in a new "redhat-80-i386" directory. + +The repository for dependencies is again called "deps", and the one for +the gstreamer rpms is "redhat", because this time around the base distro +contains all the necessary packages. + +A screenshot of Red Hat 8.0 running gst-player is up at +http://thomas.apestaart.org/download/screenshots/redhat-80-gst-player.png + + +Here are some known issues with the resulting rpms : + +a) gstreamer-nautilus isn't built, the package got renamed and I don't +have a -devel package for it yet + +b) the c++ plugins have problems which I haven't been able to resolve. +Here are the errors: + +INFO (15299: 0)gst_xml_registry_rebuild:1555: Plugin +/usr/lib/gst/libgstwincodec.so failed to load: Error loading plugin +/usr/lib/gst/libgstwincodec.so, reason: /usr/lib/libaviplay-0.7.so.0: +undefined symbol: _ZTVN10__cxxabiv120__si_class_type_infoE + +Plugin /usr/lib/gst/libgstwincodec.so failed to load +DEBUG(15299: 0)gst_plugin_load_plugin:161: attempt to load plugin +"/usr/lib/gst/libgstmodplug.so" +INFO (15299: 0)gst_xml_registry_rebuild:1555: Plugin +/usr/lib/gst/libgstmodplug.so failed to load: Error loading plugin +/usr/lib/gst/libgstmodplug.so, reason: /usr/lib/gst/libgstmodplug.so: +undefined symbol: __gxx_personality_v0 + +I'm not sure how to fix this; running strings on the libs in /usr/lib +reveals that there are other libs that have these symbols, so there must +be something straightforward that should fix this. +If anyone has a suggestion, please share ;) + +Thomas + +-- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +Kiss me please kiss me +Kiss me out of desire baby not consolation +Oh you know it makes me so angry cause I know that in time +I'll only make you cry +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1278.d6395388e0e11e622c6c348603c4ef74 b/machine-learning-ex6/ex6/easy_ham/1278.d6395388e0e11e622c6c348603c4ef74 new file mode 100644 index 0000000..d641d43 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1278.d6395388e0e11e622c6c348603c4ef74 @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:40:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8783016F03 + for ; Mon, 30 Sep 2002 13:40:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:40:04 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8TJ20g24304 for + ; Sun, 29 Sep 2002 20:02:00 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8TIw2f01446; Sun, 29 Sep 2002 20:58:02 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g8TIvff31540 for + ; Sun, 29 Sep 2002 20:57:41 +0200 +Received: (qmail 23771 invoked by uid 505); 29 Sep 2002 18:57:40 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 29 Sep 2002 18:57:40 -0000 +From: Thomas Vander Stichele +To: ERDI Gergo +Cc: gstreamer-devel@example.sourceforge.net, +Subject: Re: [gst-devel] Red Hat 8.0 +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 29 Sep 2002 20:57:40 +0200 (CEST) +Date: Sun, 29 Sep 2002 20:57:40 +0200 (CEST) +Lines: 34 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_URI_COUNT_3_5,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hi, + +> On Sun, 29 Sep 2002, Thomas Vander Stichele wrote: +> +> > INFO (15299: 0)gst_xml_registry_rebuild:1555: Plugin +> > /usr/lib/gst/libgstwincodec.so failed to load: Error loading plugin +> > /usr/lib/gst/libgstwincodec.so, reason: /usr/lib/libaviplay-0.7.so.0: +> > undefined symbol: _ZTVN10__cxxabiv120__si_class_type_infoE + +> Are you using the same version of GCC to compile the plugin as its C++ +> dependencies? + +Yes, I am. Everything is built inside a chroot. I think it isn't linking +to a lib somewhere, I'm just not sure what lib it should preloading here. +Anyway to find out which one it is ? + +Thomas + + -- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +You came in just like smoke +With a little come on come on +come on in your walk +come on +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1279.66eab31d61b430bc9c4a11511b965e60 b/machine-learning-ex6/ex6/easy_ham/1279.66eab31d61b430bc9c4a11511b965e60 new file mode 100644 index 0000000..a059bed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1279.66eab31d61b430bc9c4a11511b965e60 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:40:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E93F16F16 + for ; Mon, 30 Sep 2002 13:40:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:40:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8TJLAg24932 for + ; Sun, 29 Sep 2002 20:21:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8TJI1f01022; Sun, 29 Sep 2002 21:18:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8TJGaf29909 for ; Sun, 29 Sep 2002 21:16:36 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: [gst-devel] Red Hat 8.0 +Message-Id: <20020929211630.28e45f73.matthias@egwn.net> +In-Reply-To: +References: + +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 29 Sep 2002 21:16:30 +0200 +Date: Sun, 29 Sep 2002 21:16:30 +0200 +Lines: 32 +X-Spam-Status: No, hits=-8.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE,T_QUOTE_TWICE_1,T_URI_COUNT_1_2 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Thomas wrote : + +> > On Sun, 29 Sep 2002, Thomas Vander Stichele wrote: +> > +> > > INFO (15299: 0)gst_xml_registry_rebuild:1555: Plugin +> > > /usr/lib/gst/libgstwincodec.so failed to load: Error loading plugin +> > > /usr/lib/gst/libgstwincodec.so, reason: /usr/lib/libaviplay-0.7.so.0: +> > > +> > > undefined symbol: _ZTVN10__cxxabiv120__si_class_type_infoE +> +> > Are you using the same version of GCC to compile the plugin as its C++ +> > dependencies? +> +> Yes, I am. Everything is built inside a chroot. I think it isn't +> linking to a lib somewhere, I'm just not sure what lib it should +> preloading here. Anyway to find out which one it is ? + +Looks like a problem with the avifile you've rebuilt... I've been unable to +recompile successfully the latest version on 8.0 :-/ + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1280.542b6637621390bff1378f93bbbc8f6b b/machine-learning-ex6/ex6/easy_ham/1280.542b6637621390bff1378f93bbbc8f6b new file mode 100644 index 0000000..2659435 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1280.542b6637621390bff1378f93bbbc8f6b @@ -0,0 +1,96 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:40:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 89F5D16F17 + for ; Mon, 30 Sep 2002 13:40:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:40:14 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8TJgPg25539 for + ; Sun, 29 Sep 2002 20:42:25 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8TJd1f10034; Sun, 29 Sep 2002 21:39:01 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g8TJcef09964 for + ; Sun, 29 Sep 2002 21:38:40 +0200 +Received: (qmail 26731 invoked by uid 505); 29 Sep 2002 19:38:46 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 29 Sep 2002 19:38:46 -0000 +From: Thomas Vander Stichele +To: rpm-zzzlist@freshrpms.net +Subject: Re: [gst-devel] Red Hat 8.0 +In-Reply-To: <20020929211630.28e45f73.matthias@egwn.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 29 Sep 2002 21:38:46 +0200 (CEST) +Date: Sun, 29 Sep 2002 21:38:46 +0200 (CEST) +Lines: 43 +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + T_QUOTE_TWICE_1,T_URI_COUNT_3_5,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +> > > > INFO (15299: 0)gst_xml_registry_rebuild:1555: Plugin +> > > > /usr/lib/gst/libgstwincodec.so failed to load: Error loading plugin +> > > > /usr/lib/gst/libgstwincodec.so, reason: /usr/lib/libaviplay-0.7.so.0: +> > > > +> > > > undefined symbol: _ZTVN10__cxxabiv120__si_class_type_infoE +> > +> > > Are you using the same version of GCC to compile the plugin as its C++ +> > > dependencies? +> > +> > Yes, I am. Everything is built inside a chroot. I think it isn't +> > linking to a lib somewhere, I'm just not sure what lib it should +> > preloading here. Anyway to find out which one it is ? +> +> Looks like a problem with the avifile you've rebuilt... I've been unable to +> recompile successfully the latest version on 8.0 :-/ + +Hm, it is built inside the same chroot. aviplay works (well it would if I +had XV, I get X errors ;)). But it doesn't complain about linker +problems. So I suppose my avifile library on itself is compiled ok. + +Sigh, avifile is one of the worst packages out there, in all aspects - +naming of tarballs, not ever releasing an actual package, versioning of +libraries, API stability, ... + +Thomas + + -- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +cos when i needed someone +you left me floored +the feeling is gone +i can't let go +you know that i'd change if i had the love it takes +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1281.a9eedbc574256d332af3e15d2dc8fc0b b/machine-learning-ex6/ex6/easy_ham/1281.a9eedbc574256d332af3e15d2dc8fc0b new file mode 100644 index 0000000..d5a8cae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1281.a9eedbc574256d332af3e15d2dc8fc0b @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:43:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B5EE816F16 + for ; Mon, 30 Sep 2002 13:43:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:43:30 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8U7Fgg19934 for + ; Mon, 30 Sep 2002 08:15:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8U7C2f06874; Mon, 30 Sep 2002 09:12:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8U7BKf05467 + for ; Mon, 30 Sep 2002 09:11:20 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17vujG-00018Z-00 for rpm-list@freshrpms.net; + Mon, 30 Sep 2002 03:12:30 -0400 +X-Originating-Ip: [66.44.40.158] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: New testing packages +Message-Id: <20020930.bp5.07787800@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 07:14:31 +0000 +Date: Mon, 30 Sep 2002 07:14:31 +0000 +Lines: 18 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +Peter Peltonen (peter.peltonen@iki.fi) wrote*: +>BTW: I just a found a quite nice looking apt repositry for +>all kinds of audio apps at +> +>http://ccrma-www.stanford.edu/planetccrma/software/ +> + +_Very_ comprehensive audio app collection, Thanks. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1282.e55809fc9341e2e88ac96b58a7129c82 b/machine-learning-ex6/ex6/easy_ham/1282.e55809fc9341e2e88ac96b58a7129c82 new file mode 100644 index 0000000..9ed5b69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1282.e55809fc9341e2e88ac96b58a7129c82 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:44:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BFAF016F16 + for ; Mon, 30 Sep 2002 13:44:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:44:26 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8U9Fgg24174 for + ; Mon, 30 Sep 2002 10:15:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8U9C1f29896; Mon, 30 Sep 2002 11:12:01 + +0200 +Received: from mailout11.sul.t-online.com (mailout11.sul.t-online.com + [194.25.134.85]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8U9BZf29771 for ; Mon, 30 Sep 2002 11:11:35 +0200 +Received: from fwd03.sul.t-online.de by mailout11.sul.t-online.com with + smtp id 17vwaU-0002CP-00; Mon, 30 Sep 2002 11:11:34 +0200 +Received: from puariko.homeip.net (520039812576-0001@[217.231.242.136]) by + fmrl03.sul.t-online.com with esmtp id 17vwaK-02QgngC; Mon, 30 Sep 2002 + 11:11:24 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: Re: All set for Red Hat Linux 8.0 +Message-Id: <20020930111121.B14995@bonzo.nirvana> +References: <20020930092826.7c8f5791.matthias@rpmforge.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020930092826.7c8f5791.matthias@rpmforge.net>; + from matthias@rpmforge.net on Mon, Sep 30, 2002 at 09:28:26AM +0200 +X-Sender: 520039812576-0001@t-dialin.net +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 11:11:21 +0200 +Date: Mon, 30 Sep 2002 11:11:21 +0200 +Lines: 28 +X-Spam-Status: No, hits=-11.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_URI_COUNT_3_5,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Matthias, + +On Mon, Sep 30, 2002 at 09:28:26AM +0200, Matthias Saou wrote: +> All freshrpms.net is now set for the imminent release of Red Hat Linux 8.0. + +thanks a lot for all your effords! It is just great! + +> I'll probably post to the list once I open up ftp.freshrpms.net so you can +> be the first ones to get in and download, although I doubt you'll have +> trouble finding access to at least one fast mirror using my mirror list. + +You mean the mirror list for RH8.0, or do there exist mirrors for your apt +repo? + +On Sat, Sep 28, 2002 at 06:37:54PM +0200, Matthias Saou wrote: +> I'll keep you all posted on Monday! They'll even be a big apt-related +> surprise! ;-)))) + +Was this the surprise, or will there be even more (where are my heart pills)? ;) + +Thanks Matthias! +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1283.15624a2ea079397d2638caa74f8bd17d b/machine-learning-ex6/ex6/easy_ham/1283.15624a2ea079397d2638caa74f8bd17d new file mode 100644 index 0000000..e1fc39a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1283.15624a2ea079397d2638caa74f8bd17d @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 13:44:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 89F7516F16 + for ; Mon, 30 Sep 2002 13:44:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 13:44:33 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8U9nOg25251 for + ; Mon, 30 Sep 2002 10:49:24 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8U9l1f25850; Mon, 30 Sep 2002 11:47:01 + +0200 +Received: from drone5.qsi.net.nz (drone5-svc-skyt.qsi.net.nz + [202.89.128.5]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g8U9kSf25471 + for ; Mon, 30 Sep 2002 11:46:29 +0200 +Received: (qmail 31568 invoked by uid 0); 30 Sep 2002 09:46:20 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 30 Sep 2002 09:46:20 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.35 #1 (Debian)) id 17wBPi-00089D-00 for ; + Tue, 01 Oct 2002 13:01:26 +1200 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Re: New testing packages +Message-Id: <2740000.1033379168@spawn.se7en.org> +In-Reply-To: <20020930.bp5.07787800@www.dudex.net> +References: <20020930.bp5.07787800@www.dudex.net> +X-Mailer: Mulberry/2.2.1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 21:46:08 +1200 +Date: Mon, 30 Sep 2002 21:46:08 +1200 +Lines: 21 +X-Spam-Status: No, hits=-2.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +Indeed - I was thinking of getting back into doing mods - nice to see an +apt-get'able soundtracker there :-) + +Anyone know where to get a good selection of samples/loops? + +--On Monday, September 30, 2002 07:14:31 +0000 Angles Puglisi + wrote: + +> _Very_ comprehensive audio app collection, Thanks. + + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1284.bacf47285c3f6a514443b4d013d5736a b/machine-learning-ex6/ex6/easy_ham/1284.bacf47285c3f6a514443b4d013d5736a new file mode 100644 index 0000000..2afa9b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1284.bacf47285c3f6a514443b4d013d5736a @@ -0,0 +1,121 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:44:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 27BD316F16 + for ; Mon, 30 Sep 2002 21:44:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:09 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UJ42K12271 for + ; Mon, 30 Sep 2002 20:04:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UIv8f11402; Mon, 30 Sep 2002 20:57:08 + +0200 +Received: from mail.aspect.net + (postfix@adsl-65-69-210-161.dsl.hstntx.swbell.net [65.69.210.161]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8UIuQf10100 for + ; Mon, 30 Sep 2002 20:56:28 +0200 +Received: from jabber.org (SKADI.WV.CC.cmu.edu [128.2.72.29]) by + mail.aspect.net (Postfix) with ESMTP id C76E822B13 for + ; Mon, 30 Sep 2002 13:48:02 -0500 (CDT) +Subject: Re: All set for Red Hat Linux 8.0 +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v546) +From: Julian Missig +To: rpm-zzzlist@freshrpms.net +Content-Transfer-Encoding: 7bit +In-Reply-To: <20020930092826.7c8f5791.matthias@rpmforge.net> +Message-Id: <377FE45E-D4A6-11D6-A377-000393D60714@jabber.org> +X-Mailer: Apple Mail (2.546) +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 14:55:41 -0400 +Date: Mon, 30 Sep 2002 14:55:41 -0400 +X-Spam-Status: No, hits=-5.1 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,USER_AGENT_APPLEMAIL + version=2.50-cvs +X-Spam-Level: + +I would appreciate it if you could get Gabber packages for Red Hat 8. I +will be making a new release soon, but even in the meantime, 0.8.7 +packages would be ok. + +I know that in the beta, red hat was using a modified version of +gnome-libs which is incompatible with the latest gnomemm. If this is +still the case in 8, I can send you a patch which makes gnomemm work +again... + +Julian + +On Monday, Sep 30, 2002, at 03:28 US/Eastern, Matthias Saou wrote: + +> Hi all, +> +> All freshrpms.net is now set for the imminent release of Red Hat Linux +> 8.0. +> The whole release process is a lot less secret as usual since there +> have +> been some leaks, including a mirror purposely wide open :-( +> +> See this article about the release and the leaks : +> http://news.com.com/2100-1001-959434.html?tag=fd_top +> +> As it's no secret anymore, the files will be available today (morning +> for +> you Americans, afternoon for us Europeans), and to go with them, there +> are +> already quite a few freshrpms.net packages ready! +> +> Mirror list for download (they're not open yet) : +> http://freshrpms.net/mirrors/psyche.html +> +> New freshrpms.net package list : +> http://psyche.freshrpms.net/ +> +> Of course, apt is also available (now version 0.5.4!) and fully +> tested. If +> you like apt for your desktop machines, I also recommend checking out +> the +> new "synaptic" package as it has now been ported to gtk+ and blends +> perfectly into the distribution! +> +> I'll probably post to the list once I open up ftp.freshrpms.net so you +> can +> be the first ones to get in and download, although I doubt you'll have +> trouble finding access to at least one fast mirror using my mirror +> list. +> +> Have fun with Psyche! +> Matthias +> +> -- +> Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +> Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +> Load : 0.16 0.18 0.17 +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1285.b9998969053e427bd4c4c0c6e68518ec b/machine-learning-ex6/ex6/easy_ham/1285.b9998969053e427bd4c4c0c6e68518ec new file mode 100644 index 0000000..9f8950b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1285.b9998969053e427bd4c4c0c6e68518ec @@ -0,0 +1,71 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:44:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D361816F16 + for ; Mon, 30 Sep 2002 21:44:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UJbAK13176 for + ; Mon, 30 Sep 2002 20:37:11 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UJY1f10815; Mon, 30 Sep 2002 21:34:01 + +0200 +Received: from mail.addix.net (kahless.addix.net [195.179.139.19]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8UJXMf08732 for + ; Mon, 30 Sep 2002 21:33:22 +0200 +Received: from kushana.camperquake.de (kushana.camperquake.de + [194.64.167.57]) by mail.addix.net (8.9.3/8.9.3) with ESMTP id VAA15220 + for ; Mon, 30 Sep 2002 21:33:22 +0200 +Received: from nausicaa.camperquake.de ([194.64.167.58] helo=nausicaa) by + kushana.camperquake.de with smtp (Exim 3.36 #1) id 17w6Un-0005P1-00 for + rpm-list@freshrpms.net; Mon, 30 Sep 2002 21:46:21 +0200 +From: Ralf Ertzinger +To: rpm-zzzlist@freshrpms.net +Subject: apt 0.5.7 on RH 7.x +Message-Id: <20020930214204.5d631f5b.ralf@camperquake.de> +Organization: [NDC] ;) +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 21:42:04 +0200 +Date: Mon, 30 Sep 2002 21:42:04 +0200 +X-Spam-Status: No, hits=0.3 required=5.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,SIGNATURE_LONG_SPARSE, + T_URI_COUNT_1_2 + version=2.50-cvs +X-Spam-Level: + +Hi. + +Are there any reasons _not_ to use the new apt releases on RH 7.x? + +-- +reiserfsck ist bekannt dafür, daß es leere Dateisysteme zurückläßt. +Gut, formaljuristisch hat er das Dateisystem in einen wohldefinierten +Zustand versetzt, aber ... nunja. Man erwartet schon irgendwie, daß +noch ein paar Daten drauf sind danach. -- Felix v. Leitner, dasr + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1286.02bd8e853e68affa8f7d5fda314b4bd4 b/machine-learning-ex6/ex6/easy_ham/1286.02bd8e853e68affa8f7d5fda314b4bd4 new file mode 100644 index 0000000..39dfcec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1286.02bd8e853e68affa8f7d5fda314b4bd4 @@ -0,0 +1,105 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:44:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CDC4D16F16 + for ; Mon, 30 Sep 2002 21:44:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:28 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UJwYK13802 for + ; Mon, 30 Sep 2002 20:58:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UJq2f32440; Mon, 30 Sep 2002 21:52:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8UJp9f28623; Mon, 30 Sep 2002 21:51:09 +0200 +From: Matthias Saou +To: Hesty P +Cc: RPM-List +Subject: Re: ALSA Problem with Null kernel +Message-Id: <20020930215046.108ba76f.matthias@egwn.net> +In-Reply-To: <20020930191916.67869.qmail@web20510.mail.yahoo.com> +References: <20020930203145.570e6717.matthias@egwn.net> + <20020930191916.67869.qmail@web20510.mail.yahoo.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 21:50:46 +0200 +Date: Mon, 30 Sep 2002 21:50:46 +0200 +X-Spam-Status: No, hits=-7.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_LONG_SPARSE,T_URI_COUNT_2_3 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Hesty wrote : + +> I know they're all included in the freshrpms alsa-null +> directory. + +Now that Psyche is released, that directory was erased. + +> I was worried that with the new mplayer-pre8, these +> packages might break something. Is there any mplayer +> package which includes all the options for -vo and +> -ao? Is that because alsa is not included in RH, hence +> the lack of alsa option for mplayer from freshrpms? +> Or is there some swtiches to enable these options +> during +> rpm build? + +For all my recent packages that support --with and --without options, I've +put them in the %description section. See for instance : +http://psyche.freshrpms.net/rpm.html?id=80 + +Where you can see : +Available rpmbuild rebuild options : +--with : alsa +--without : aalib lirc libdv arts + +The ogle package has also a --with alsa option, and I've had a bug report +about xine that I apparently unintentionally compiled with ALSA directly +:-/ + +I'd like to aks this on the rpm-zzzlist : Would a new dependency of 250k, the +alsa-lib package, for many packages (mplayer, ogle, xine) be a problem for +the freshrpms.net packages users? As I really feel like blending ALSA in +now, especially since I've just spent some time recompiling alsa-kernel +package for all the Psyche kernels!!! + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1287.afc17883053e6731bc1ee67bee4ceca0 b/machine-learning-ex6/ex6/easy_ham/1287.afc17883053e6731bc1ee67bee4ceca0 new file mode 100644 index 0000000..5617774 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1287.afc17883053e6731bc1ee67bee4ceca0 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:44:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CF3B516F16 + for ; Mon, 30 Sep 2002 21:44:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:36 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UK9AK14335 for + ; Mon, 30 Sep 2002 21:09:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UK12f08852; Mon, 30 Sep 2002 22:01:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8UK0ff08771 for ; Mon, 30 Sep 2002 22:00:41 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt 0.5.7 on RH 7.x +Message-Id: <20020930220002.15c18770.matthias@egwn.net> +In-Reply-To: <20020930214204.5d631f5b.ralf@camperquake.de> +References: <20020930214204.5d631f5b.ralf@camperquake.de> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 22:00:02 +0200 +Date: Mon, 30 Sep 2002 22:00:02 +0200 +X-Spam-Status: No, hits=-8.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE,T_URI_COUNT_1_2 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ralf wrote : + +> Are there any reasons _not_ to use the new apt releases on RH 7.x? + +Hmmm... I don't see any :-) + +My main concern is that when rebuilding the recent packages I've made for +Psyche on Valhalla, I'd need to lower the "Release:" tag (to keep an +upgrade working), and that would f*ck up my CVS repository which is on my +Valhalla box (well, I'm exagerating, It'll just make it more difficult for +me) ;-) +Sure, there are easy ways around this, but the easiest for me will be to +wait until I upgrade my main box to Psyche and have Valhalla only on a +secondary rebuild system. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1288.9235f568fa35fd2fcda2c067543fbd0e b/machine-learning-ex6/ex6/easy_ham/1288.9235f568fa35fd2fcda2c067543fbd0e new file mode 100644 index 0000000..f7e2691 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1288.9235f568fa35fd2fcda2c067543fbd0e @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:45:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 50DD116F17 + for ; Mon, 30 Sep 2002 21:44:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:52 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UKZMK14990 for + ; Mon, 30 Sep 2002 21:35:22 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UKW0f18124; Mon, 30 Sep 2002 22:32:00 + +0200 +Received: from mail.addix.net (kahless.addix.net [195.179.139.19]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8UKUuf14294 for + ; Mon, 30 Sep 2002 22:30:56 +0200 +Received: from kushana.camperquake.de (kushana.camperquake.de + [194.64.167.57]) by mail.addix.net (8.9.3/8.9.3) with ESMTP id WAA16476 + for ; Mon, 30 Sep 2002 22:30:56 +0200 +Received: from nausicaa.camperquake.de ([194.64.167.58] helo=nausicaa) by + kushana.camperquake.de with smtp (Exim 3.36 #1) id 17w7Om-0005by-00 for + rpm-list@freshrpms.net; Mon, 30 Sep 2002 22:44:12 +0200 +From: Ralf Ertzinger +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt 0.5.7 on RH 7.x +Message-Id: <20020930223956.6c06655a.ralf@camperquake.de> +In-Reply-To: <20020930220002.15c18770.matthias@egwn.net> +References: <20020930214204.5d631f5b.ralf@camperquake.de> + <20020930220002.15c18770.matthias@egwn.net> +Organization: [NDC] ;) +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 22:39:56 +0200 +Date: Mon, 30 Sep 2002 22:39:56 +0200 +X-Spam-Status: No, hits=-3.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_URI_COUNT_2_3 + version=2.50-cvs +X-Spam-Level: + +Hi. + +Matthias Saou wrote: +> My main concern is that when rebuilding the recent packages I've made +> for Psyche on Valhalla, I'd need to lower the "Release:" tag (to keep an +> upgrade working), and that would f*ck up my CVS repository which is on +> my Valhalla box + +Sorry, I don't get it. What's wrong with a release tag of fr1? + +-- +Do I look like a freakin' people person? + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1289.84eadde1bbefccfa683dbe80e2a7b9be b/machine-learning-ex6/ex6/easy_ham/1289.84eadde1bbefccfa683dbe80e2a7b9be new file mode 100644 index 0000000..4f31ff7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1289.84eadde1bbefccfa683dbe80e2a7b9be @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Mon Sep 30 21:45:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 927D716F18 + for ; Mon, 30 Sep 2002 21:44:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:54 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UKZvK14996 for + ; Mon, 30 Sep 2002 21:35:58 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UKY0f21878; Mon, 30 Sep 2002 22:34:00 + +0200 +Received: from yak.fluid.com + (IDENT:FaR+u/czYnH31lnslYs4cinDam/Ze0D5@yak.fluid.com [63.76.105.204]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8UKXHf18283 for + ; Mon, 30 Sep 2002 22:33:17 +0200 +Received: from lefty.fluid.com ([63.76.105.89]) by yak.fluid.com with + esmtp (Exim 4.10 #2) for rpm-list@freshrpms.net id 17w7BJ-0005bh-00; + Mon, 30 Sep 2002 13:30:17 -0700 +Message-Id: <3D98B507.1080608@fluid.com> +From: Troy Engel +Organization: Fluid +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA Problem with Null kernel +References: <20020930203145.570e6717.matthias@egwn.net> + <20020930191916.67869.qmail@web20510.mail.yahoo.com> + <20020930215046.108ba76f.matthias@egwn.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +X-Reply-To: tengel@fluid.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 13:33:11 -0700 +Date: Mon, 30 Sep 2002 13:33:11 -0700 +X-Spam-Status: No, hits=-4.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_URI_COUNT_1_2,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Saou wrote: +> +> I'd like to aks this on the rpm-zzzlist : Would a new dependency of 250k, the +> alsa-lib package, for many packages (mplayer, ogle, xine) be a problem for +> the freshrpms.net packages users? As I really feel like blending ALSA in +> now, especially since I've just spent some time recompiling alsa-kernel +> package for all the Psyche kernels!!! + +I don't know a lot about ALSA, but use custom kernels for many of the +machines -- would this mean, in order to get mplayer (eg) to work, I'd +first have to compile a custom kernel option? or kernel module? Since I +wouldn't have your alsa-kernel(??) installed, would that mean alsa-libs +and so on won't install? + +(I guess, in short, if it *requires* the shipped kernel to be used, I'd +be against --with-alsa as a default?) + +-te + +-- +Troy Engel, Systems Engineer +Cool as the other side of the pillow + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1290.29210c521e898f200036c204a65ebe00 b/machine-learning-ex6/ex6/easy_ham/1290.29210c521e898f200036c204a65ebe00 new file mode 100644 index 0000000..82075d8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1290.29210c521e898f200036c204a65ebe00 @@ -0,0 +1,107 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:32:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9CD7A16F03 + for ; Tue, 1 Oct 2002 10:32:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:32:52 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UKu6K15698 for + ; Mon, 30 Sep 2002 21:56:09 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UKr2f11316; Mon, 30 Sep 2002 22:53:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8UKqGf11224; Mon, 30 Sep 2002 22:52:16 +0200 +From: Matthias Saou +To: Hesty P +Cc: RPM-List +Subject: Re: ALSA Problem with Null kernel +Message-Id: <20020930225131.5fe5aa07.matthias@egwn.net> +In-Reply-To: <20020930203212.61851.qmail@web20512.mail.yahoo.com> +References: <20020930215046.108ba76f.matthias@egwn.net> + <20020930203212.61851.qmail@web20512.mail.yahoo.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 22:51:31 +0200 +Date: Mon, 30 Sep 2002 22:51:31 +0200 +X-Spam-Status: No, hits=-9.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_LONG_SPARSE,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Hesty wrote : + +> > Where you can see : +> > Available rpmbuild rebuild options : +> > --with : alsa +> > --without : aalib lirc libdv arts +> +> Does this mean when rebuilding the package, I'll +> simply +> type: +> > rpmbuild --rebuild .src.rpm --with alsa ? + +Yes it does. And if you're missing the dependencies needed for the selected +options, you'll even be informed! (for ALSA, you'll need alsa-lib-devel for +example) + +> > I'd like to aks this on the rpm-zzzlist : Would a new +> > dependency of 250k, the +> > alsa-lib package, for many packages (mplayer, ogle, +> > xine) be a problem for +> > the freshrpms.net packages users? As I really feel +> > like blending ALSA in +> > now, especially since I've just spent some time +> > recompiling alsa-kernel +> > package for all the Psyche kernels!!! +> > +> +> I'll have no problem at all with this and you get my +> vote on this one. +> +> One problem with alsa-kernel that I've experienced: +> everytime RH issues a new kernel update, I have to +> rebuild my alsa-kernel to match the new kernel. + +Yup... unfortunately the alsa-kernel needs to be rebuilt for each kernel, +and there's no way of avoiding it. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1291.971dfb411b0cf9d2536772d1f62e3a4c b/machine-learning-ex6/ex6/easy_ham/1291.971dfb411b0cf9d2536772d1f62e3a4c new file mode 100644 index 0000000..0cd7875 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1291.971dfb411b0cf9d2536772d1f62e3a4c @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:33:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B781516F16 + for ; Tue, 1 Oct 2002 10:33:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:33:15 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ULnGK17319 for + ; Mon, 30 Sep 2002 22:49:16 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8ULk1f28682; Mon, 30 Sep 2002 23:46:01 + +0200 +Received: from mail.addix.net (kahless.addix.net [195.179.139.19]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8ULj2f23773 for + ; Mon, 30 Sep 2002 23:45:02 +0200 +Received: from kushana.camperquake.de (kushana.camperquake.de + [194.64.167.57]) by mail.addix.net (8.9.3/8.9.3) with ESMTP id XAA17900 + for ; Mon, 30 Sep 2002 23:44:32 +0200 +Received: from nausicaa.camperquake.de ([194.64.167.58] helo=nausicaa) by + kushana.camperquake.de with smtp (Exim 3.36 #1) id 17w8Xs-0005sl-00 for + rpm-list@freshrpms.net; Mon, 30 Sep 2002 23:57:40 +0200 +From: Ralf Ertzinger +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt 0.5.7 on RH 7.x +Message-Id: <20020930235323.0e045818.ralf@camperquake.de> +In-Reply-To: <20020930225946.3f3ae6f3.matthias@egwn.net> +References: <20020930214204.5d631f5b.ralf@camperquake.de> + <20020930220002.15c18770.matthias@egwn.net> + <20020930223956.6c06655a.ralf@camperquake.de> + <20020930225946.3f3ae6f3.matthias@egwn.net> +Organization: [NDC] ;) +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 23:53:23 +0200 +Date: Mon, 30 Sep 2002 23:53:23 +0200 +X-Spam-Status: No, hits=-6.8 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Hi. + +Matthias Saou wrote: + +> repository... and there's where the problem will be : It will say that +> there are two synaptic-0.24-fr1 packages (one installed, the other +> available) with the same version but different dependencies :-/ +> That's why I always keep package versions lower for older distributions. + +Ah, now I see. This is a non-issue here, so I'll rebuild locally :) + +-- +Dog for sale: eats anything and is fond of children. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1292.2f4d5b454214579535ccc3831f2fb37a b/machine-learning-ex6/ex6/easy_ham/1292.2f4d5b454214579535ccc3831f2fb37a new file mode 100644 index 0000000..a51c77d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1292.2f4d5b454214579535ccc3831f2fb37a @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:33:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 115B216F03 + for ; Tue, 1 Oct 2002 10:33:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:33:02 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8UL7LK16124 for + ; Mon, 30 Sep 2002 22:07:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g8UL11f20269; Mon, 30 Sep 2002 23:01:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g8UKxrf13918 for ; Mon, 30 Sep 2002 22:59:54 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt 0.5.7 on RH 7.x +Message-Id: <20020930225946.3f3ae6f3.matthias@egwn.net> +In-Reply-To: <20020930223956.6c06655a.ralf@camperquake.de> +References: <20020930214204.5d631f5b.ralf@camperquake.de> + <20020930220002.15c18770.matthias@egwn.net> + <20020930223956.6c06655a.ralf@camperquake.de> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 22:59:46 +0200 +Date: Mon, 30 Sep 2002 22:59:46 +0200 +X-Spam-Status: No, hits=-11.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ralf wrote : + +> Matthias Saou wrote: +> > My main concern is that when rebuilding the recent packages I've made +> > for Psyche on Valhalla, I'd need to lower the "Release:" tag (to keep +> > an upgrade working), and that would f*ck up my CVS repository which is +> > on my Valhalla box +> +> Sorry, I don't get it. What's wrong with a release tag of fr1? + +Say you have installed synaptic-0.24-fr1 on your Valhalla box (package +rebuilt for Valhalla). Then you upgrade to Psyche using the Red Hat CDs. +Hopefully with the compat libraries the package will still be there +(although I doubt that since C++ is binary incompatible, so this is +probably a bad example), then you "apt-get update" with the new Psyche +repository... and there's where the problem will be : It will say that +there are two synaptic-0.24-fr1 packages (one installed, the other +available) with the same version but different dependencies :-/ +That's why I always keep package versions lower for older distributions. + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1293.10d897dc42804bd393c7ccea0185dc6e b/machine-learning-ex6/ex6/easy_ham/1293.10d897dc42804bd393c7ccea0185dc6e new file mode 100644 index 0000000..f4d4601 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1293.10d897dc42804bd393c7ccea0185dc6e @@ -0,0 +1,70 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:35:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B4EDD16F17 + for ; Tue, 1 Oct 2002 10:35:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:35:41 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g916dmK13528 for + ; Tue, 1 Oct 2002 07:39:49 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g916G1f16249; Tue, 1 Oct 2002 08:16:01 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g916FXf13048 + for ; Tue, 1 Oct 2002 08:15:33 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17wGKr-0002Hx-00 for rpm-list@freshrpms.net; + Tue, 01 Oct 2002 02:16:45 -0400 +X-Originating-Ip: [4.64.17.47] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: use new apt to do null to RH8 upgrade? +Message-Id: <20021001.t5w.10103800@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 01 Oct 2002 06:18:53 +0000 +Date: Tue, 01 Oct 2002 06:18:53 +0000 +X-Spam-Status: No, hits=-2.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Is it possible to use new apt to do (null) to RH8 upgrade? + +Even if it's possible, are there good reasons why maybe I should not do it and +just use the RH iso's (I don't think RH8 will upgrade from (null), maybe up2date +will)? + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1294.13f4a38babc2d7f26fc0f6867694cbd4 b/machine-learning-ex6/ex6/easy_ham/1294.13f4a38babc2d7f26fc0f6867694cbd4 new file mode 100644 index 0000000..4a1b9a5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1294.13f4a38babc2d7f26fc0f6867694cbd4 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:38:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B2C4316F17 + for ; Tue, 1 Oct 2002 10:38:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:38:19 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g918akK17092 for + ; Tue, 1 Oct 2002 09:36:46 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g918S1f18842; Tue, 1 Oct 2002 10:28:01 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g918Rff18785 for + ; Tue, 1 Oct 2002 10:27:41 +0200 +Received: (qmail 32408 invoked by uid 505); 1 Oct 2002 08:27:47 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 1 Oct 2002 08:27:47 -0000 +From: Thomas Vander Stichele +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +In-Reply-To: <20021001.t5w.10103800@www.dudex.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 1 Oct 2002 10:27:47 +0200 (CEST) +Date: Tue, 1 Oct 2002 10:27:47 +0200 (CEST) +X-Spam-Status: No, hits=-5.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +> Is it possible to use new apt to do (null) to RH8 upgrade? + +It might be, don't think anyone tried it yet. + +> Even if it's possible, are there good reasons why maybe I should not do it and +> just use the RH iso's (I don't think RH8 will upgrade from (null), maybe up2date +> will)? + +Yes ;) + +first off, redhat does not support upgrading from beta's to the released +version. That doesn't mean it can't work, it means nobody tried it, they +sure didn't test it or fix anything to make it work, and you're on your +own. + +second, historically a new .0 numbers mostly means "so much has been +changed that you might have problems upgrading from any previous release +anyway". So, historically, most users installing a .0 release do this +from scratch anyway, doing upgrades throughout x.0->x.y. + +If you want to avoid problems, bite the bullet and reinstall ;) + +Thomas + + -- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +And every time she sneezes +I think it's love and oh lord +I'm not ready for this sort of thing +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1295.0a074d85f629ec018959632659ee31ee b/machine-learning-ex6/ex6/easy_ham/1295.0a074d85f629ec018959632659ee31ee new file mode 100644 index 0000000..8b2ca23 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1295.0a074d85f629ec018959632659ee31ee @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 10:50:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D9A2316F16 + for ; Tue, 1 Oct 2002 10:50:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 10:50:40 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g919c0K19186 for + ; Tue, 1 Oct 2002 10:38:00 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g919V1f20747; Tue, 1 Oct 2002 11:31:01 + +0200 +Received: from drone5.qsi.net.nz (drone5-svc-skyt.qsi.net.nz + [202.89.128.5]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g919Tcf13426 + for ; Tue, 1 Oct 2002 11:29:39 +0200 +Received: (qmail 17870 invoked by uid 0); 1 Oct 2002 09:29:35 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 1 Oct 2002 09:29:35 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.35 #1 (Debian)) id 17wXdC-00068C-00 for ; + Wed, 02 Oct 2002 12:44:50 +1200 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <4370000.1033464561@spawn.se7en.org> +In-Reply-To: +References: +X-Mailer: Mulberry/2.2.1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 01 Oct 2002 21:29:21 +1200 +Date: Tue, 01 Oct 2002 21:29:21 +1200 +X-Spam-Status: No, hits=-4.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +I remember apt-get dist-upgrading from 7.2 to 7.3 fine, so it -should- +work, maybe :) + +--On Tuesday, October 01, 2002 10:27:47 +0200 Thomas Vander Stichele + wrote: + +> It might be, don't think anyone tried it yet. + + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1296.7a96b5d20d551aa58e3cd3c404b4e2f5 b/machine-learning-ex6/ex6/easy_ham/1296.7a96b5d20d551aa58e3cd3c404b4e2f5 new file mode 100644 index 0000000..4786227 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1296.7a96b5d20d551aa58e3cd3c404b4e2f5 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 14:51:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3D5A016F03 + for ; Tue, 1 Oct 2002 14:51:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 14:51:22 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g91AHaK20618 for + ; Tue, 1 Oct 2002 11:17:36 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g91AE1f16641; Tue, 1 Oct 2002 12:14:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g91ACkf07988 for + ; Tue, 1 Oct 2002 12:12:46 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021001121244.2d3a0154.matthias@egwn.net> +In-Reply-To: <4370000.1033464561@spawn.se7en.org> +References: + <4370000.1033464561@spawn.se7en.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 1 Oct 2002 12:12:44 +0200 +Date: Tue, 1 Oct 2002 12:12:44 +0200 +X-Spam-Status: No, hits=-8.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Mark wrote : + +> I remember apt-get dist-upgrading from 7.2 to 7.3 fine, so it -should- +> work, maybe :) + +I've done that too, on many production servers. The only little +(unimportant) catch is to replace "kernel-headers" by "glibc-kernheaders", +a simple "apt-get install glibc-kernheaders" taking care of that. + +Upgrading between releases is meant to work, not between betas or beta and +releases. The reason is simple : Some packages may have been downgraded, +some others may have been rebuilt with the same versions but different +dependencies. For both these categories of packages, the upgrade through +apt/rhn/whatever just won't do, as some older packages might be considered +as the newest, thus being kept on the system. + +As Red Hat does, I really don't recommend trying to upgrade between betas +or from a beta to a final release either. Simply backup your /home, /etc +(and /root and/or /usr/local/ if needed) then reinstall cleanly, it'll +probably save a few hassles and you'll get the cleanest possible system ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1297.1a1fe868f3533a56ec611d93345d65e7 b/machine-learning-ex6/ex6/easy_ham/1297.1a1fe868f3533a56ec611d93345d65e7 new file mode 100644 index 0000000..16435cf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1297.1a1fe868f3533a56ec611d93345d65e7 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 14:58:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 618F116F79 + for ; Tue, 1 Oct 2002 14:52:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 14:52:59 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g91BQLK22829 for + ; Tue, 1 Oct 2002 12:26:22 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g91BI0f10144; Tue, 1 Oct 2002 13:18:00 + +0200 +Received: from chip.ath.cx (cs144080.pp.htv.fi [213.243.144.80]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g91BGgf09650 for + ; Tue, 1 Oct 2002 13:16:43 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g91BGPSA032564 for ; + Tue, 1 Oct 2002 14:16:30 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g91BGGDh032559 for + ; Tue, 1 Oct 2002 14:16:21 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +In-Reply-To: <20021001.t5w.10103800@www.dudex.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 1 Oct 2002 14:16:16 +0300 (EEST) +Date: Tue, 1 Oct 2002 14:16:16 +0300 (EEST) +X-Spam-Status: No, hits=-9.0 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_QUOTE_TWICE_1,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Tue, 1 Oct 2002, Angles Puglisi wrote: + + +> Is it possible to use new apt to do (null) to RH8 upgrade? + +Possible - should be, it was possible to update to (null) from RH7.3 with +apt. Did that on my laptop and well.. it was painfull to say the least +(including a ecovery from totally corrupted rpmdb) Don't expect it to be +an easy 'dist-upgrade' at any rate, so much stuff has changed and apt +doesn't always handle all that well the way dependencies are set in +RHL. + +> +> Even if it's possible, are there good reasons why maybe I should not do +> it and just use the RH iso's (I don't think RH8 will upgrade from +> (null), maybe up2date will)? + +It's possible but not supported by RH. I've upgraded both my laptop and my +home box from (null) to RH8.0 and didn't encounter any issues though. + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1298.d2696bf43cfe971dae857c2d0946ad20 b/machine-learning-ex6/ex6/easy_ham/1298.d2696bf43cfe971dae857c2d0946ad20 new file mode 100644 index 0000000..87e5fb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1298.d2696bf43cfe971dae857c2d0946ad20 @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 15:02:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BED7716F85 + for ; Tue, 1 Oct 2002 14:53:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 14:53:39 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g91BsLK23735 for + ; Tue, 1 Oct 2002 12:54:22 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g91Bp0f05478; Tue, 1 Oct 2002 13:51:00 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g91BoCf01587 for + ; Tue, 1 Oct 2002 13:50:12 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Gabber packages for 8.0 (was: All set for Red Hat Linux 8.0) +Message-Id: <20021001135011.74dc6814.matthias@rpmforge.net> +In-Reply-To: <377FE45E-D4A6-11D6-A377-000393D60714@jabber.org> +References: <20020930092826.7c8f5791.matthias@rpmforge.net> + <377FE45E-D4A6-11D6-A377-000393D60714@jabber.org> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 1 Oct 2002 13:50:11 +0200 +Date: Tue, 1 Oct 2002 13:50:11 +0200 +X-Spam-Status: No, hits=-8.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Julian wrote : + +> I would appreciate it if you could get Gabber packages for Red Hat 8. I +> will be making a new release soon, but even in the meantime, 0.8.7 +> packages would be ok. +> +> I know that in the beta, red hat was using a modified version of +> gnome-libs which is incompatible with the latest gnomemm. If this is +> still the case in 8, I can send you a patch which makes gnomemm work +> again... + +I'm facing another problem right now. It looks like libsigc++ is no longer +included in the distribution, and gtkmm won't compile without it :-/ +I guess I'll have to repackage it myself for 8.0 (assuming it's possible). + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.28 0.15 0.10 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1299.072df7fa1fc07de40459983f730b82ca b/machine-learning-ex6/ex6/easy_ham/1299.072df7fa1fc07de40459983f730b82ca new file mode 100644 index 0000000..b796f25 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1299.072df7fa1fc07de40459983f730b82ca @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Tue Oct 1 15:05:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D735E16FB3 + for ; Tue, 1 Oct 2002 14:55:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 14:55:03 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g91DKNK26570 for + ; Tue, 1 Oct 2002 14:20:24 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g91DC1f11003; Tue, 1 Oct 2002 15:12:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g91DBTf10655 for + ; Tue, 1 Oct 2002 15:11:29 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Gabber packages for 8.0 (was: All set for Red Hat Linux 8.0) +Message-Id: <20021001151127.5ef5b77d.matthias@rpmforge.net> +In-Reply-To: <20021001135011.74dc6814.matthias@rpmforge.net> +References: <20020930092826.7c8f5791.matthias@rpmforge.net> + <377FE45E-D4A6-11D6-A377-000393D60714@jabber.org> + <20021001135011.74dc6814.matthias@rpmforge.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 1 Oct 2002 15:11:27 +0200 +Date: Tue, 1 Oct 2002 15:11:27 +0200 +X-Spam-Status: No, hits=-9.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Matthias wrote : + +> I'm facing another problem right now. It looks like libsigc++ is no +> longer included in the distribution, and gtkmm won't compile without it +> :-/ I guess I'll have to repackage it myself for 8.0 (assuming it's +> possible). + +Well, I've made an updated libsigc++ 1.0.4 package. It rebuilds cleanly on +7.3 but the *.so* libraries are missing when trying to rebuild on 8.0 (the +.a and .la files and everything else is though). +Do you have an idea of what the problem may be? Julian : Do you want the +.src.rpm to try to find the cause? + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.19 0.15 0.16 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1300.1205d98fa8824ba6fcdf0b04f68d4baf b/machine-learning-ex6/ex6/easy_ham/1300.1205d98fa8824ba6fcdf0b04f68d4baf new file mode 100644 index 0000000..c80893b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1300.1205d98fa8824ba6fcdf0b04f68d4baf @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:41:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B4CC216F03 + for ; Wed, 2 Oct 2002 11:41:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:41:24 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g91NrMK17225 for + ; Wed, 2 Oct 2002 00:53:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g91Nl2f13853; Wed, 2 Oct 2002 01:47:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g91Nk9f13026 + for ; Wed, 2 Oct 2002 01:46:09 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17wWja-0003FF-00 for rpm-list@freshrpms.net; + Tue, 01 Oct 2002 19:47:22 -0400 +X-Originating-Ip: [66.92.157.2] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021001.558.00260600@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 01 Oct 2002 23:49:35 +0000 +Date: Tue, 01 Oct 2002 23:49:35 +0000 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Matthias Saou (matthias@egwn.net) wrote*: +>As Red Hat does, I really don't recommend trying to upgrade between betas +>or from a beta to a final release either. Simply backup your /home, /etc +>(and /root and/or /usr/local/ if needed) then reinstall cleanly, it'll +>probably save a few hassles and you'll get the cleanest possible system ;-) +> + +I think this is probably the best way, because I think (maybe) with upgrading you +do not always automatically get the latest feature enabled in some config file +because RH would rather take it easy and not update that config file (you get a +rpmnew instead of rpmsaved file) so they get less calls to support that way. + +Anyway, I have tons of media files in /home/* probably 5 to 10 gigs at least, my +laptop's CDROM takes 700MB at a time (obviously) and compressing media files is +dumb because they are already compressed. Dumb question: how to backup huge data? +Network backup to another box? I do not have a box with a tape drive, but maybe box +with a large HD with much free space could take the backup (oops, I do not have a +space computer with a large HD with much free space). + +These media files are backed up - ON THE CD'S THEY CAME FROM! Yes I learned that +used CDs make inexpensive backup copy on the shelf. I do not want to re-rip all +this crap again. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1301.7d4abb56d43695d968aafd6f15f5bbb3 b/machine-learning-ex6/ex6/easy_ham/1301.7d4abb56d43695d968aafd6f15f5bbb3 new file mode 100644 index 0000000..23b1b28 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1301.7d4abb56d43695d968aafd6f15f5bbb3 @@ -0,0 +1,111 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:43:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4E69D16F16 + for ; Wed, 2 Oct 2002 11:43:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:43:33 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g927nWK31439 for + ; Wed, 2 Oct 2002 08:49:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g927j2f22429; Wed, 2 Oct 2002 09:45:02 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g927i8f17614 for + ; Wed, 2 Oct 2002 09:44:08 +0200 +Received: (qmail 8898 invoked by uid 505); 2 Oct 2002 07:44:15 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 2 Oct 2002 07:44:15 -0000 +From: Thomas Vander Stichele +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +In-Reply-To: <20021001.558.00260600@www.dudex.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 09:44:15 +0200 (CEST) +Date: Wed, 2 Oct 2002 09:44:15 +0200 (CEST) +X-Spam-Status: No, hits=-6.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +> Matthias Saou (matthias@egwn.net) wrote*: +> >As Red Hat does, I really don't recommend trying to upgrade between betas +> >or from a beta to a final release either. Simply backup your /home, /etc +> >(and /root and/or /usr/local/ if needed) then reinstall cleanly, it'll +> >probably save a few hassles and you'll get the cleanest possible system ;-) +> +> I think this is probably the best way, because I think (maybe) with upgrading you +> do not always automatically get the latest feature enabled in some config file +> because RH would rather take it easy and not update that config file (you get a +> rpmnew instead of rpmsaved file) so they get less calls to support that way. + +If you dislike Red Hat, why use it ? This was a really bad argument +against using Red Hat that makes no sense at all. I for one am GLAD that +they +a) don't overwrite your config files on a whim (be GLAD they don't do some +sort of autodetection and changing crap) +b) tell you on rpm upgrade what config files you should look at because +formats have changed. + +Red Hat is not "taking it easy" on this, it's putting control in the hands +of you, the maintainer of the machine. Don't be lazy. + +> Anyway, I have tons of media files in /home/* probably 5 to 10 gigs at least, my +> laptop's CDROM takes 700MB at a time (obviously) and compressing media files is +> dumb because they are already compressed. Dumb question: how to backup huge data? +> Network backup to another box? I do not have a box with a tape drive, but maybe box +> with a large HD with much free space could take the backup (oops, I do not have a +> space computer with a large HD with much free space). + +You don't need to backup /home if you are careful enough. You did put +/home on a separate partition, no ? Just install rh80 and tell it to use +the same partition as /home and tell it to NOT format it, but keep the +data as is. + +If you didn't put /home on a separate partition, then you really do need +to make backups. Use an nfs or smb mount from another machine to backup +and rsync straight to the mount, or if that's not possible, rsync over +ssh. It's the best way to make backups. + +> These media files are backed up - ON THE CD'S THEY CAME FROM! + +It's the other way around - your media files are backups of the CD's they +came from ;) + +Good luck, +Thomas +-- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +You know the shape my breath will take before I let it out +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1302.cf60285f99cfeeca015a2c1a02cfba61 b/machine-learning-ex6/ex6/easy_ham/1302.cf60285f99cfeeca015a2c1a02cfba61 new file mode 100644 index 0000000..59f65e2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1302.cf60285f99cfeeca015a2c1a02cfba61 @@ -0,0 +1,114 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:44:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 77D6A16F03 + for ; Wed, 2 Oct 2002 11:44:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:44:08 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9283uK31858 for + ; Wed, 2 Oct 2002 09:03:58 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g927u1f09457; Wed, 2 Oct 2002 09:56:01 + +0200 +Received: from mta7.pltn13.pbi.net (mta7.pltn13.pbi.net [64.164.98.8]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g927sxf03169 for + ; Wed, 2 Oct 2002 09:55:00 +0200 +Received: from eecs.berkeley.edu ([63.192.217.110]) by mta7.pltn13.pbi.net + (iPlanet Messaging Server 5.1 (built May 7 2001)) with ESMTP id + <0H3C00KKSGNKBC@mta7.pltn13.pbi.net> for rpm-list@freshrpms.net; + Wed, 02 Oct 2002 00:54:58 -0700 (PDT) +From: Ben Liblit +Subject: alsa-driver.spec tweak for homemade kernels +To: rpm-zzzlist@freshrpms.net +Message-Id: <3D9AA650.2000909@eecs.berkeley.edu> +MIME-Version: 1.0 +Content-Type: multipart/mixed; boundary="Boundary_(ID_KtnWPrcWHTTzQa7OHxPjiA)" +X-Accept-Language: en-us, en +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 00:54:56 -0700 +Date: Wed, 02 Oct 2002 00:54:56 -0700 +X-Spam-Status: No, hits=0.2 required=5.0 + tests=KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. + +--Boundary_(ID_KtnWPrcWHTTzQa7OHxPjiA) +Content-type: text/plain; charset=us-ascii; format=flowed +Content-transfer-encoding: 7BIT + +I use a mostly Red Hat 8.0 system, but prefer to configure and build my +kernel by hand. I'd like to humbly offer a tweak to alsa-driver.spec +that helps it build cleanly under such circumstances. I recognize that +freshrpms.net packages are designed with standard Red Hat in mind, +including a standard kernel RPM. However, I hope that Matthias will +consider the tweak small enough to justify its incorporation. + +The diff is attached below. The first part of the diff contains a +conditional that checks to see if the expected RPM is installed. If it +is, %{karch} is set as before and a new %{krpm} flag is set to 1. If +the expected RPM is not installed, then %{karch} is instead set using +"uname -p", while %{krpm} is left undefined. + +The second part of the diff is simpler. We only require that +kernel-source be installed if the kernel itself came from an RPM. (If +the kernel was hand-built, the presumably the user knows enough to have +retained the sources in the expected place.) + +Again, I realize that I'm operating "off warrantee" by not using a Red +Hat kernel RPM. Matthias, if you think this tweak is reasonable and not +too ugly, I'd love to see you pick it up. If not, well at least this +message will sit in the archives and may help other folks in the future. + +--Boundary_(ID_KtnWPrcWHTTzQa7OHxPjiA) +Content-type: video/mng; name=diffs +Content-transfer-encoding: base64 +Content-disposition: inline; filename=diffs + +LS0tIGFsc2EtZHJpdmVyLnNwZWMub3JpZwkyMDAyLTEwLTAxIDEzOjExOjQ0LjAwMDAwMDAw +MCAtMDcwMAorKysgYWxzYS1kcml2ZXIuc3BlYwkyMDAyLTEwLTAyIDAwOjM4OjIyLjAwMDAw +MDAwMCAtMDcwMApAQCAtOCw3ICs4LDEyIEBACiAlaWYgJSh1bmFtZSAtciB8IGdyZXAgLWMg +c21wKQogCSV7ZXhwYW5kOiUlZGVmaW5lIGtzbXAgLXNtcH0KICVlbmRpZgotJWRlZmluZQlr +YXJjaAkJJShycG0gLXEgLS1xZiAnJSV7YXJjaH0nIGtlcm5lbCV7P2tzbXB9LSV7a3ZlcnNp +b259KQorJWlmICUocnBtIC1xIGtlcm5lbCV7P2tzbXB9LSV7a3ZlcnNpb259ID4vZGV2L251 +bGw7IGVjaG8gJD8pCisJJWRlZmluZQlrYXJjaAkJJSh1bmFtZSAtcCkKKyVlbHNlCisJJWRl +ZmluZSBrcnBtCQkxCisJJWRlZmluZQlrYXJjaAkJJShycG0gLXEgLS1xZiAnJSV7YXJjaH0n +IGtlcm5lbCV7P2tzbXB9LSV7a3ZlcnNpb259KQorJWVuZGlmCiAlZGVmaW5lCWtyZWx2ZXIJ +CSUoZWNobyAle2t2ZXJzaW9ufSB8IHRyIC1zICctJyAnXycpCiAKIFN1bW1hcnk6IFRoZSBB +ZHZhbmNlZCBMaW51eCBTb3VuZCBBcmNoaXRlY3R1cmUgKEFMU0EpIGJhc2UgZmlsZXMuCkBA +IC0yNSw3ICszMCw4IEBACiBCdWlsZFJvb3Q6ICV7X3RtcHBhdGh9LyV7bmFtZX0tJXt2ZXJz +aW9ufS1yb290CiBCdWlsZEFyY2g6ICV7a2FyY2h9CiBSZXF1aXJlczogYWxzYS1rZXJuZWwg +PSAle3ZlcnNpb259LCAvc2Jpbi9kZXBtb2QKLUJ1aWxkUmVxdWlyZXM6IGtlcm5lbC1zb3Vy +Y2UgPSAle2t2ZXJzaW9ufSwgTUFLRURFVgorJXs/a3JwbTpCdWlsZFJlcXVpcmVzOiBrZXJu +ZWwtc291cmNlID0gJXtrdmVyc2lvbn19CitCdWlsZFJlcXVpcmVzOiBNQUtFREVWCiAKICVk +ZXNjcmlwdGlvbgogVGhlIEFkdmFuY2VkIExpbnV4IFNvdW5kIEFyY2hpdGVjdHVyZSAoQUxT +QSkgcHJvdmlkZXMgYXVkaW8gYW5kIE1JREkK + +--Boundary_(ID_KtnWPrcWHTTzQa7OHxPjiA)-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1303.b8fb03a2de8615f9287086ccc71a4282 b/machine-learning-ex6/ex6/easy_ham/1303.b8fb03a2de8615f9287086ccc71a4282 new file mode 100644 index 0000000..5517666 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1303.b8fb03a2de8615f9287086ccc71a4282 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:44:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BC29D16F17 + for ; Wed, 2 Oct 2002 11:44:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:44:19 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9286jK31946 for + ; Wed, 2 Oct 2002 09:06:45 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92820f00306; Wed, 2 Oct 2002 10:02:00 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g92810f32557 for ; Wed, 2 Oct 2002 10:01:00 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.comamakiriad.com (8.11.6/8.11.6) with SMTP id + g9280mM07865 for ; Wed, 2 Oct 2002 03:00:48 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002030039.706c6eca.kilroy@kamakiriad.com> +In-Reply-To: +References: <20021001.558.00260600@www.dudex.net> + +X-Mailer: Sylpheed version 0.8.3 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 03:00:39 -0500 +Date: Wed, 2 Oct 2002 03:00:39 -0500 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Wed, 2 Oct 2002 09:44:15 +0200 (CEST), Thomas Vander Stichele wrote: + +> > Matthias Saou (matthias@egwn.net) wrote*: +> > >As Red Hat does, I really don't recommend trying to upgrade between betas +> > >or from a beta to a final release either. Simply backup your /home, /etc +> > >(and /root and/or /usr/local/ if needed) then reinstall cleanly, it'll +> > >probably save a few hassles and you'll get the cleanest possible system ;-) + + Yeah, I need to work this out, too; I just learned my lesson about living on the bleeding edge. Lesson learned? NO MORE XIMIAN, UNDER ANY CIRCUMSTANCES. Man, that was annoying. + + Anyway, I have returned to Redhat 7.3 on my root filesystem (saved my home directories, music and games on other partitions) and while I have the 8.0 stuff in the list, everything I want to upgrade requires 200+ RPMs. + + I'm not opposed to this, but apt is. "apt-get dist-upgrade" dumps core. + + What's the inside secret here, or do I just start searching mirrors for the ISO and get over it? + + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +Just machines, to make big decisions- programmed by fellas with +compassion and vision. We'll be clean when that work is done; +Eternally free and eternally young. Linux. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1304.10546e3c5e1352134ff26c0e49f72864 b/machine-learning-ex6/ex6/easy_ham/1304.10546e3c5e1352134ff26c0e49f72864 new file mode 100644 index 0000000..c5dcecf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1304.10546e3c5e1352134ff26c0e49f72864 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:44:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5598A16F03 + for ; Wed, 2 Oct 2002 11:44:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:44:55 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g928DqK32287 for + ; Wed, 2 Oct 2002 09:13:52 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g928A2f07451; Wed, 2 Oct 2002 10:10:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g9289Pf04600 for ; Wed, 2 Oct 2002 10:09:25 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels +Message-Id: <20021002100919.2e3168a8.matthias@rpmforge.net> +In-Reply-To: <3D9AA650.2000909@eecs.berkeley.edu> +References: <3D9AA650.2000909@eecs.berkeley.edu> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 10:09:19 +0200 +Date: Wed, 2 Oct 2002 10:09:19 +0200 +X-Spam-Status: No, hits=-2.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ben wrote : + +> I use a mostly Red Hat 8.0 system, but prefer to configure and build my +> kernel by hand. I'd like to humbly offer a tweak to alsa-driver.spec +> that helps it build cleanly under such circumstances. I recognize that +> freshrpms.net packages are designed with standard Red Hat in mind, +> including a standard kernel RPM. However, I hope that Matthias will +> consider the tweak small enough to justify its incorporation. + +Well, I don't really find it consistent at all to use an rpm package built +against something that wasn't installed through rpm :-/ + +What I'd recommend in your case : You should keep at least one original Red +Hat Linux kernel (you do just in case, right? ;-)) and install the matching +alsa-kernel package as you'll need at least one because of the +dependencies. Then for your custom built kernel, simply "./configure +--with-cards=all && make && make install DESTDIR=/tmp/alsa-driver" from the +alsa-driver sources then as root copy all the modules under +/tmp/alsa-driver/lib/modules/ to your modules dir and run "depmod -a". + +Of course you can even make it much faster by not compiling all un-needed +drivers, as I guess that's one of the reasons one would rebuild his own +kernel. + +I find this the easiest and cleanest way to get around the problem. It's +what I've done and what I'll keep doing on my laptop where I'm running a +kernel recompiled with ACPI. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.00 0.02 0.00 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1305.079d27bad970916d43f450d17afb2be2 b/machine-learning-ex6/ex6/easy_ham/1305.079d27bad970916d43f450d17afb2be2 new file mode 100644 index 0000000..dc9ec25 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1305.079d27bad970916d43f450d17afb2be2 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:45:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ECFA016F03 + for ; Wed, 2 Oct 2002 11:45:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:45:03 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g928tEK01164 for + ; Wed, 2 Oct 2002 09:55:16 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g928q1f03349; Wed, 2 Oct 2002 10:52:01 + +0200 +Received: from adsl-63-192-217-110.dsl.snfc21.pacbell.net + (adsl-63-192-217-110.dsl.snfc21.pacbell.net [63.192.217.110]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g928pYf03254 for + ; Wed, 2 Oct 2002 10:51:35 +0200 +Received: from eecs.berkeley.edu (localhost [127.0.0.1]) by + adsl-63-192-217-110.dsl.snfc21.pacbell.net (Postfix) with ESMTP id + 1F8CB3BA5C for ; Wed, 2 Oct 2002 01:51:33 -0700 + (PDT) +Message-Id: <3D9AB394.F7C2C9A4@eecs.berkeley.edu> +From: Ben Liblit +X-Mailer: Mozilla 4.79 [en] (X11; U; Linux 2.4.19 i686) +X-Accept-Language: en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels +References: <3D9AA650.2000909@eecs.berkeley.edu> + <20021002100919.2e3168a8.matthias@rpmforge.net> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 01:51:32 -0700 +Date: Wed, 02 Oct 2002 01:51:32 -0700 +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,USER_AGENT_MOZILLA_XM, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Saou wrote: +> Well, I don't really find it consistent at all to use an rpm package +> built against something that wasn't installed through rpm :-/ + +Oh well. Fair enough. + +> What I'd recommend in your case [...] + +Ugh, way too much manual labor. :-) + +What I've done instead is to create a tiny little "kernel.spec" that +installs no files but claims to produce a kernel package having version +number `uname -r` for architecture `uname -p`. It also claims to +provide kernel-sources at the same version. That is enough to make +alsa-driver.spec happy, and at least forms a reasonable representation +of what my homemade kernel provides to the system. I should have +thought of this approach sooner. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1306.3b683083387258330ff8d33a8bf36aae b/machine-learning-ex6/ex6/easy_ham/1306.3b683083387258330ff8d33a8bf36aae new file mode 100644 index 0000000..c88450a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1306.3b683083387258330ff8d33a8bf36aae @@ -0,0 +1,101 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:45:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A14BB16F16 + for ; Wed, 2 Oct 2002 11:45:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:45:05 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g928tEK01163 for + ; Wed, 2 Oct 2002 09:55:15 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g928s3f14313; Wed, 2 Oct 2002 10:54:03 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g928rQf05978 for + ; Wed, 2 Oct 2002 10:53:27 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002105324.5ee715d2.matthias@egwn.net> +In-Reply-To: <20021002030039.706c6eca.kilroy@kamakiriad.com> +References: <20021001.558.00260600@www.dudex.net> + + <20021002030039.706c6eca.kilroy@kamakiriad.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 10:53:24 +0200 +Date: Wed, 2 Oct 2002 10:53:24 +0200 +X-Spam-Status: No, hits=-10.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Brian wrote : + +> Yeah, I need to work this out, too; I just learned my lesson about +> living on the bleeding edge. Lesson learned? NO MORE XIMIAN, UNDER +> ANY CIRCUMSTANCES. Man, that was annoying. + +We all learned that sooner or later, right? When I got down to that myself +is when I started redhat.aldil.org, now known as freshrpms.net ;-) + +> Anyway, I have returned to Redhat 7.3 on my root filesystem (saved my +> home directories, music and games on other partitions) and while I +> have the 8.0 stuff in the list, everything I want to upgrade requires +> 200+ RPMs. +> +> I'm not opposed to this, but apt is. "apt-get dist-upgrade" dumps +> core. + +Strange. +Anyway, although I'd easily recommend upgrading 7.x to 7.3 using apt, I +wouldn't for 7.x to 8.0 as they are C++ binary incompatible... and apt is +entirely written in C++ and dynamically linked :-/ + +Still, that doesn't explain a core dump :-( + +> What's the inside secret here, or do I just start searching mirrors +> for the ISO and get over it? + +Why "search"? There's more than enough to choose from here : +http://freshrpms.net/mirrors/psyche.html + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1307.e200557eef5893f75746c1876b337152 b/machine-learning-ex6/ex6/easy_ham/1307.e200557eef5893f75746c1876b337152 new file mode 100644 index 0000000..9b95f8b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1307.e200557eef5893f75746c1876b337152 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:45:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AB06A16F17 + for ; Wed, 2 Oct 2002 11:45:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:45:14 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g929gaK02863 for + ; Wed, 2 Oct 2002 10:42:36 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g929e2f01180; Wed, 2 Oct 2002 11:40:02 + +0200 +Received: from chip.ath.cx (cs144080.pp.htv.fi [213.243.144.80]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g929duf01097 for + ; Wed, 2 Oct 2002 11:39:56 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g929dbSA006880; Wed, 2 Oct 2002 12:39:38 + +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g929datv006876; Wed, 2 Oct 2002 + 12:39:37 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: apt-rpm@distro.conectiva.com.br, +Subject: Debian-style task-packages for RH8.0 available +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 12:39:34 +0300 (EEST) +Date: Wed, 2 Oct 2002 12:39:34 +0300 (EEST) +X-Spam-Status: No, hits=-5.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +Hi, + +This has been hashed over a few times on various lists, now I finally got +around to doing something about it... You can now add +"rpm http://koti.welho.com/pmatilai/ redhat/8.0 task" to your sources.list +and after apt-get update you can find out what's available with +'apt-cache search ^task-' + +These are generated directly from comps.xml of RH8.0 so they contain +exactly the same packages as you'll get by choosing the various categories +at install time. I didn't bother including SRPMS for these as they are +rather uninteresting, if you want you can re-generate the .specs by +running http://koti.welho.com/pmatilai/comps2task/comps2task.py. + +BTW the repository only contains the task-packages, you'll need an +apt-enabled mirror of RH8.0 in your sources.list to actually do anything +with it. + +-- + - Panu - + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1308.f86cade0799b6d8cf98818a1bc598f7d b/machine-learning-ex6/ex6/easy_ham/1308.f86cade0799b6d8cf98818a1bc598f7d new file mode 100644 index 0000000..1c8c232 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1308.f86cade0799b6d8cf98818a1bc598f7d @@ -0,0 +1,93 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:45:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1D72716F16 + for ; Wed, 2 Oct 2002 11:45:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:45:17 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g929n8K03014 for + ; Wed, 2 Oct 2002 10:49:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g929k0f29598; Wed, 2 Oct 2002 11:46:00 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g929jZf25241 for + ; Wed, 2 Oct 2002 11:45:35 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: freshrpms.net resources (was Re: use new apt to do null to RH8 + upgrade?) +Message-Id: <20021002114533.42cc8de8.matthias@egwn.net> +In-Reply-To: <20021002041852.14c612cb.kilroy@kamakiriad.com> +References: <20021001.558.00260600@www.dudex.net> + + <20021002030039.706c6eca.kilroy@kamakiriad.com> + <20021002105324.5ee715d2.matthias@egwn.net> + <20021002041852.14c612cb.kilroy@kamakiriad.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 11:45:33 +0200 +Date: Wed, 2 Oct 2002 11:45:33 +0200 +X-Spam-Status: No, hits=-12.4 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Brian wrote : + +> Yeah, but I try to 'take it easy' on your server. The golden rule of +> the internet: when you find a free resource, don't piss'em off! :) I +> really appreciate your work; you get done the things I wish I could, +> and I respect that. + +Don't worry too much : The day the server gets too busy, I'll cleanup and +publish the addresses of some mirrors, as many ftp mirrors exist (I'm aware +of at least 15), and even an apt one :-) +For now, the limit is far enough : When I unlocked the Psyche ISO images on +Monday, the bandwidth usage on the current (ftp|http|rsync) freshrpms.net +server went up to 90Mbps sustained, which is not bad as the server has a +100Mbps physical NIC! Of course, I'd get in trouble if it was always like +that, but the average used when no new Red Hat release is there is between +2 and 4Mbps, which my company tolerates, as I've convinced them it's a +useful return to the community providing us the great operating system all +our servers are running ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1309.a63c188095d5f70604ec9c3a5f96ce0e b/machine-learning-ex6/ex6/easy_ham/1309.a63c188095d5f70604ec9c3a5f96ce0e new file mode 100644 index 0000000..9ec79c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1309.a63c188095d5f70604ec9c3a5f96ce0e @@ -0,0 +1,102 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 11:45:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 72F8016F03 + for ; Wed, 2 Oct 2002 11:45:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:45:07 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g929MRK02153 for + ; Wed, 2 Oct 2002 10:22:28 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g929K2f05616; Wed, 2 Oct 2002 11:20:02 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g929JBf01178 for ; Wed, 2 Oct 2002 11:19:11 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.comamakiriad.com (8.11.6/8.11.6) with SMTP id + g929J2M08406 for ; Wed, 2 Oct 2002 04:19:02 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002041852.14c612cb.kilroy@kamakiriad.com> +In-Reply-To: <20021002105324.5ee715d2.matthias@egwn.net> +References: <20021001.558.00260600@www.dudex.net> + + <20021002030039.706c6eca.kilroy@kamakiriad.com> + <20021002105324.5ee715d2.matthias@egwn.net> +X-Mailer: Sylpheed version 0.8.3 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 04:18:52 -0500 +Date: Wed, 2 Oct 2002 04:18:52 -0500 +X-Spam-Status: No, hits=-6.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Wed, 2 Oct 2002 10:53:24 +0200, Matthias Saou wrote: + +> > Anyway, I have returned to Redhat 7.3 on my root filesystem (saved my +> > home directories, music and games on other partitions) and while I +> > have the 8.0 stuff in the list, everything I want to upgrade requires +> > 200+ RPMs. + + Yeah, but I try to 'take it easy' on your server. The golden rule of the internet: when you find a free resource, don't piss'em off! :) I really appreciate your work; you get done the things I wish I could, and I respect that. + +> Anyway, although I'd easily recommend upgrading 7.x to 7.3 using apt, I +> wouldn't for 7.x to 8.0 as they are C++ binary incompatible... and apt is +> entirely written in C++ and dynamically linked :-/ + + OK, I'll search for the ISOs on the one remaining site that isn't hammered. :) + +> Still, that doesn't explain a core dump :-( + + Sure: this is a linking issue, right? Right now I'm still pure-vanilla. I have the stock version of rpm/rpmlib/popt/etc and the recommended version of apt that you gave me. No, wait...there's no new code getting loaded. I don't know, either. It's been a long day. + +> > What's the inside secret here, or do I just start searching mirrors +> > for the ISO and get over it? +> +> Why "search"? There's more than enough to choose from here : +> http://freshrpms.net/mirrors/psyche.html + + The hunt continues- with a new field! (Actually I checked there yesterday, but it's worth another shot.) + + Thanks! + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +Just machines, to make big decisions- programmed by fellas with +compassion and vision. We'll be clean when that work is done; +Eternally free and eternally young. Linux. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1310.2e2ac50f5a9535c6727c5d8a44f0ebda b/machine-learning-ex6/ex6/easy_ham/1310.2e2ac50f5a9535c6727c5d8a44f0ebda new file mode 100644 index 0000000..d560d2a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1310.2e2ac50f5a9535c6727c5d8a44f0ebda @@ -0,0 +1,108 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 18:17:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C078416F03 + for ; Wed, 2 Oct 2002 18:17:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 18:17:51 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92H6BK18308 for + ; Wed, 2 Oct 2002 18:06:11 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92Gw1f18580; Wed, 2 Oct 2002 18:58:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g92GvUf14924 for + ; Wed, 2 Oct 2002 18:57:30 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002185728.7334502b.matthias@egwn.net> +In-Reply-To: <20021002.siy.77121800@www.dudex.net> +References: <20021002.siy.77121800@www.dudex.net> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 18:57:28 +0200 +Date: Wed, 2 Oct 2002 18:57:28 +0200 +X-Spam-Status: No, hits=-14.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, ""Angles" wrote : + +> When I went all "Open Source", I stopped using my old partioning app +> (partition magic?). For the RH7 install I used FIPS (a couple times). +> Then ext3 came out and my old commercial partioning app is real old, so I +> ask what OS software can non-destructively repartition a HD so I can put +> /home on a seperate partition now? + +Parted is your friend! You can't do _everything_, the most limiting being +that you can't move the start of a partition, but it's quite powerful +nevertheless, and I've been very happy with it the few times I've had to +use it. + +> >If you didn't put /home on a separate partition, +> +> With winbloze 9x I used to deltree the winbloze dir and some "Program +> Files" dirs, and install "fresh" instead of upgrade, while saving my +> other data. Can this trick be used with this RH8 upgrade? Example rpm -e +> everything so all packages are gone, hit "reset" button and boot to +> redhat CDROM in admin (rescue?) mode, delete all those config files left, +> like "/etc/*", then do an install BUT NOT FORMAT THAT SINGLE PARTITION +> that I'm installing on. If I can hack the details, is this theory +> accurate, or will RH want to destructively install and elimate all +> existing files? + +You're really better off backuping all placed where you know you've hand +edited or installed some files. For me that's only /etc/, /root/ and +/home/. Then you reinstall cleanly, formating "/", put your /home/ files +back into place and you're ready to go. +That's the moment I usually realize I had a nifty tweak to a file in +/etc/sysconfig/network-scripts/ or some special parameters added to an +/etc/modules.conf entry... so I look at my backup and make the same change +again. The only thing where you can get stuck is the grub.conf files, +because although there's a /etc/grub.conf link, it's actually in +/boot/grub/ so you may want to copy it too if you have special kernel +parameters to save (I have to pass "pci=bios,biosirq" for one of my +computers to work for example). + +HTH, +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1311.1b2aa5b1599ab89a91f09ef1f1dc9989 b/machine-learning-ex6/ex6/easy_ham/1311.1b2aa5b1599ab89a91f09ef1f1dc9989 new file mode 100644 index 0000000..b87f825 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1311.1b2aa5b1599ab89a91f09ef1f1dc9989 @@ -0,0 +1,130 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 21:15:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C19D816F16 + for ; Wed, 2 Oct 2002 21:15:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 21:15:46 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92JeNK24434 for + ; Wed, 2 Oct 2002 20:40:23 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92Jc0f24595; Wed, 2 Oct 2002 21:38:00 + +0200 +Received: from taz.localdomain (adsl-66-124-59-34.dsl.anhm01.pacbell.net + [66.124.59.34]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g92Jbkf24533 for ; Wed, 2 Oct 2002 21:37:46 +0200 +Received: by taz.localdomain (Postfix, from userid 500) id BBD8189D0; + Wed, 2 Oct 2002 12:36:02 -0700 (PDT) +From: Gary Peck +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels +Message-Id: <20021002193602.GC6266@taz.home.priv> +Mail-Followup-To: Gary Peck , + rpm-list@freshrpms.net +References: <3D9AA650.2000909@eecs.berkeley.edu> + <20021002100919.2e3168a8.matthias@rpmforge.net> +MIME-Version: 1.0 +Content-Type: multipart/mixed; boundary="RnlQjJ0d97Da+TV1" +Content-Disposition: inline +In-Reply-To: <20021002100919.2e3168a8.matthias@rpmforge.net> +User-Agent: Mutt/1.4i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 12:36:02 -0700 +Date: Wed, 2 Oct 2002 12:36:02 -0700 +X-Spam-Status: No, hits=-8.4 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PATCH_UNIFIED_DIFF,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--RnlQjJ0d97Da+TV1 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline + +On Wed, Oct 02, 2002 at 10:09:19AM +0200, Matthias Saou wrote: +> Well, I don't really find it consistent at all to use an rpm package built +> against something that wasn't installed through rpm :-/ + +Following that reasoning, I've been installing all my custom-built +kernels through rpm recently. I find it annoying, though, that +alsa-kernel, and similar packages, will only build for the currently +running kernel. + +So I've attached a patch to specify an alternate kernel by setting the +"TARGET_KERNEL" environment variable before running rpmbuild. You +still need to have the rpm for the specified kernel installed, but at +least it doesn't have to be currently running. It's kinda hackish, so +if someone has a better way to do this, let me know. + +gary + +--RnlQjJ0d97Da+TV1 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline; filename="alsa-driver-spec.patch" + +--- alsa-driver.spec.orig 2002-10-02 12:25:26.000000000 -0700 ++++ alsa-driver.spec 2002-10-01 21:23:19.000000000 -0700 +@@ -3,9 +3,12 @@ + # Comma separated list of cards for which to compile a driver + %define cards all + +-%define kunamer %(uname -r) +-%define kversion %(echo $(uname -r) | sed -e s/smp// -) +-%if %(uname -r | grep -c smp) ++%if %(printenv TARGET_KERNEL >/dev/null && echo -n 1 || echo -n 0) ++%define usekernel %(echo -n $TARGET_KERNEL) ++%endif ++%define kunamer %{!?usekernel: %(uname -r)}%{?usekernel} ++%define kversion %(echo %{kunamer} | sed -e s/smp// -) ++%if %(echo %{kunamer} | grep -c smp) + %{expand:%%define ksmp -smp} + %endif + %define karch %(rpm -q --qf '%%{arch}' kernel%{?ksmp}-%{kversion}) +@@ -77,6 +80,7 @@ + %{?_without_isapnp:--with-isapnp=no} \ + %{?_without_sequencer:--with-sequencer=no} \ + %{?_without_oss:--with-oss=no} \ ++ %{?usekernel:--with-kernel=/lib/modules/%{usekernel}/build} \ + --with-cards=%{cards} + make + +@@ -106,10 +109,10 @@ + rm -f %{buildroot}/etc/rc.d/init.d/alsasound + + %post -n alsa-kernel%{?ksmp} +-/sbin/depmod -a ++/sbin/depmod -a -F /boot/System.map-%{kunamer} %{kunamer} + + %postun -n alsa-kernel%{?ksmp} +-/sbin/depmod -a ++/sbin/depmod -a -F /boot/System.map-%{kunamer} %{kunamer} + + %clean + rm -rf %{buildroot} + +--RnlQjJ0d97Da+TV1-- + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1312.cb81f191343dc4f26a8a601cf73d790f b/machine-learning-ex6/ex6/easy_ham/1312.cb81f191343dc4f26a8a601cf73d790f new file mode 100644 index 0000000..fffbb1e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1312.cb81f191343dc4f26a8a601cf73d790f @@ -0,0 +1,74 @@ +From rpm-list-admin@freshrpms.net Wed Oct 2 21:15:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C8F3216F03 + for ; Wed, 2 Oct 2002 21:15:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 21:15:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92JaKK24316 for + ; Wed, 2 Oct 2002 20:36:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92JX1f01557; Wed, 2 Oct 2002 21:33:01 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g92JWFf01113 + for ; Wed, 2 Oct 2002 21:32:15 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17wpFR-00049w-00 for rpm-list@freshrpms.net; + Wed, 02 Oct 2002 15:33:29 -0400 +X-Originating-Ip: [66.92.157.2] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002.5P6.35437100@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 19:35:48 +0000 +Date: Wed, 02 Oct 2002 19:35:48 +0000 +X-Spam-Status: No, hits=-7.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Matthias Saou (matthias@egwn.net) wrote*: +>You're really better off backuping all placed where you know you've hand +>edited or installed some files. For me that's only /etc/, /root/ and +>/home/. Then you reinstall cleanly, formating "/", put your /home/ files +>back into place and you're ready to go. + +Matthias I gotta believe you, I've been using your RPMs for some time now :) That's +the way I'll do it. A clean start but with the old configs at the ready for diff- +ing when needed. I'll find some old HD for those media files. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1313.921e45a5265e4d5d55f1245fe4399824 b/machine-learning-ex6/ex6/easy_ham/1313.921e45a5265e4d5d55f1245fe4399824 new file mode 100644 index 0000000..71ece24 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1313.921e45a5265e4d5d55f1245fe4399824 @@ -0,0 +1,94 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 12:21:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 246BD16F16 + for ; Thu, 3 Oct 2002 12:21:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:21:41 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92KotK28220 for + ; Wed, 2 Oct 2002 21:50:55 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92Kk2f12664; Wed, 2 Oct 2002 22:46:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g92KjBf05505 for ; Wed, 2 Oct 2002 22:45:12 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels +Message-Id: <20021002224504.13c35679.matthias@rpmforge.net> +In-Reply-To: <20021002193602.GC6266@taz.home.priv> +References: <3D9AA650.2000909@eecs.berkeley.edu> + <20021002100919.2e3168a8.matthias@rpmforge.net> + <20021002193602.GC6266@taz.home.priv> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 22:45:04 +0200 +Date: Wed, 2 Oct 2002 22:45:04 +0200 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Gary wrote : + +> On Wed, Oct 02, 2002 at 10:09:19AM +0200, Matthias Saou wrote: +> > Well, I don't really find it consistent at all to use an rpm package +> > built against something that wasn't installed through rpm :-/ +> +> Following that reasoning, I've been installing all my custom-built +> kernels through rpm recently. I find it annoying, though, that +> alsa-kernel, and similar packages, will only build for the currently +> running kernel. +> +> So I've attached a patch to specify an alternate kernel by setting the +> "TARGET_KERNEL" environment variable before running rpmbuild. You +> still need to have the rpm for the specified kernel installed, but at +> least it doesn't have to be currently running. It's kinda hackish, so +> if someone has a better way to do this, let me know. + +That idea looks good although it maybe needs to be tweaked a bit more (what +you sent doesn't support packages named "kernel-smp"). I'd also prefer a +cleaner way than the env variable, and preferrably not editing the spec... +probably "--define 'target 2.4.xx-xx' --with smp". Sound good enough? +The BuildRequires on "kernel-source" will also need to be removed because +it won't necessarily need to be true, and that does bug me a bit :-/ + +More ideas are welcome. +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.08 0.06 0.03 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1314.b6bab34941436986743c446720b95d75 b/machine-learning-ex6/ex6/easy_ham/1314.b6bab34941436986743c446720b95d75 new file mode 100644 index 0000000..4cf1ea4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1314.b6bab34941436986743c446720b95d75 @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 12:21:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C59E816F03 + for ; Thu, 3 Oct 2002 12:21:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:21:37 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g92Ko3K28200 for + ; Wed, 2 Oct 2002 21:50:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g92Kl1f15841; Wed, 2 Oct 2002 22:47:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g92KkQf15317 for ; Wed, 2 Oct 2002 22:46:26 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: use new apt to do null to RH8 upgrade? +Message-Id: <20021002224620.6d4fc92f.matthias@rpmforge.net> +In-Reply-To: <20021002.5P6.35437100@www.dudex.net> +References: <20021002.5P6.35437100@www.dudex.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 22:46:20 +0200 +Date: Wed, 2 Oct 2002 22:46:20 +0200 +X-Spam-Status: No, hits=-6.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, ""Angles" wrote : + +> Matthias Saou (matthias@egwn.net) wrote*: +> >You're really better off backuping all placed where you know you've hand +> >edited or installed some files. For me that's only /etc/, /root/ and +> >/home/. Then you reinstall cleanly, formating "/", put your /home/ files +> >back into place and you're ready to go. +> +> Matthias I gotta believe you, I've been using your RPMs for some time now +> :) That's the way I'll do it. + +I'm no "messiah", just do what you think suits you the best :-) + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.05 0.06 0.03 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1315.ba15a1eb74df7bc386ecb05e9ded5809 b/machine-learning-ex6/ex6/easy_ham/1315.ba15a1eb74df7bc386ecb05e9ded5809 new file mode 100644 index 0000000..5407e99 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1315.ba15a1eb74df7bc386ecb05e9ded5809 @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 12:23:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 15D1616F1B + for ; Thu, 3 Oct 2002 12:23:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:23:13 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g937G3K18755 for + ; Thu, 3 Oct 2002 08:16:06 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93757f09150; Thu, 3 Oct 2002 09:05:07 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9374Bf04920 for + ; Thu, 3 Oct 2002 09:04:12 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id D5538728EF for + ; Thu, 3 Oct 2002 07:04:00 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 0FE671B84A7 for ; + Thu, 3 Oct 2002 07:03:23 +0000 (UTC) +Message-Id: <3D9BEC4A.2050900@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Mplayer +References: <20021002.siy.77121800@www.dudex.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 03 Oct 2002 10:05:46 +0300 +Date: Thu, 03 Oct 2002 10:05:46 +0300 +X-Spam-Status: No, hits=-1.9 required=5.0 + tests=KNOWN_MAILING_LIST,REFERENCES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Hey + +Since I upgraded to redhat8 mplayer -vo sdl isnt working for me +It gives me black screen and I only hear sound. + +can anyone help me with this ? + +btw, +also the source rpm specified that I can do --without libdv +but it didn't work, worked for lirc and arts. + +Thanks, +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1316.e019de5bb870ed83dc036c657cc4ca32 b/machine-learning-ex6/ex6/easy_ham/1316.e019de5bb870ed83dc036c657cc4ca32 new file mode 100644 index 0000000..a0ad893 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1316.e019de5bb870ed83dc036c657cc4ca32 @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 12:25:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A42D416F6A + for ; Thu, 3 Oct 2002 12:24:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:24:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g939ENK22296 for + ; Thu, 3 Oct 2002 10:14:25 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93961f06525; Thu, 3 Oct 2002 11:06:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9395Bf06311 for + ; Thu, 3 Oct 2002 11:05:11 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Mplayer +Message-Id: <20021003110510.1c619b15.matthias@rpmforge.net> +In-Reply-To: <3D9BEC4A.2050900@punkass.com> +References: <20021002.siy.77121800@www.dudex.net> + <3D9BEC4A.2050900@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 11:05:10 +0200 +Date: Thu, 3 Oct 2002 11:05:10 +0200 +X-Spam-Status: No, hits=-13.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> Since I upgraded to redhat8 mplayer -vo sdl isnt working for me +> It gives me black screen and I only hear sound. +> +> can anyone help me with this ? + +I'll test this as soon as I can. + +> btw, +> also the source rpm specified that I can do --without libdv +> but it didn't work, worked for lirc and arts. + +Should be fixed : You probably had libdv-devel installed and MPlayer +automatically detected it. The new spec file explicitely passes +--disable-libdv when the package is rebuilt with --without libdv. + +Grab the "fr2.1" spec from here : +http://freshrpms.net/builds/index.html?build=mplayer + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.02 0.10 0.15 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1317.1f1768dfe09568d0096b0bca8987e467 b/machine-learning-ex6/ex6/easy_ham/1317.1f1768dfe09568d0096b0bca8987e467 new file mode 100644 index 0000000..02829b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1317.1f1768dfe09568d0096b0bca8987e467 @@ -0,0 +1,97 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 12:25:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2707916F6D + for ; Thu, 3 Oct 2002 12:24:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:24:58 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93BDgK26115 for + ; Thu, 3 Oct 2002 12:13:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93BA2f21504; Thu, 3 Oct 2002 13:10:02 + +0200 +Received: from zeus.scania.co.za ([196.41.10.170]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93B8uf17854 for + ; Thu, 3 Oct 2002 13:08:57 +0200 +Received: from leenx.co.za ([10.1.1.130]) by zeus.scania.co.za + (8.11.6/8.11.2) with ESMTP id g93B2U826023 for ; + Thu, 3 Oct 2002 13:02:35 +0200 +Message-Id: <3D9C23C5.9090203@leenx.co.za> +From: "C.Lee Taylor" +Organization: LeeNX +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020607 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels ... +References: <20021003100001.29805.19626.Mailman@auth02> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 03 Oct 2002 13:02:29 +0200 +Date: Thu, 03 Oct 2002 13:02:29 +0200 +X-Spam-Status: No, hits=-2.1 required=5.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + + >> > Well, I don't really find it consistent at all to use an rpm package + >> > built against something that wasn't installed through rpm :-/ + >> + >> Following that reasoning, I've been installing all my custom-built + >> kernels through rpm recently. I find it annoying, though, that + >> alsa-kernel, and similar packages, will only build for the currently + >> running kernel. + >> + >> So I've attached a patch to specify an alternate kernel by setting the + >> "TARGET_KERNEL" environment variable before running rpmbuild. You + >> still need to have the rpm for the specified kernel installed, but at + >> least it doesn't have to be currently running. It's kinda hackish, so + >> if someone has a better way to do this, let me know. + > + >That idea looks good although it maybe needs to be tweaked a bit more (what + >you sent doesn't support packages named "kernel-smp"). I'd also prefer a + >cleaner way than the env variable, and preferrably not editing the spec... + >probably "--define 'target 2.4.xx-xx' --with smp". Sound good enough? + >The BuildRequires on "kernel-source" will also need to be removed because + >it won't necessarily need to be true, and that does bug me a bit :-/ + + Me and my kernel rpm builds ... this all works along the same idea I have +been aiming for, but the freaking RedHat Kernel srpms still have been stump +... + + If we could get this and the alsa driver stuff working, it would be whole +lot easier to try out a newer kernel ... but then the size of these rpms +are huge, at least for us n^1 world courties ... ;-{ ... + + I will keep watching and hoping that somebody comes up with a great working +idea ... + +Thanks guys. +Mailed +Lee + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1318.d5b97eb2ad5aaa5b11c2c1ea00c34194 b/machine-learning-ex6/ex6/easy_ham/1318.d5b97eb2ad5aaa5b11c2c1ea00c34194 new file mode 100644 index 0000000..0f35e0c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1318.d5b97eb2ad5aaa5b11c2c1ea00c34194 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 16:02:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E69A916F03 + for ; Thu, 3 Oct 2002 16:02:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 16:02:51 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93DOYK30582 for + ; Thu, 3 Oct 2002 14:24:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93DL2f25099; Thu, 3 Oct 2002 15:21:02 + +0200 +Received: from chip.ath.cx (cs144080.pp.htv.fi [213.243.144.80]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g93DKqf25049 for + ; Thu, 3 Oct 2002 15:20:53 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g93DKkSA014138 for ; + Thu, 3 Oct 2002 16:20:46 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g93DKk00014134 for + ; Thu, 3 Oct 2002 16:20:46 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: Python 2.2 site libs? +In-Reply-To: <1810000.1033647373@spawn.se7en.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 16:20:46 +0300 (EEST) +Date: Thu, 3 Oct 2002 16:20:46 +0300 (EEST) +X-Spam-Status: No, hits=-7.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_00_10,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Fri, 4 Oct 2002, Mark Derricutt wrote: + +> Anyone know where one could get rpms for alot of the python libraries for +> 2.2? +> +> Its darn annoying the way RH ship python 1.5.2 and python 2.2 (as python2) +> and libs that only work with one or the other :( +> +> esp. the pgdb and xml modules. +> +> Anyone know why Red Hat insist on sticking with python 1.5.2? + +They want to preserve binary compatibility for all .x releases. Red Hat +8.0 has python 2.2 as default. + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1319.58000a90a0ce3ea98762d31df028af02 b/machine-learning-ex6/ex6/easy_ham/1319.58000a90a0ce3ea98762d31df028af02 new file mode 100644 index 0000000..81295ad --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1319.58000a90a0ce3ea98762d31df028af02 @@ -0,0 +1,105 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 16:02:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BA94516F17 + for ; Thu, 3 Oct 2002 16:02:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 16:02:53 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93DOZK30584 for + ; Thu, 3 Oct 2002 14:24:40 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93DM6f02996; Thu, 3 Oct 2002 15:22:06 + +0200 +Received: from mail.phy.duke.edu (mail.phy.duke.edu [152.3.182.2]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g93DKbf24978 for + ; Thu, 3 Oct 2002 15:20:37 +0200 +Received: from opus.phy.duke.edu (opus.phy.duke.edu [152.3.182.42]) by + mail.phy.duke.edu (Postfix) with ESMTP id D477030199 for + ; Thu, 3 Oct 2002 09:20:35 -0400 (EDT) +Subject: Re: Python 2.2 site libs? +From: seth vidal +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <1810000.1033647373@spawn.se7en.org> +References: <1810000.1033647373@spawn.se7en.org> +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="=-ITC4wxYrfSWQCmQFalKh" +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1033651236.19916.1.camel@opus> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 03 Oct 2002 09:20:33 -0400 +Date: 03 Oct 2002 09:20:33 -0400 +X-Spam-Status: No, hits=-5.6 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + + +--=-ITC4wxYrfSWQCmQFalKh +Content-Type: text/plain +Content-Transfer-Encoding: quoted-printable + +On Thu, 2002-10-03 at 08:16, Mark Derricutt wrote: +> Anyone know where one could get rpms for alot of the python libraries for= +=20 +> 2.2? +>=20 +> Its darn annoying the way RH ship python 1.5.2 and python 2.2 (as python2= +)=20 +> and libs that only work with one or the other :( +>=20 +> esp. the pgdb and xml modules. +>=20 +> Anyone know why Red Hat insist on sticking with python 1.5.2? +> + +they are on python 2.2 for 8.0 - but they don't like to break +compatibility during major releases. + +therefore: 6.X was 1.5.2 b/c that was current +7.x was 1.5.2 b/c that was current when 7.0 was released. + +-sv + + +--=-ITC4wxYrfSWQCmQFalKh +Content-Type: application/pgp-signature; name=signature.asc +Content-Description: This is a digitally signed message part + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQA9nEQh1Aj3x2mIbMcRAg/FAJ9MNwAv4hzpR4gjkMGGtGUjFKidQQCgk0ZE +DlQVAibjHkM4H9ZBYzs0xb4= +=8gIA +-----END PGP SIGNATURE----- + +--=-ITC4wxYrfSWQCmQFalKh-- + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1320.9e1add26a777cd027f1c9cc94d4980c8 b/machine-learning-ex6/ex6/easy_ham/1320.9e1add26a777cd027f1c9cc94d4980c8 new file mode 100644 index 0000000..757a1ec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1320.9e1add26a777cd027f1c9cc94d4980c8 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Thu Oct 3 19:28:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EC13016F16 + for ; Thu, 3 Oct 2002 19:28:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:28:32 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93H4gK06207 for + ; Thu, 3 Oct 2002 18:04:43 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93H04f17315; Thu, 3 Oct 2002 19:00:04 + +0200 +Received: from swampfox.owlriver.com (swampfox.owlriver.com + [206.21.107.147]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g93GxHf13656 for ; Thu, 3 Oct 2002 18:59:17 +0200 +Received: from localhost (localhost [127.0.0.1]) by swampfox.owlriver.com + (8.11.6/8.11.6) with ESMTP id g93GxFB24532 for ; + Thu, 3 Oct 2002 12:59:15 -0400 +From: R P Herrold +To: rpm-zzzlist@freshrpms.net +Subject: Re: f-rpm] Python 2.2 site libs? +In-Reply-To: <1810000.1033647373@spawn.se7en.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 12:59:15 -0400 (EDT) +Date: Thu, 3 Oct 2002 12:59:15 -0400 (EDT) +X-Spam-Status: No, hits=-4.3 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,T_NONSENSE_FROM_10_20, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Fri, 4 Oct 2002, Mark Derricutt wrote: + +> Anyone know why Red Hat insist on sticking with python 1.5.2? + +ehhh? IANAHNBARHE -- RHL 8.0 is fully python-2, with a back +compatability v 1 shim set. This has been working and freely +available in their Raw Hide for 5 months for early adopters +and back-porters. + +Red Hat maintains binary compatability across major releases. +Its server management tools are heavily Python, and becoming +more so. + +To have added mid-stream the python-2 series in the RHL 7.x +series would have been quite disruptive to an existing +installed base. + +-- Russ Herrold + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1321.a524e96163e61358635db777ca978d0e b/machine-learning-ex6/ex6/easy_ham/1321.a524e96163e61358635db777ca978d0e new file mode 100644 index 0000000..9f8722a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1321.a524e96163e61358635db777ca978d0e @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:57:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9DCAD16F03 + for ; Fri, 4 Oct 2002 10:57:56 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:57:56 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93LUIK15669 for + ; Thu, 3 Oct 2002 22:30:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93LQ1f14974; Thu, 3 Oct 2002 23:26:01 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g93LOxf14678 for ; Thu, 3 Oct 2002 23:24:59 +0200 +Received: from labmail.redmond.corp.microsoft.com (seattle.connectednw.com + [::ffff:216.163.77.13]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Thu, 03 Oct 2002 14:24:58 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: Re: K3B +Message-Id: <20021003142457.77f1d07b.hosting@j2solutions.net> +In-Reply-To: <3D9CCF54.5070909@free.fr> +References: <3D9CCF54.5070909@free.fr> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; ) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 14:24:57 -0700 +Date: Thu, 3 Oct 2002 14:24:57 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +On Fri, 04 Oct 2002 01:14:28 +0200 +Vincent wrote: + +# Hello, +# +# I'm looking for the package k3b for the redhat 8.0, Does anyone know +# +# where to get it ? I tried to compile but it did an error message: + +I've been working on a .src.rpm for it. Their rpm and spec file is +very dirty, so I"m cleaning it up. I think I have all the build-req's +and the install req's sorted out, but I need more testers. + +http://geek.j2solutions.net/rpms/k3b/ + +Please try it. + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1322.7faaa22a10e2eab022719a868f587686 b/machine-learning-ex6/ex6/easy_ham/1322.7faaa22a10e2eab022719a868f587686 new file mode 100644 index 0000000..431fa55 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1322.7faaa22a10e2eab022719a868f587686 @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:58:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A78E816F03 + for ; Fri, 4 Oct 2002 10:58:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:58:04 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93LqTK16522 for + ; Thu, 3 Oct 2002 22:52:29 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93Lm1f20190; Thu, 3 Oct 2002 23:48:01 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g93LlLf14306 for + ; Thu, 3 Oct 2002 23:47:21 +0200 +Received: from cs78130064.pp.htv.fi ([62.78.130.64]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g93LlBU05318 for ; + Fri, 4 Oct 2002 00:47:11 +0300 (EETDST) +Subject: apt.conf suggestion +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033681684.3133.100.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g93LlLf14306 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 04 Oct 2002 00:48:03 +0300 +Date: 04 Oct 2002 00:48:03 +0300 +X-Spam-Status: No, hits=-9.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_20_30 + version=2.50-cvs +X-Spam-Level: + +Hi, + +how about applying this to the default apt.conf shipped with the +freshrpms.net apt package? I found it a bit weird when the behaviour +changed between the old 0.3.x and the new 0.5.x versions so that when +doing a "apt-get upgrade", it wouldn't tell me *which* packages were to +be upgraded, just that it was about to upgrade something... + +--- apt.conf 2002-09-27 14:58:28.000000000 +0300 ++++ apt.conf 2002-10-03 21:38:05.000000000 +0300 +@@ -4,6 +4,7 @@ + Get + { + Download-Only "false"; ++ Show-Upgraded "true"; + }; + + }; + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1323.b8406cf8686ef1e3c1ac2ffb69f6ce40 b/machine-learning-ex6/ex6/easy_ham/1323.b8406cf8686ef1e3c1ac2ffb69f6ce40 new file mode 100644 index 0000000..cd7342a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1323.b8406cf8686ef1e3c1ac2ffb69f6ce40 @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:58:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4B68E16F03 + for ; Fri, 4 Oct 2002 10:58:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:58:10 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93M3PK16864 for + ; Thu, 3 Oct 2002 23:03:26 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93Lw1f32639; Thu, 3 Oct 2002 23:58:01 + +0200 +Received: from drone5.qsi.net.nz (drone5-svc-skyt.qsi.net.nz + [202.89.128.5]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g93Lvif29183 + for ; Thu, 3 Oct 2002 23:57:45 +0200 +Received: (qmail 5288 invoked by uid 0); 3 Oct 2002 21:57:41 -0000 +Received: from unknown (HELO se7en.org) ([202.89.145.8]) (envelope-sender + ) by 0 (qmail-ldap-1.03) with SMTP for + ; 3 Oct 2002 21:57:41 -0000 +Received: from spawn.se7en.org ([10.0.0.3]) by se7en.org with esmtp (Exim + 3.36 #1 (Debian)) id 17xSGN-0004od-00 for ; + Sat, 05 Oct 2002 01:13:04 +1200 +From: Mark Derricutt +To: rpm-zzzlist@freshrpms.net +Subject: Re: Python 2.2 site libs? +Message-Id: <5520000.1033682218@spawn.se7en.org> +In-Reply-To: +References: +X-Mailer: Mulberry/2.2.1 (Linux/x86) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Content-Disposition: inline +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 09:57:00 +1200 +Date: Fri, 04 Oct 2002 09:57:00 +1200 +X-Spam-Status: No, hits=-8.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Ahh sweet. Theres a reason for me to upgrade then :-) + +--On Thursday, October 03, 2002 16:20:46 +0300 Panu Matilainen + wrote: + +> They want to preserve binary compatibility for all .x releases. Red Hat +> 8.0 has python 2.2 as default. + + + + -- \m/ -- + "...if I seem super human I have been misunderstood." (c) Dream Theater + mark@talios.com - ICQ: 1934853 JID: talios@myjabber.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1324.23790be4ea2123dffefeb4a363035788 b/machine-learning-ex6/ex6/easy_ham/1324.23790be4ea2123dffefeb4a363035788 new file mode 100644 index 0000000..b3445f7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1324.23790be4ea2123dffefeb4a363035788 @@ -0,0 +1,94 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:59:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4399516F18 + for ; Fri, 4 Oct 2002 10:59:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:59:51 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93NNXK20294 for + ; Fri, 4 Oct 2002 00:23:33 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93NL2f14788; Fri, 4 Oct 2002 01:21:02 + +0200 +Received: from mel-rto6.wanadoo.fr (smtp-out-6.wanadoo.fr [193.252.19.25]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g93NKYf14698 for + ; Fri, 4 Oct 2002 01:20:34 +0200 +Received: from mel-rta9.wanadoo.fr (193.252.19.69) by mel-rto6.wanadoo.fr + (6.5.007) id 3D760C25010C8EC7 for rpm-list@freshrpms.net; Fri, + 4 Oct 2002 01:20:28 +0200 +Received: from free.fr (80.13.203.123) by mel-rta9.wanadoo.fr (6.5.007) id + 3D80120400D13925 for rpm-list@freshrpms.net; Fri, 4 Oct 2002 01:20:28 + +0200 +Message-Id: <3D9CEE0A.9030400@free.fr> +From: Vincent +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020826 +X-Accept-Language: en-us, en, fr +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: K3B +References: <3D9CCF54.5070909@free.fr> + <20021003142457.77f1d07b.hosting@j2solutions.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 03:25:30 +0200 +Date: Fri, 04 Oct 2002 03:25:30 +0200 +X-Spam-Status: No, hits=-1.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + T_NONSENSE_FROM_99_100,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Jesse Keating wrote: + +>On Fri, 04 Oct 2002 01:14:28 +0200 +>Vincent wrote: +> +># Hello, +># +># I'm looking for the package k3b for the redhat 8.0, Does anyone know +># +># where to get it ? I tried to compile but it did an error message: +> +>I've been working on a .src.rpm for it. Their rpm and spec file is +>very dirty, so I"m cleaning it up. I think I have all the build-req's +>and the install req's sorted out, but I need more testers. +> +>http://geek.j2solutions.net/rpms/k3b/ +> +>Please try it. +> +> +> +If I get troubles with the .tar.gz source file compilation, will it work +with the .src.rpm source file compilation ? +If it will, how do I manage with a .src.rpm file, sorry, I don't remeber :( + +Thanks. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1325.eaf141388f8b499ac522747d674f3e6a b/machine-learning-ex6/ex6/easy_ham/1325.eaf141388f8b499ac522747d674f3e6a new file mode 100644 index 0000000..5f7fa16 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1325.eaf141388f8b499ac522747d674f3e6a @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:59:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CB70E16F17 + for ; Fri, 4 Oct 2002 10:59:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:59:43 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93MWhK17771 for + ; Thu, 3 Oct 2002 23:32:43 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93MR1f30385; Fri, 4 Oct 2002 00:27:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g93MQSf26521 for ; Fri, 4 Oct 2002 00:26:29 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt.conf suggestion +Message-Id: <20021004002618.1b352b30.matthias@rpmforge.net> +In-Reply-To: <1033681684.3133.100.camel@bobcat.ods.org> +References: <1033681684.3133.100.camel@bobcat.ods.org> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 00:26:18 +0200 +Date: Fri, 4 Oct 2002 00:26:18 +0200 +X-Spam-Status: No, hits=-8.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> how about applying this to the default apt.conf shipped with the +> freshrpms.net apt package? I found it a bit weird when the behaviour +> changed between the old 0.3.x and the new 0.5.x versions so that when +> doing a "apt-get upgrade", it wouldn't tell me *which* packages were to +> be upgraded, just that it was about to upgrade something... + +Indeed, I found that strange too, then I noticed the "-u" switch and used +that... but your solution is much better :-) The next apt build will +incorporate this change (not worth a rebuild for this, and as some +relatively important cnc7 bugs are currently being fixed, I'd say cnc8 +isn't far off!). + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.02 0.06 0.10 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1326.5f4584fd2f3f2d4a4b0989b7d5c7963f b/machine-learning-ex6/ex6/easy_ham/1326.5f4584fd2f3f2d4a4b0989b7d5c7963f new file mode 100644 index 0000000..c686a17 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1326.5f4584fd2f3f2d4a4b0989b7d5c7963f @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 10:59:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3E9E616F03 + for ; Fri, 4 Oct 2002 10:59:54 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 10:59:54 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g93Nb5K20773 for + ; Fri, 4 Oct 2002 00:37:06 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g93NY1f11198; Fri, 4 Oct 2002 01:34:01 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g93NXjf10844 for ; Fri, 4 Oct 2002 01:33:46 +0200 +Received: from labmail.redmond.corp.microsoft.com (seattle.connectednw.com + [::ffff:216.163.77.13]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Thu, 03 Oct 2002 16:33:43 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: Re: K3B +Message-Id: <20021003163343.606db2bf.hosting@j2solutions.net> +In-Reply-To: <3D9CEE0A.9030400@free.fr> +References: <3D9CCF54.5070909@free.fr> + <20021003142457.77f1d07b.hosting@j2solutions.net> + <3D9CEE0A.9030400@free.fr> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; ) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 16:33:43 -0700 +Date: Thu, 3 Oct 2002 16:33:43 -0700 +X-Spam-Status: No, hits=-4.4 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +On Fri, 04 Oct 2002 03:25:30 +0200 +Vincent wrote: + +# If I get troubles with the .tar.gz source file compilation, will it +# work with the .src.rpm source file compilation ? +# If it will, how do I manage with a .src.rpm file, sorry, I don't +# remeber :( + +The .src.rpm will prompt you for what packages you need to complete +the compile. + +rpmbuild --rebuild --target=$arch file.src.rpm + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1327.732de5c513bb352139c28a17740f4128 b/machine-learning-ex6/ex6/easy_ham/1327.732de5c513bb352139c28a17740f4128 new file mode 100644 index 0000000..f41871a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1327.732de5c513bb352139c28a17740f4128 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:00:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A535616F03 + for ; Fri, 4 Oct 2002 11:00:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:00:40 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g941oUK29944 for + ; Fri, 4 Oct 2002 02:50:30 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g941m1f31311; Fri, 4 Oct 2002 03:48:01 + +0200 +Received: from smtprelay9.dc2.adelphia.net (smtprelay9.dc2.adelphia.net + [64.8.50.53]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g941lXf28542 + for ; Fri, 4 Oct 2002 03:47:34 +0200 +Received: from [192.168.1.2] ([24.50.195.5]) by + smtprelay9.dc2.adelphia.net (Netscape Messaging Server 4.15) with ESMTP id + H3FOZ301.09V for ; Thu, 3 Oct 2002 21:47:27 -0400 +Subject: Re: K3B +From: Dale Kosan +To: rpm-zzzlist +In-Reply-To: <20021003163343.606db2bf.hosting@j2solutions.net> +References: <3D9CCF54.5070909@free.fr> + <20021003142457.77f1d07b.hosting@j2solutions.net> + <3D9CEE0A.9030400@free.fr> + <20021003163343.606db2bf.hosting@j2solutions.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033696039.2551.0.camel@gandalf> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 03 Oct 2002 21:47:18 -0400 +Date: 03 Oct 2002 21:47:18 -0400 +X-Spam-Status: No, hits=-1.5 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + +checking build system type... i686-pc-linux-gnu +checking host system type... i686-pc-linux-gnu +checking target system type... Invalid configuration +`athalon-redhat-linux': machine `athalon-redhat' not recognized +configure: error: /bin/sh admin/config.sub athalon-redhat-linux failed +error: Bad exit status from /home/dale/rpmbuild/tmp/rpm-tmp.26673 +(%prep) + + +RPM build errors: + user jkeating does not exist - using root + group jkeating does not exist - using root + user jkeating does not exist - using root + group jkeating does not exist - using root + Bad exit status from /home/dale/rpmbuild/tmp/rpm-tmp.26673 (%prep) +[dale@gandalf dale]$ + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1328.cccf5939c5844ebccd4f7b4bdad42e63 b/machine-learning-ex6/ex6/easy_ham/1328.cccf5939c5844ebccd4f7b4bdad42e63 new file mode 100644 index 0000000..4d1878f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1328.cccf5939c5844ebccd4f7b4bdad42e63 @@ -0,0 +1,66 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:00:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4387F16F16 + for ; Fri, 4 Oct 2002 11:00:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:00:42 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g941vKK30200 for + ; Fri, 4 Oct 2002 02:57:21 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g941s1f27516; Fri, 4 Oct 2002 03:54:01 + +0200 +Received: from smtprelay8.dc2.adelphia.net (smtprelay8.dc2.adelphia.net + [64.8.50.40]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g941qnf22240 + for ; Fri, 4 Oct 2002 03:52:49 +0200 +Received: from [192.168.1.2] ([24.50.195.5]) by + smtprelay8.dc2.adelphia.net (Netscape Messaging Server 4.15) with ESMTP id + H3FP7S02.MBC for ; Thu, 3 Oct 2002 21:52:40 -0400 +Subject: Re: K3B +From: Dale Kosan +To: rpm-zzzlist +In-Reply-To: <1033696039.2551.0.camel@gandalf> +References: <3D9CCF54.5070909@free.fr> + <20021003142457.77f1d07b.hosting@j2solutions.net> + <3D9CEE0A.9030400@free.fr> + <20021003163343.606db2bf.hosting@j2solutions.net> + <1033696039.2551.0.camel@gandalf> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033696352.2552.3.camel@gandalf> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 03 Oct 2002 21:52:32 -0400 +Date: 03 Oct 2002 21:52:32 -0400 +X-Spam-Status: No, hits=-1.5 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: + +oops, I am bad, I need to learn how to spell...... + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1329.e3ef761ca36621fa1095cb6f942886c9 b/machine-learning-ex6/ex6/easy_ham/1329.e3ef761ca36621fa1095cb6f942886c9 new file mode 100644 index 0000000..aa61764 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1329.e3ef761ca36621fa1095cb6f942886c9 @@ -0,0 +1,110 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:01:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 17B7216F16 + for ; Fri, 4 Oct 2002 11:01:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:01:13 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g946jjK07048 for + ; Fri, 4 Oct 2002 07:45:45 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g946i1f01474; Fri, 4 Oct 2002 08:44:01 + +0200 +Received: from babyruth.hotpop.com (babyruth.hotpop.com [204.57.55.14]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g946hHf30715 for + ; Fri, 4 Oct 2002 08:43:17 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + babyruth.hotpop.com (Postfix) with SMTP id 4C928211394 for + ; Fri, 4 Oct 2002 06:42:52 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 786AC1B8421 for ; + Fri, 4 Oct 2002 06:42:11 +0000 (UTC) +Message-Id: <3D9D38DA.1040600@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: Mplayer +References: <20021002.siy.77121800@www.dudex.net> + <3D9BEC4A.2050900@punkass.com> + <20021003110510.1c619b15.matthias@rpmforge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 09:44:42 +0300 +Date: Fri, 04 Oct 2002 09:44:42 +0300 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_70_80,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Saou wrote: + +>Once upon a time, Roi wrote : +> +> +> +>>Since I upgraded to redhat8 mplayer -vo sdl isnt working for me +>>It gives me black screen and I only hear sound. +>> +>>can anyone help me with this ? +>> +>> +> +>I'll test this as soon as I can. +> +> +> +>>btw, +>>also the source rpm specified that I can do --without libdv +>>but it didn't work, worked for lirc and arts. +>> +>> +> +>Should be fixed : You probably had libdv-devel installed and MPlayer +>automatically detected it. The new spec file explicitely passes +>--disable-libdv when the package is rebuilt with --without libdv. +> +> +I didn't had libdv at all, I installed it just to install mplayer. + +>Grab the "fr2.1" spec from here : +>http://freshrpms.net/builds/index.html?build=mplayer +> +>Matthias +> +> +> + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1330.2e2ec961c9022cd26a555e4779726a05 b/machine-learning-ex6/ex6/easy_ham/1330.2e2ec961c9022cd26a555e4779726a05 new file mode 100644 index 0000000..65a0c65 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1330.2e2ec961c9022cd26a555e4779726a05 @@ -0,0 +1,112 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:01:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7BCB216F17 + for ; Fri, 4 Oct 2002 11:01:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:01:15 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94774K07603 for + ; Fri, 4 Oct 2002 08:07:05 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94721f12486; Fri, 4 Oct 2002 09:02:01 + +0200 +Received: from babyruth.hotpop.com (babyruth.hotpop.com [204.57.55.14]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9471gf08199 for + ; Fri, 4 Oct 2002 09:01:42 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + babyruth.hotpop.com (Postfix) with SMTP id 49E7B210E46 for + ; Fri, 4 Oct 2002 07:01:24 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 685191B854D for ; + Fri, 4 Oct 2002 07:00:43 +0000 (UTC) +Message-Id: <3D9D3D32.5080404@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: Mplayer +References: <20021002.siy.77121800@www.dudex.net> + <3D9BEC4A.2050900@punkass.com> + <20021003110510.1c619b15.matthias@rpmforge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 10:03:14 +0300 +Date: Fri, 04 Oct 2002 10:03:14 +0300 +X-Spam-Status: No, hits=-4.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_70_80,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Saou wrote: + +>Once upon a time, Roi wrote : +> +> +> +>>Since I upgraded to redhat8 mplayer -vo sdl isnt working for me +>>It gives me black screen and I only hear sound. +>> +>>can anyone help me with this ? +>> +>> +> +>I'll test this as soon as I can. +> +> +> +>>btw, +>>also the source rpm specified that I can do --without libdv +>>but it didn't work, worked for lirc and arts. +>> +>> +> +>Should be fixed : You probably had libdv-devel installed and MPlayer +>automatically detected it. The new spec file explicitely passes +>--disable-libdv when the package is rebuilt with --without libdv. +> +>Grab the "fr2.1" spec from here : +>http://freshrpms.net/builds/index.html?build=mplayer +> +>Matthias +> +> +> +The new spec didn't even want to build the package +something with config.mak +Also this new spec looks like the old one, it got libdv and libdv-devel +in the BuildRequires so I just used the normal spec and removed it manully. + +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1331.6ad39d03e006435853139ea69757b8f4 b/machine-learning-ex6/ex6/easy_ham/1331.6ad39d03e006435853139ea69757b8f4 new file mode 100644 index 0000000..d8a2987 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1331.6ad39d03e006435853139ea69757b8f4 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:02:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8CE5816F1E + for ; Fri, 4 Oct 2002 11:02:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:02 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g948wPK10662 for + ; Fri, 4 Oct 2002 09:58:30 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g948t2f06646; Fri, 4 Oct 2002 10:55:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g948sLf03042 for + ; Fri, 4 Oct 2002 10:54:21 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Mplayer +Message-Id: <20021004105413.5264a403.matthias@rpmforge.net> +In-Reply-To: <3D9D3D32.5080404@punkass.com> +References: <20021002.siy.77121800@www.dudex.net> + <3D9BEC4A.2050900@punkass.com> + <20021003110510.1c619b15.matthias@rpmforge.net> + <3D9D3D32.5080404@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 10:54:13 +0200 +Date: Fri, 4 Oct 2002 10:54:13 +0200 +X-Spam-Status: No, hits=-14.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> The new spec didn't even want to build the package +> something with config.mak + +Now that is weird! :-/ + +> Also this new spec looks like the old one, it got libdv and libdv-devel +> in the BuildRequires so I just used the normal spec and removed it +> manully. + +Indeed, my boo-boo :-( Fixed now. + +BTW, about the "mplayer -vo sdl" black screen problem you reported, I was +unable to reproduce it on my hom 8.0 computer, it worked as expected. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.10 0.15 0.16, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1332.64cca4cfc08e86b88c4974237e7c2a5a b/machine-learning-ex6/ex6/easy_ham/1332.64cca4cfc08e86b88c4974237e7c2a5a new file mode 100644 index 0000000..a1f8e89 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1332.64cca4cfc08e86b88c4974237e7c2a5a @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:02:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DAE6416F20 + for ; Fri, 4 Oct 2002 11:02:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:02:00 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g948LAK09578 for + ; Fri, 4 Oct 2002 09:21:11 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g948G2f21060; Fri, 4 Oct 2002 10:16:03 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g948FJf20904 for + ; Fri, 4 Oct 2002 10:15:19 +0200 +Received: (qmail 8840 invoked by uid 505); 4 Oct 2002 08:15:27 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 4 Oct 2002 08:15:27 -0000 +From: Thomas Vander Stichele +To: rpm-zzzlist +Subject: Re: K3B +In-Reply-To: <1033696039.2551.0.camel@gandalf> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 10:15:27 +0200 (CEST) +Date: Fri, 4 Oct 2002 10:15:27 +0200 (CEST) +X-Spam-Status: No, hits=-7.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,T_NONSENSE_FROM_00_10,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +> `athalon-redhat-linux': machine `athalon-redhat' not recognized +> configure: error: /bin/sh admin/config.sub athalon-redhat-linux failed +> error: Bad exit status from /home/dale/rpmbuild/tmp/rpm-tmp.26673 +> (%prep) + +Woah ;) did you tweak some flags yourself, like default rpm flags ? What +dist are you running ? I don't think there's an athalon-redhat-linux +machine as standard ;) it should be some permutation of athlon and linux, +and without redhat, but I can't tell for sure. Any idea where your +system might be setting this flag ? + + + > RPM build errors: +> user jkeating does not exist - using root +> group jkeating does not exist - using root +> user jkeating does not exist - using root +> group jkeating does not exist - using root +> Bad exit status from /home/dale/rpmbuild/tmp/rpm-tmp.26673 (%prep) + +looks like the files are owned by the wrong user (ie the original spec +builder). + +Thomas + +-- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +Goodbye +I've finally arrived +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1333.e9f5229e15c55a75e02a92fe42324bce b/machine-learning-ex6/ex6/easy_ham/1333.e9f5229e15c55a75e02a92fe42324bce new file mode 100644 index 0000000..e77664e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1333.e9f5229e15c55a75e02a92fe42324bce @@ -0,0 +1,76 @@ +From rpm-list-admin@freshrpms.net Fri Oct 4 11:32:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3C20716F16 + for ; Fri, 4 Oct 2002 11:32:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:32:36 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94AQlK13678 for + ; Fri, 4 Oct 2002 11:26:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94AO4f17368; Fri, 4 Oct 2002 12:24:05 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g94AMmf12997 for ; Fri, 4 Oct 2002 12:22:49 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.comamakiriad.com (8.11.6/8.11.6) with SMTP id + g94AMaM14823 for ; Fri, 4 Oct 2002 05:22:36 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Psyche: Anyone else tried it? +Message-Id: <20021004052213.0ac86d78.kilroy@kamakiriad.com> +X-Mailer: Sylpheed version 0.8.3 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 05:22:13 -0500 +Date: Fri, 4 Oct 2002 05:22:13 -0500 +X-Spam-Status: No, hits=-4.8 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + + + Damn, this thing is slick. Someone seems to have done a very complete QA test on it; yesterday I installed it for the first time on an old Celeron box. Sure, parts of it were slow, but compared to my more modern machine, everything is. It was good; a beautiful interface that legions of 'sheep' can look at and say "Cool; I can understand this" and leave their shackles behind. :) + + I was struck by the massive amount of applications, both KDE and Gnome, intuitively seperated NOT by the Gnome/KDE names, but by their **meanings** instead. It's obvious that someone spent a lot of time improving the usability and graphics to make it more 'international'; the web browser graphic, for example, has a 'world' icon with a mouse wrapped around it. Office-apps have familiar pens, paper, and/or calculators involved. + + This is a Linux that I can plop down in front of almost anyone, and they can figure it out. + + At some point I'd miss the character of KDE/Gnome, and I'll probably 'hotrod' the graphics setup with my own themes, etc. But for the wide release, this one's IT. If you get a chance, try this; I think you'll be surprisingly pleased. + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +Just machines, to make big decisions- programmed by fellas with +compassion and vision. We'll be clean when that work is done; +Eternally free and eternally young. Linux. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1334.2c9c592fd955e975f86e536b6ac5cadd b/machine-learning-ex6/ex6/easy_ham/1334.2c9c592fd955e975f86e536b6ac5cadd new file mode 100644 index 0000000..7502298 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1334.2c9c592fd955e975f86e536b6ac5cadd @@ -0,0 +1,178 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:35:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9AC2C16F18 + for ; Sat, 5 Oct 2002 10:34:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:34:58 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94KW2K07555 for + ; Fri, 4 Oct 2002 21:32:02 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94KO2f04424; Fri, 4 Oct 2002 22:24:02 + +0200 +Received: from canarsie.horizonlive.com (slim-eth0.horizonlive.net + [208.185.78.2]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g94KNHf02156 for ; Fri, 4 Oct 2002 22:23:17 +0200 +Received: from canarsie.horizonlive.com (localhost.localdomain + [127.0.0.1]) by canarsie.horizonlive.com (8.12.5/8.12.5) with ESMTP id + g94KND8f023906 for ; Fri, 4 Oct 2002 16:23:13 + -0400 +Received: (from stevek@localhost) by canarsie.horizonlive.com + (8.12.5/8.12.5/Submit) id g94KNDdm023904 for rpm-list@freshrpms.net; + Fri, 4 Oct 2002 16:23:13 -0400 +X-Authentication-Warning: canarsie.horizonlive.com: stevek set sender to + stevek@horizonlive.com using -f +From: Steve Kann +To: rpm-zzzlist@freshrpms.net +Subject: Re: problems with apt/synaptic +Message-Id: <20021004162311.A23707@canarsie.horizonlive.com> +References: <20021004102537.C22111@canarsie.horizonlive.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021004102537.C22111@canarsie.horizonlive.com> +User-Agent: Mutt/1.3.21i +X-Blank-Header-Line: (this header intentionally left blank) +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 16:23:13 -0400 +Date: Fri, 4 Oct 2002 16:23:13 -0400 +X-Spam-Status: No, hits=-8.5 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_20_30, + T_QUOTE_TWICE_1,USER_AGENT,USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + + +Although it looks like I'm replying to myself, I just haven't gotten +Matthias' reply yet, although I can see it on the website (and I did +subscribe, but probably to the digest). + +Anyway, Matthias wrote: +> Once upon a time, Steve wrote : +> +> > I did apt-get update, and it seemed to have gotten the new packages +> +> Hmmm, "it seems"? Check closer as this may be where the problem is +> coming +> from. +> > but doing things like "apt-get install synaptic" didn't work (neither +> > did other known packages, like apt-get install lame +> > +> > I just get: +> > root@canarsie:/var/cache/apt # apt-get install lame +> > Reading Package Lists... Done +> > Building Dependency Tree... Done +> > E: Couldn't find package lame +> +> Could you double check what "apt-get update" does? And eventually post +> the +> output if there are any errors or messages you don't understand. + +OK, I did it again, and here's what I got: +root@canarsie:/tmp # apt-get update +Ign http://apt.freshrpms.net redhat/8.0/en/i386 release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os pkglist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates pkglist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates release +Get:1 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms pkglist [51.8kB] +Hit http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os srclist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates srclist +Get:2 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms srclist [12.6kB] +Fetched 64.4kB in 2s (30.1kB/s) +Reading Package Lists... Done +root@canarsie:/tmp # apt-get install lame +Reading Package Lists... Done +Building Dependency Tree... Done +E: Couldn't find package lame + +root@canarsie:/var/cache/apt # ls -ltr +total 148 +drwxr-xr-x 2 root root 4096 Sep 29 10:49 gensrclist +drwxr-xr-x 2 root root 4096 Sep 29 10:49 genpkglist +drwxr-xr-x 3 root root 4096 Sep 29 10:49 archives +-rw-r--r-- 1 root root 49863 Oct 4 16:00 srcpkgcache.bin +-rw-r--r-- 1 root root 158131 Oct 4 16:00 pkgcache.bin +root@canarsie:/var/cache/apt # date +Fri Oct 4 16:03:15 EDT 2002 + +So, it looks like it worked, and the files are updated.. very strange. + +Maybe something went wrong updating apt from my old version (as used +with rh7.2), and this one. Lemme try totally uninstalling and +reinstalling it.. + +root@canarsie:/ # rpm -e apt synaptic +warning: /etc/apt/sources.list saved as /etc/apt/sources.list.rpmsave +root@canarsie:/ # ls -l /etc/apt +total 4 +-rw-r--r-- 1 root root 1610 Oct 4 10:07 +sources.list.rpmsave +root@canarsie:/ # rpm -ivh /tmp/apt-0.5.4cnc7-fr1.i386.rpm +warning: /tmp/apt-0.5.4cnc7-fr1.i386.rpm: V3 DSA signature: NOKEY, key +ID e42d547b +Preparing... ########################################### +[100%] + 1:apt ########################################### +[100%] +root@canarsie:/ # apt-get update +Ign http://apt.freshrpms.net redhat/8.0/en/i386 release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os pkglist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates pkglist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms pkglist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms release +Hit http://apt.freshrpms.net redhat/8.0/en/i386/os srclist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/updates srclist +Hit http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms srclist +Reading Package Lists... Done +root@canarsie:/ # apt-get install synaptic +Reading Package Lists... Done +Building Dependency Tree... Done +E: Couldn't find package synaptic +root@canarsie:/ # + +Still no go... + +I'm stumped. + +-SteveK + + + +> +> Matthias +> + + +-- + Steve Kann - Chief Engineer - 520 8th Ave #2300 NY 10018 - (212) 533-1775 + HorizonLive.com - collaborate . interact . learn + "The box said 'Requires Windows 95, NT, or better,' so I installed Linux." + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1335.57112a05c5a5ba633707ed3fdecfd88c b/machine-learning-ex6/ex6/easy_ham/1335.57112a05c5a5ba633707ed3fdecfd88c new file mode 100644 index 0000000..64dbda6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1335.57112a05c5a5ba633707ed3fdecfd88c @@ -0,0 +1,97 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:35:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 83F1716F1A + for ; Sat, 5 Oct 2002 10:35:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:35:09 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94Ki7K07946 for + ; Fri, 4 Oct 2002 21:44:07 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94Kb1f24546; Fri, 4 Oct 2002 22:37:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g94KaUf22746; Fri, 4 Oct 2002 22:36:30 +0200 +From: Matthias Saou +To: Brian Fahrlander +Cc: RPM-List +Subject: Re: Alsa/Redhat 8 compatability +Message-Id: <20021004223558.1e85622d.matthias@rpmforge.net> +In-Reply-To: <20021004130741.2df14559.kilroy@kamakiriad.com> +References: <20021004130741.2df14559.kilroy@kamakiriad.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 22:35:58 +0200 +Date: Fri, 4 Oct 2002 22:35:58 +0200 +X-Spam-Status: No, hits=-9.5 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_40_50,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Brian wrote : + +> +> I have a fresh, new 8.0 install. I'd like to 'go alsa', but I worry +> about screwing it up. Is this fear founded? If I could get Alsa, I +> could run a bunch of games I've been waiting for years to come +> out...like Search & Rescue (available on a Mandrake RPM) and maybe +> FlightGear (flight simulator). + +Well, I'm sure you can recompile those game packages without ALSA anyway. +Also, note that ALSA 0.9.x has just appeared in Mandrake 9.0 and that all +previous Mandrake releases were using the incompatible, aging and now +unsupported 0.5.x series. (unless I've misunderstood) + +> How much 'hacking' is likely required to make it work for an +> SBLive/emu10k1 soundcard? + +Near to none, it should be quite straightforward : +http://freshrpms.net/docs/alsa/ + +The only tricky part is editing the /etc/modules.conf file, but the ALSA +Soundcard Matrix has a page for every supported card with a section you can +most of the time simply copy and paste! + +I really think that with my ALSA packages, ALSA on Red Hat Linux has never +been so easy! ;-) + +Cheers, +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.00 0.07 0.17, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1336.7ea005648426a4f5815e0bb42230a595 b/machine-learning-ex6/ex6/easy_ham/1336.7ea005648426a4f5815e0bb42230a595 new file mode 100644 index 0000000..7ac3c3d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1336.7ea005648426a4f5815e0bb42230a595 @@ -0,0 +1,89 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:35:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 27EEF16F17 + for ; Sat, 5 Oct 2002 10:35:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:35:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94LuXK10676 for + ; Fri, 4 Oct 2002 22:56:33 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94Lo3f02123; Fri, 4 Oct 2002 23:50:03 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g94Lmff28624 + for ; Fri, 4 Oct 2002 23:48:41 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17xaKc-0006jX-00 for rpm-list@freshrpms.net; + Fri, 04 Oct 2002 17:49:58 -0400 +X-Originating-Ip: [4.64.218.140] +From: "" Angles " Puglisi" +To: "=?iso-8859-1?Q?RPM=2DList?=" +Subject: Re: Alsa/Redhat 8 compatability +Message-Id: <20021004.rnl.09750400@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 21:45:33 +0000 +Date: Fri, 04 Oct 2002 21:45:33 +0000 +X-Spam-Status: No, hits=-8.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Matthias Saou (matthias@rpmforge.net) wrote*: +>I really think that with my ALSA packages, ALSA on Red Hat Linux has never +>been so easy! ;-) + +I had been hand building those alsa packages for probably 6 months or more, so I +could use my laptop's ESS chip best (hard disk recording and such). Wow, maybe 8 to +10 months, time flys. I didn't look forward to doing that tedious build every time I +changed a kernel or something. Matthias has made this a thing of the past! Dude, +it's a no brainer, use apt-get or just download and install. + +What's more, OSS is fully "imitated", older apps using OSS are as happy as a clam. +My personal taste tells me newer apps which use alsa sound better (alsaplayer, xmms +with alsa module) to my ear. + +The 2 things that trick people are the modules.conf file, they didn't have that +automatic matrix page when I started with alsa, you don't know how good you have it. + +And on my old installs (only the first time I installed it on a clean box), alsa +always was "muted" until you fire up a mixer and turn up the music. It's possible +Matthias even took care of that too. Anyway it is/was only a one time thing on 1st +install, that was a long time ago for me. + +Those ALSA dudes had been trying to get it into the 2.4 kernel but missed it, but +it's been in 2.5 for a while now, so alsa is the future of sound in the linux kernel. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1337.eb38bf81b8a24991252e451208c24ecd b/machine-learning-ex6/ex6/easy_ham/1337.eb38bf81b8a24991252e451208c24ecd new file mode 100644 index 0000000..cc2dc68 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1337.eb38bf81b8a24991252e451208c24ecd @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:36:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6C4D016F21 + for ; Sat, 5 Oct 2002 10:35:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:35:36 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g94NEAK13745 for + ; Sat, 5 Oct 2002 00:14:15 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g94N82f30483; Sat, 5 Oct 2002 01:08:02 + +0200 +Received: from relay2.EECS.Berkeley.EDU (relay2.EECS.Berkeley.EDU + [169.229.60.28]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g94N7If23138 for ; Sat, 5 Oct 2002 01:07:18 +0200 +Received: from relay3.EECS.Berkeley.EDU (localhost.Berkeley.EDU + [127.0.0.1]) by relay2.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id + QAA03058 for ; Fri, 4 Oct 2002 16:07:16 -0700 + (PDT) +Received: from eecs.berkeley.edu (brawnix.CS.Berkeley.EDU [128.32.35.162]) + by relay3.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id QAA16606 for + ; Fri, 4 Oct 2002 16:07:11 -0700 (PDT) +Message-Id: <3D9E1F20.3050300@eecs.berkeley.edu> +From: Ben Liblit +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 04 Oct 2002 16:07:12 -0700 +Date: Fri, 04 Oct 2002 16:07:12 -0700 +X-Spam-Status: No, hits=-4.5 required=5.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_NONSENSE_FROM_40_50, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Haase wrote: +> RH ships the code with the bytecode hinter disabled which makes +> non-AA fonts really ugly. +> This reqiures only a small change for include/freetype/config/ftoption.h, +> it is very well documented. + +Red Hat 8.0 ships with the bytecode hinter enabled; I think 7.3 may have +as well. + +The enabling change to "ftoption.h" is made by Red Hat's SRPM before +building. Take a look at "freetype-2.1.1-enable-ft2-bci.patch" from the +SRPM; it's pretty clear that this does exactly what needs to be done. + +So if your fonts look ugly, lack of bytecode hinting is *not* the cause. + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1338.6656824f5801ca79629b3374e834ad04 b/machine-learning-ex6/ex6/easy_ham/1338.6656824f5801ca79629b3374e834ad04 new file mode 100644 index 0000000..5ddd437 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1338.6656824f5801ca79629b3374e834ad04 @@ -0,0 +1,68 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:37:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B7F2516F1C + for ; Sat, 5 Oct 2002 10:36:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:36:12 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g951JJK21082 for + ; Sat, 5 Oct 2002 02:19:19 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g951D2f05767; Sat, 5 Oct 2002 03:13:02 + +0200 +Received: from out001.verizon.net (out001pub.verizon.net [206.46.170.140]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g951CFf30318 for + ; Sat, 5 Oct 2002 03:12:15 +0200 +Received: from chassid ([4.65.20.230]) by out001.verizon.net (InterMail + vM.5.01.05.09 201-253-122-126-109-20020611) with ESMTP id + <20021005011206.OGMC3265.out001.verizon.net@chassid> for + ; Fri, 4 Oct 2002 20:12:06 -0500 +Content-Type: text/plain; charset="us-ascii" +From: Coy Krill +To: rpm-zzzlist@freshrpms.net +Subject: Problem building lame-3.92-fr5.src.rpm on RH8 +User-Agent: KMail/1.4.3 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210041809.23811.coy.krill@verizon.net> +X-Authentication-Info: Submitted using SMTP AUTH LOGIN at out001.verizon.net + from [4.65.20.230] at Fri, 4 Oct 2002 20:12:05 -0500 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 18:09:23 -0700 +Date: Fri, 4 Oct 2002 18:09:23 -0700 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=KNOWN_MAILING_LIST,T_NONSENSE_FROM_40_50,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +I can't seem to build this package. It errors out because rpm found +files not included in any of the packages. I tried getting them addes +(it's the documentation that is being loaded) and was unsuccessful. +Anyone get this to work? + +Coy + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1339.57de97732c190bf4575276eb054e0e79 b/machine-learning-ex6/ex6/easy_ham/1339.57de97732c190bf4575276eb054e0e79 new file mode 100644 index 0000000..dd07dbc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1339.57de97732c190bf4575276eb054e0e79 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:37:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0345516F21 + for ; Sat, 5 Oct 2002 10:36:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:36:19 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g952YiK23883 for + ; Sat, 5 Oct 2002 03:34:44 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g952Q1f06511; Sat, 5 Oct 2002 04:26:01 + +0200 +Received: from localhost.localdomain + (pool-141-151-21-129.phil.east.verizon.net [141.151.21.129]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g952PMf06368 for + ; Sat, 5 Oct 2002 04:25:22 +0200 +Received: from localhost.localdomain (localhost.localdomain [127.0.0.1]) + by localhost.localdomain (8.12.5/8.12.5) with ESMTP id g952PWhL025580 for + ; Fri, 4 Oct 2002 22:25:32 -0400 +Received: (from quaff@localhost) by localhost.localdomain + (8.12.5/8.12.5/Submit) id g952PVG2025578; Fri, 4 Oct 2002 22:25:31 -0400 +X-Authentication-Warning: localhost.localdomain: quaff set sender to + quaffapint@clippersoft.net using -f +Subject: Xine dependencies +From: QuaffA Pint +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033784731.25485.6.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 04 Oct 2002 22:25:31 -0400 +Date: 04 Oct 2002 22:25:31 -0400 +X-Spam-Status: No, hits=-0.4 required=5.0 + tests=KNOWN_MAILING_LIST,T_NONSENSE_FROM_40_50,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On a RH 8 box, I'm trying to install your package +xine-0.9.13-fr5.i386.rpm, I keep running into dependency problems. I've +tried to install the dev and lib rpm's as well and they error out with +dependency problems on each other (they each want something from the +other's package). + +I've tried the --without options, but still end up with (similar for the +regular package), + + glut is needed by xine-libs-0.9.13-fr5 + aalib is needed by xine-libs-0.9.13-fr5 + lirc is needed by xine-libs-0.9.13-fr5 + libaa.so.1 is needed by xine-libs-0.9.13-fr5 + libglut.so.3 is needed by xine-libs-0.9.13-fr5 + +What am I missing here? + +Thanks for your efforts. +QuaffAPint + + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1340.763507dad3b921f972640d4d76172f7e b/machine-learning-ex6/ex6/easy_ham/1340.763507dad3b921f972640d4d76172f7e new file mode 100644 index 0000000..b2c5c38 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1340.763507dad3b921f972640d4d76172f7e @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 10:37:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5163E16F6E + for ; Sat, 5 Oct 2002 10:36:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 10:36:22 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g953GfK25573 for + ; Sat, 5 Oct 2002 04:16:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g953B2f14268; Sat, 5 Oct 2002 05:11:02 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g953Abf14199 for ; Sat, 5 Oct 2002 05:10:37 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.comamakiriad.com (8.11.6/8.11.6) with SMTP id + g953ARM17517 for ; Fri, 4 Oct 2002 22:10:28 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: Xine dependencies +Message-Id: <20021004221003.26248bb9.kilroy@kamakiriad.com> +In-Reply-To: <1033784731.25485.6.camel@localhost.localdomain> +References: <1033784731.25485.6.camel@localhost.localdomain> +X-Mailer: Sylpheed version 0.8.5 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 4 Oct 2002 22:10:03 -0500 +Date: Fri, 4 Oct 2002 22:10:03 -0500 +X-Spam-Status: No, hits=-7.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +On 04 Oct 2002 22:25:31 -0400, QuaffA Pint wrote: + +> On a RH 8 box, I'm trying to install your package +> xine-0.9.13-fr5.i386.rpm, I keep running into dependency problems. I've +> tried to install the dev and lib rpm's as well and they error out with +> dependency problems on each other (they each want something from the +> other's package). +> +> I've tried the --without options, but still end up with (similar for the +> regular package), +> +> glut is needed by xine-libs-0.9.13-fr5 +> aalib is needed by xine-libs-0.9.13-fr5 +> lirc is needed by xine-libs-0.9.13-fr5 +> libaa.so.1 is needed by xine-libs-0.9.13-fr5 +> libglut.so.3 is needed by xine-libs-0.9.13-fr5 +> +> What am I missing here? + + "apt-get install xine". It'll find all these. Oh, and I'm told that Redhat 8.0 will also suggest things like this for ya. (Not apt, but the actual package names you need) + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +Just machines, to make big decisions- programmed by fellas with +compassion and vision. We'll be clean when that work is done; +Eternally free and eternally young. Linux. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1341.91bc30d50566e71807217c8977f7a793 b/machine-learning-ex6/ex6/easy_ham/1341.91bc30d50566e71807217c8977f7a793 new file mode 100644 index 0000000..367c35d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1341.91bc30d50566e71807217c8977f7a793 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 12:38:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5251116F17 + for ; Sat, 5 Oct 2002 12:38:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:06 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g958u0K04063 for + ; Sat, 5 Oct 2002 09:56:00 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g958m3f05677; Sat, 5 Oct 2002 10:48:03 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g958lcf01474 for ; Sat, 5 Oct 2002 10:47:38 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem building lame-3.92-fr5.src.rpm on RH8 +Message-Id: <20021005103825.33a637b3.matthias@rpmforge.net> +In-Reply-To: <200210041809.23811.coy.krill@verizon.net> +References: <200210041809.23811.coy.krill@verizon.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 10:38:25 +0200 +Date: Sat, 5 Oct 2002 10:38:25 +0200 +X-Spam-Status: No, hits=-10.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Coy wrote : + +> I can't seem to build this package. It errors out because rpm found +> files not included in any of the packages. I tried getting them addes +> (it's the documentation that is being loaded) and was unsuccessful. +> Anyone get this to work? + +Hi, + +Could you post the list of files in question? Maybe more docs get generated +when a certain doc tool is installed and that I didn't have it installed +when I rebuilt the package :-/ + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.06 0.12 0.09, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1342.6770473802a7dc7ab14a212f95573c15 b/machine-learning-ex6/ex6/easy_ham/1342.6770473802a7dc7ab14a212f95573c15 new file mode 100644 index 0000000..c2db15d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1342.6770473802a7dc7ab14a212f95573c15 @@ -0,0 +1,99 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 12:38:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6068F16F17 + for ; Sat, 5 Oct 2002 12:38:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:11 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g95ASmK06400 for + ; Sat, 5 Oct 2002 11:28:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95AN2f11627; Sat, 5 Oct 2002 12:23:02 + +0200 +Received: from marvin.home.priv (adsl-66-124-59-34.dsl.anhm01.pacbell.net + [66.124.59.34]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g95ALjf32662 for ; Sat, 5 Oct 2002 12:21:45 +0200 +Received: by marvin.home.priv (Postfix, from userid 500) id CC895203D4; + Sat, 5 Oct 2002 03:21:43 -0700 (PDT) +From: Gary Peck +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver.spec tweak for homemade kernels +Message-Id: <20021005102143.GA6915@marvin.home.priv> +Mail-Followup-To: Gary Peck , + rpm-list@freshrpms.net +References: <3D9AA650.2000909@eecs.berkeley.edu> + <20021002100919.2e3168a8.matthias@rpmforge.net> + <20021002193602.GC6266@taz.home.priv> + <20021002224504.13c35679.matthias@rpmforge.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021002224504.13c35679.matthias@rpmforge.net> +User-Agent: Mutt/1.4i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 03:21:43 -0700 +Date: Sat, 5 Oct 2002 03:21:43 -0700 +X-Spam-Status: No, hits=-7.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_40_50,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Wed, Oct 02, 2002 at 10:45:04PM +0200, Matthias Saou wrote: +> > So I've attached a patch to specify an alternate kernel by setting the +> > "TARGET_KERNEL" environment variable before running rpmbuild. You +> > still need to have the rpm for the specified kernel installed, but at +> > least it doesn't have to be currently running. It's kinda hackish, so +> > if someone has a better way to do this, let me know. +> +> That idea looks good although it maybe needs to be tweaked a bit more (what +> you sent doesn't support packages named "kernel-smp"). I'd also prefer a +> cleaner way than the env variable, and preferrably not editing the spec... +> probably "--define 'target 2.4.xx-xx' --with smp". Sound good enough? +> The BuildRequires on "kernel-source" will also need to be removed because +> it won't necessarily need to be true, and that does bug me a bit :-/ + +The "--define" is exactly what I was looking for! I was trying to +figure out a way to do it within the mechanism of rpm (like the +"--with" switches), but for some reason didn't think of using +"--define". My computer is currently gone for repairs, but once it's +back, I'll rewrite the specfile, add support for kernel-smp, and email +it to the list for further criticism :) + +As far as requiring kernel-source, I don't feel it's a big problem. If +you're gonna go to the trouble of packaging custom kernels into rpms, +it's not a far stretch to package the source tree too (as I currently +do). + +Also, I've found that the alsa-driver source needs a usb-related patch +to compile under the latest test kernels (2.4.20-preX). Are other +people seeing the same thing, or is this just a problem with my setup? + +gary + +P.S. If I didn't mention it before, thanks for the alsa packages! They +greatly simplified what used to take way too long before. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1343.c5ead41a4483bd3732e42d52c9163d24 b/machine-learning-ex6/ex6/easy_ham/1343.c5ead41a4483bd3732e42d52c9163d24 new file mode 100644 index 0000000..b901e49 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1343.c5ead41a4483bd3732e42d52c9163d24 @@ -0,0 +1,90 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 12:38:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A796516F03 + for ; Sat, 5 Oct 2002 12:38:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:07 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g958v5K04238 for + ; Sat, 5 Oct 2002 09:57:05 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g958r2f26810; Sat, 5 Oct 2002 10:53:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g958qLf20852 for ; Sat, 5 Oct 2002 10:52:21 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Xine dependencies +Message-Id: <20021005104303.65cc5b6d.matthias@rpmforge.net> +In-Reply-To: <1033784731.25485.6.camel@localhost.localdomain> +References: <1033784731.25485.6.camel@localhost.localdomain> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 10:43:03 +0200 +Date: Sat, 5 Oct 2002 10:43:03 +0200 +X-Spam-Status: No, hits=-11.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, QuaffA wrote : + +> I've tried the --without options, but still end up with (similar for the +> regular package), +> +> glut is needed by xine-libs-0.9.13-fr5 + +You need to install the "glut" package from Red Hat Linux 8.0 (and +"glut-devel" if you intend to recompile the source rpm). + +> aalib is needed by xine-libs-0.9.13-fr5 +> lirc is needed by xine-libs-0.9.13-fr5 +> libaa.so.1 is needed by xine-libs-0.9.13-fr5 +> libglut.so.3 is needed by xine-libs-0.9.13-fr5 + +Here you need both "aalib" and "lirc" from freshrpms.net. They're small, +they can be quite useful, that's why I've compiled xine with them as a +default. +You should be able to get rid of those two though, by rebuilding the source +rpm (otherwise it's a bug in my packaging!) : +rpmbuild --rebuild --without aalib --without lirc xine*.src.rpm + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.06 0.13 0.09, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1344.c12652263fc21b75dd4298a3d1bfcf53 b/machine-learning-ex6/ex6/easy_ham/1344.c12652263fc21b75dd4298a3d1bfcf53 new file mode 100644 index 0000000..94d4579 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1344.c12652263fc21b75dd4298a3d1bfcf53 @@ -0,0 +1,72 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 14:07:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AD8B616F03 + for ; Sat, 5 Oct 2002 14:07:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 14:07:17 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g95CA9K08974 for + ; Sat, 5 Oct 2002 13:10:09 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95C41f11726; Sat, 5 Oct 2002 14:04:01 + +0200 +Received: from localhost.localdomain + (pool-141-151-21-129.phil.east.verizon.net [141.151.21.129]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95C3Nf08935 for + ; Sat, 5 Oct 2002 14:03:23 +0200 +Received: from rh8.localdomain (localhost.localdomain [127.0.0.1]) by + localhost.localdomain (8.12.5/8.12.5) with ESMTP id g95C3O7d004881 for + ; Sat, 5 Oct 2002 08:03:24 -0400 +Received: (from quaff@localhost) by rh8.localdomain (8.12.5/8.12.5/Submit) + id g95C3DE6004874; Sat, 5 Oct 2002 08:03:13 -0400 +X-Authentication-Warning: rh8.localdomain: quaff set sender to + quaffapint@clippersoft.net using -f +Subject: Re: Xine Dependencies +From: QuaffA Pint +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033819393.1146.1.camel@rh8.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 05 Oct 2002 08:03:13 -0400 +Date: 05 Oct 2002 08:03:13 -0400 +X-Spam-Status: No, hits=0.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,RCVD_IN_OSIRUSOFT_COM, + T_NONSENSE_FROM_40_50,X_AUTH_WARNING,X_OSIRU_DUL + version=2.50-cvs +X-Spam-Level: + +Thanks Matthias...After installing those packages Xine now installs +fine. Guess I shoulda figured that one out... + +Thanks... +QuaffAPint + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1345.df3d6d8a5d9e6bba6484fbef2dae9102 b/machine-learning-ex6/ex6/easy_ham/1345.df3d6d8a5d9e6bba6484fbef2dae9102 new file mode 100644 index 0000000..d6e17d6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1345.df3d6d8a5d9e6bba6484fbef2dae9102 @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Sat Oct 5 17:21:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8425216F03 + for ; Sat, 5 Oct 2002 17:21:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 17:21:49 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g95DOfK10926 for + ; Sat, 5 Oct 2002 14:24:42 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95DE2f01952; Sat, 5 Oct 2002 15:14:02 + +0200 +Received: from bennew01.localdomain (pD900DDC6.dip.t-dialin.net + [217.0.221.198]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g95DD2f29025 for ; Sat, 5 Oct 2002 15:13:02 +0200 +Received: from bennew01.localdomain (bennew01.localdomain [192.168.3.1]) + by bennew01.localdomain (8.12.5/linuxconf) with SMTP id g95DCmUv028047 for + ; Sat, 5 Oct 2002 15:12:49 +0200 +From: Matthias Haase +To: rpm-zzzlist@freshrpms.net +Subject: Re: RedHat 8.0 and his own freetype +Message-Id: <20021005151248.2184c904.matthias_haase@bennewitz.com> +In-Reply-To: <3D9E1F20.3050300@eecs.berkeley.edu> +References: <20021004155451.52f9ecd5.matthias_haase@bennewitz.com> + <3D9E1F20.3050300@eecs.berkeley.edu> +X-Operating-System: customized linux smp kernel 2.4* on i686 +X-Mailer: Sylpheed +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 15:12:48 +0200 +Date: Sat, 5 Oct 2002 15:12:48 +0200 +X-Spam-Status: No, hits=-6.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +On Fri, 04 Oct 2002 16:07:12 -0700 +Ben Liblit wrote: + +> So if your fonts look ugly, lack of bytecode hinting is *not* the cause. + +Well you are right, sorry, I didn't have any better idea yesterday late in +the evening. +The fonts are ugly only inside of gnome2 and clean for gnome1 apps, if +antialiasing is disabled. +This is difficult to understand for me. + +-- +regards from Germany + Matthias + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1346.e172cd7f334b27ed0aeb288ca6436f7d b/machine-learning-ex6/ex6/easy_ham/1346.e172cd7f334b27ed0aeb288ca6436f7d new file mode 100644 index 0000000..d689c90 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1346.e172cd7f334b27ed0aeb288ca6436f7d @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Sun Oct 6 22:51:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 81C3716F03 + for ; Sun, 6 Oct 2002 22:51:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:51:14 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g95K68K22243 for + ; Sat, 5 Oct 2002 21:06:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95K03f15705; Sat, 5 Oct 2002 22:00:03 + +0200 +Received: from out002.verizon.net (out002pub.verizon.net [206.46.170.141]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g95Jwqf12099 for + ; Sat, 5 Oct 2002 21:58:52 +0200 +Received: from chassid ([4.65.20.230]) by out002.verizon.net (InterMail + vM.5.01.05.09 201-253-122-126-109-20020611) with ESMTP id + <20021005195843.LSGV2867.out002.verizon.net@chassid> for + ; Sat, 5 Oct 2002 14:58:43 -0500 +Content-Type: text/plain; charset="us-ascii" +From: Coy Krill +To: rpm-zzzlist@freshrpms.net +Subject: Re: Problem building lame-3.92-fr5.src.rpm on RH8 +User-Agent: KMail/1.4.3 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200210051256.03011.coy.krill@verizon.net> +X-Authentication-Info: Submitted using SMTP AUTH LOGIN at out002.verizon.net + from [4.65.20.230] at Sat, 5 Oct 2002 14:58:42 -0500 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 12:56:02 -0700 +Date: Sat, 5 Oct 2002 12:56:02 -0700 +X-Spam-Status: No, hits=-1.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,T_NONSENSE_FROM_40_50,USER_AGENT, + USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +Matthias said: + +>Could you post the list of files in question? + +Sure. I used the following command to rebuild the package: + +rpmbuild --rebuild --target i586 lame-3.92-fr5.src.rpm + +And here is the error output for the files: + +RPM build errors: + user dude does not exist - using root + user dude does not exist - using root + Installed (but unpackaged) file(s) found: + /usr/share/doc/lame/html/basic.html + /usr/share/doc/lame/html/contributors.html + /usr/share/doc/lame/html/examples.html + /usr/share/doc/lame/html/history.html + /usr/share/doc/lame/html/id3.html + /usr/share/doc/lame/html/index.html + /usr/share/doc/lame/html/lame.css + /usr/share/doc/lame/html/modes.html + /usr/share/doc/lame/html/node6.html + /usr/share/doc/lame/html/switchs.html + +Coy + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1347.b74ed7bb44086b2b4721bce965ac8273 b/machine-learning-ex6/ex6/easy_ham/1347.b74ed7bb44086b2b4721bce965ac8273 new file mode 100644 index 0000000..df8bf7e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1347.b74ed7bb44086b2b4721bce965ac8273 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Sun Oct 6 22:52:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 758EC16F1E + for ; Sun, 6 Oct 2002 22:51:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:51:31 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g95MTCK26314 for + ; Sat, 5 Oct 2002 23:29:12 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g95MO2f16687; Sun, 6 Oct 2002 00:24:02 + +0200 +Received: from swampfox.owlriver.com (swampfox.owlriver.com + [206.21.107.147]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g95MMmf10832 for ; Sun, 6 Oct 2002 00:22:49 +0200 +Received: from localhost (localhost [127.0.0.1]) by swampfox.owlriver.com + (8.11.6/8.11.6) with ESMTP id g95MMkU13081 for ; + Sat, 5 Oct 2002 18:22:47 -0400 +From: R P Herrold +To: rpm-zzzlist@freshrpms.net +Subject: Re: f-rpm] Re: Problem building lame-3.92-fr5.src.rpm on RH8 +In-Reply-To: <200210051256.03011.coy.krill@verizon.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 5 Oct 2002 18:22:46 -0400 (EDT) +Date: Sat, 5 Oct 2002 18:22:46 -0400 (EDT) +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_10_20,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Sat, 5 Oct 2002, Coy Krill wrote: + +> Sure. I used the following command to rebuild the package: +> +> rpmbuild --rebuild --target i586 lame-3.92-fr5.src.rpm +> +> And here is the error output for the files: +> +> RPM build errors: +> user dude does not exist - using root +> user dude does not exist - using root + +harmless ... + +> Installed (but unpackaged) file(s) found: +> /usr/share/doc/lame/html/basic.html +> /usr/share/doc/lame/html/contributors.html +> /usr/share/doc/lame/html/examples.html +> /usr/share/doc/lame/html/history.html + + +This is a problem with the .spec file not accounting for all +the files produced. see: + http://www.rpm.org/hintskinks/unpackaged-files/ + +-- Russ Herrold + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1348.79cf2ab14db2301670710f9d1feaddda b/machine-learning-ex6/ex6/easy_ham/1348.79cf2ab14db2301670710f9d1feaddda new file mode 100644 index 0000000..a3c0a47 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1348.79cf2ab14db2301670710f9d1feaddda @@ -0,0 +1,73 @@ +From rpm-list-admin@freshrpms.net Sun Oct 6 22:54:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 46BBE16F81 + for ; Sun, 6 Oct 2002 22:53:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:53:15 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g969GJK17161 for + ; Sun, 6 Oct 2002 10:16:19 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g969A2f04500; Sun, 6 Oct 2002 11:10:02 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9698tf00903 for + ; Sun, 6 Oct 2002 11:08:56 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id 4F63C73626 for + ; Sun, 6 Oct 2002 09:08:25 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 998B01B84DD for ; + Sun, 6 Oct 2002 09:07:48 +0000 (UTC) +Message-Id: <3D9FFE0A.20006@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: xine src package +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 06 Oct 2002 12:10:34 +0300 +Date: Sun, 06 Oct 2002 12:10:34 +0300 +X-Spam-Status: No, hits=-5.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_70_80,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Same as in mplayer src package +the --with and --without not working correctly +I do --without arts and it still want to install with arts + +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1349.d05ca7b269c99915562d3e448f7b8afa b/machine-learning-ex6/ex6/easy_ham/1349.d05ca7b269c99915562d3e448f7b8afa new file mode 100644 index 0000000..bb13875 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1349.d05ca7b269c99915562d3e448f7b8afa @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Sun Oct 6 22:54:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0060116F83 + for ; Sun, 6 Oct 2002 22:53:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 06 Oct 2002 22:53:19 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g96Ah8K19284 for + ; Sun, 6 Oct 2002 11:43:08 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g96Ac1f10442; Sun, 6 Oct 2002 12:38:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g96AbFf00907 for ; Sun, 6 Oct 2002 12:37:15 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xine src package +Message-Id: <20021006123628.0d199281.matthias@rpmforge.net> +In-Reply-To: <3D9FFE0A.20006@punkass.com> +References: <3D9FFE0A.20006@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 6 Oct 2002 12:36:28 +0200 +Date: Sun, 6 Oct 2002 12:36:28 +0200 +X-Spam-Status: No, hits=-12.2 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> Same as in mplayer src package +> the --with and --without not working correctly +> I do --without arts and it still want to install with arts + +This time the problem seems to be that I overestimated xine-lib's configure +script as it seems that it doesn't support disabling arts... so if you have +arts-devel installed, its support will be compiled in :-/ + +Also, I had made another mistake and added the configure option to disable +lirc ot xine-lib when it should have been for xine-ui. + +All this is fixed in the upcoming "fr6" release. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.08 0.15 0.11, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1350.e386afc23b51f446e2f6779c1ade0a68 b/machine-learning-ex6/ex6/easy_ham/1350.e386afc23b51f446e2f6779c1ade0a68 new file mode 100644 index 0000000..5c057ba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1350.e386afc23b51f446e2f6779c1ade0a68 @@ -0,0 +1,68 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:02:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E742316F18 + for ; Mon, 7 Oct 2002 12:01:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:01:49 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g971OaK13228 for + ; Mon, 7 Oct 2002 02:24:41 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g971J2f17856; Mon, 7 Oct 2002 03:19:02 + +0200 +Received: from pimout3-ext.prodigy.net (pimout3-ext.prodigy.net + [207.115.63.102]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g971I7f10616 for ; Mon, 7 Oct 2002 03:18:08 +0200 +Received: from AMD1800.okie-web.com + (dialup-65.57.29.85.Dial1.KansasCity1.Level3.net [65.57.29.85]) by + pimout3-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) with ESMTP id + g971I085620022 for ; Sun, 6 Oct 2002 21:18:01 + -0400 +Subject: RH 8 no DMA for DVD drive +From: Alvie +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033953429.13890.4.camel@AMD1800> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 06 Oct 2002 20:17:07 -0500 +Date: 06 Oct 2002 20:17:07 -0500 +X-Spam-Status: No, hits=2.3 required=5.0 + tests=FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,T_FROM_ENDS_IN_NUMS2, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: ** + +hdparm -d1 /dev/hdc says Operation not Permitted. +DVD playback is very jumpy. +Does someone have any ideas on what I can do yo get DMA transfers? +Thanks Alvie + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1351.c176f7e5d80492c34cad40bc9e939012 b/machine-learning-ex6/ex6/easy_ham/1351.c176f7e5d80492c34cad40bc9e939012 new file mode 100644 index 0000000..29d5243 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1351.c176f7e5d80492c34cad40bc9e939012 @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:03:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EE89D16F1C + for ; Mon, 7 Oct 2002 12:02:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:02:22 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g971cnK13596 for + ; Mon, 7 Oct 2002 02:38:54 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g971X2f09425; Mon, 7 Oct 2002 03:33:02 + +0200 +Received: from athlon.ckloiber.com (rdu57-224-069.nc.rr.com + [66.57.224.69]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g971WMf05694 for ; Mon, 7 Oct 2002 03:32:23 +0200 +Received: from athlon.ckloiber.com (athlon.ckloiber.com [127.0.0.1]) by + athlon.ckloiber.com (8.12.5/8.12.5) with ESMTP id g971WeCN029028 for + ; Sun, 6 Oct 2002 21:32:40 -0400 +Received: (from ckloiber@localhost) by athlon.ckloiber.com + (8.12.5/8.12.5/Submit) id g971WdUU029026; Sun, 6 Oct 2002 21:32:39 -0400 +X-Authentication-Warning: athlon.ckloiber.com: ckloiber set sender to + ckloiber@ckloiber.com using -f +Subject: Re: RH 8 no DMA for DVD drive +From: Chris Kloiber +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <1033953429.13890.4.camel@AMD1800> +References: <1033953429.13890.4.camel@AMD1800> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033954359.28832.4.camel@athlon.ckloiber.com> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 06 Oct 2002 21:32:39 -0400 +Date: 06 Oct 2002 21:32:39 -0400 +X-Spam-Status: No, hits=-9.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Sun, 2002-10-06 at 21:17, Alvie wrote: +> hdparm -d1 /dev/hdc says Operation not Permitted. +> DVD playback is very jumpy. +> Does someone have any ideas on what I can do yo get DMA transfers? +> Thanks Alvie + +Add to /etc/modules.conf: + +options ide-cd dma=1 + +-- +Chris Kloiber + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1352.dde8603b55106a1e7fe9508e972b24d2 b/machine-learning-ex6/ex6/easy_ham/1352.dde8603b55106a1e7fe9508e972b24d2 new file mode 100644 index 0000000..1702a83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1352.dde8603b55106a1e7fe9508e972b24d2 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:04:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 090EA16F19 + for ; Mon, 7 Oct 2002 12:03:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:03:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g974XHK18362 for + ; Mon, 7 Oct 2002 05:33:17 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g974R1f27888; Mon, 7 Oct 2002 06:27:01 + +0200 +Received: from pimout1-ext.prodigy.net (pimout1-ext.prodigy.net + [207.115.63.77]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g974QPf26615 for ; Mon, 7 Oct 2002 06:26:26 +0200 +Received: from AMD1800.okie-web.com + (dialup-65.57.29.85.Dial1.KansasCity1.Level3.net [65.57.29.85]) by + pimout1-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) with ESMTP id + g974QI7g178100 for ; Mon, 7 Oct 2002 00:26:19 + -0400 +Subject: Re: RH 8 no DMA for DVD drive +From: Alvie +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <1033954359.28832.4.camel@athlon.ckloiber.com> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1033964717.1263.8.camel@AMD1800> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 06 Oct 2002 23:25:15 -0500 +Date: 06 Oct 2002 23:25:15 -0500 +X-Spam-Status: No, hits=0.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FROM_ENDS_IN_NUMS,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + T_FROM_ENDS_IN_NUMS2,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +Thank you, that was exactly what I needed. +DVD works great now. +1 more problem? +Video-DVDRip worked on RH 7.3 but can't get contents of DVD, last +message is 'libdvdread: using libdvdcss 1.2.2 for DVD access'. +but it fails. + +On Sun, 2002-10-06 at 20:32, Chris Kloiber wrote: +> On Sun, 2002-10-06 at 21:17, Alvie wrote: +> > hdparm -d1 /dev/hdc says Operation not Permitted. +> > DVD playback is very jumpy. +> > Does someone have any ideas on what I can do yo get DMA transfers? +> > Thanks Alvie +> +> Add to /etc/modules.conf: +> +> options ide-cd dma=1 +> +> -- +> Chris Kloiber +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1353.bd9fa1be6b135e4aea436dc7957c7e37 b/machine-learning-ex6/ex6/easy_ham/1353.bd9fa1be6b135e4aea436dc7957c7e37 new file mode 100644 index 0000000..08b3677 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1353.bd9fa1be6b135e4aea436dc7957c7e37 @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:04:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7476B16F1A + for ; Mon, 7 Oct 2002 12:03:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:03:22 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9766DK20698 for + ; Mon, 7 Oct 2002 07:06:13 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97602f16257; Mon, 7 Oct 2002 08:00:02 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g975xRf15813 for + ; Mon, 7 Oct 2002 07:59:27 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id B035B700A6 for + ; Mon, 7 Oct 2002 05:59:11 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-1.hotpop.com + (Postfix) with ESMTP id B78CF2F813E for ; + Mon, 7 Oct 2002 05:58:30 +0000 (UTC) +Message-Id: <3DA12334.2010705@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: apt-get problem ? +References: <3D9FFE0A.20006@punkass.com> + <20021006123628.0d199281.matthias@rpmforge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 08:01:24 +0200 +Date: Mon, 07 Oct 2002 08:01:24 +0200 +X-Spam-Status: No, hits=-7.1 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES,T_NONSENSE_FROM_70_80, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +When I try to use apt-get upgrade +it wants to install libusb while I got it +(same version) +and all collapse because of this. + +Roi + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1354.0cbd2821c28f742dfdcf33ffbfaeebac b/machine-learning-ex6/ex6/easy_ham/1354.0cbd2821c28f742dfdcf33ffbfaeebac new file mode 100644 index 0000000..161b070 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1354.0cbd2821c28f742dfdcf33ffbfaeebac @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:04:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 105E716F6C + for ; Mon, 7 Oct 2002 12:03:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:03:29 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g976WqK21300 for + ; Mon, 7 Oct 2002 07:32:52 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g976T1f21517; Mon, 7 Oct 2002 08:29:01 + +0200 +Received: from evv.kamakiriad.local (cable-b-36.sigecom.net + [63.69.210.36]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g976S5f18032 for ; Mon, 7 Oct 2002 08:28:05 +0200 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.com (8.11.6/8.11.6) with SMTP id g976RrP02834 + for ; Mon, 7 Oct 2002 01:27:53 -0500 +From: Brian Fahrlander +To: rpm-zzzlist@freshrpms.net +Subject: Re: apt-get problem ? +Message-Id: <20021007012740.4c1f4b10.kilroy@kamakiriad.com> +In-Reply-To: <3DA12334.2010705@punkass.com> +References: <3D9FFE0A.20006@punkass.com> + <20021006123628.0d199281.matthias@rpmforge.net> + <3DA12334.2010705@punkass.com> +X-Mailer: Sylpheed version 0.8.5 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 01:27:40 -0500 +Date: Mon, 7 Oct 2002 01:27:40 -0500 +X-Spam-Status: No, hits=-9.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +On Mon, 07 Oct 2002 08:01:24 +0200, Roi Dayan wrote: + +> When I try to use apt-get upgrade +> it wants to install libusb while I got it +> (same version) +> and all collapse because of this. + + I had that too; I removed libusb (I don't think it needed --nodeps) and then 'apt-get -f install' and all was well. + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +angegangen, Schlange-Hüften, sein es ganz rüber jetzt. Bügel innen fest, +weil es eine lange, süsse Fahrt ist. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1355.787c1831282475833fed423595755d11 b/machine-learning-ex6/ex6/easy_ham/1355.787c1831282475833fed423595755d11 new file mode 100644 index 0000000..b0833db --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1355.787c1831282475833fed423595755d11 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 12:05:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0DECC16F90 + for ; Mon, 7 Oct 2002 12:04:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 12:04:35 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97AaKK27801 for + ; Mon, 7 Oct 2002 11:36:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97AX1f27670; Mon, 7 Oct 2002 12:33:02 + +0200 +Received: from urgent.rug.ac.be (urgent.rug.ac.be [157.193.88.1]) by + egwn.net (8.11.6/8.11.6/EGWN) with SMTP id g97AWsf27637 for + ; Mon, 7 Oct 2002 12:32:54 +0200 +Received: (qmail 14013 invoked by uid 505); 7 Oct 2002 10:33:02 -0000 +Received: from localhost (sendmail-bs@127.0.0.1) by localhost with SMTP; + 7 Oct 2002 10:33:02 -0000 +From: Thomas Vander Stichele +To: RPM-List@freshrpms.net +Subject: a problem with apt-get +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 12:33:02 +0200 (CEST) +Date: Mon, 7 Oct 2002 12:33:02 +0200 (CEST) +X-Spam-Status: No, hits=-8.8 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hi, + +In my build scripts, I have problems with some of the kernel packages. + +For kernel-sources, I get : + +Package kernel-source is a virtual package provided by: + kernel-source#2.4.18-3 2.4.18-3 + kernel-source#2.4.18-3 2.4.18-3 + +on running apt-get install kernel-source + +Now, first of all, this doesn't really tell me what the two options are ;) +Second, is there some way I can tell apt-get to install either ? This is +done from automatic build scripts so I'd like it to proceed anyway. + +Thanks, +Thomas + +-- + +The Dave/Dina Project : future TV today ! - http://davedina.apestaart.org/ +<-*- -*-> +I'm alive. +I can tell because of the pain. +<-*- thomas@apestaart.org -*-> +URGent, the best radio on the Internet - 24/7 ! - http://urgent.rug.ac.be/ + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1356.14e3ab9f37daa13ce7a15770017c4863 b/machine-learning-ex6/ex6/easy_ham/1356.14e3ab9f37daa13ce7a15770017c4863 new file mode 100644 index 0000000..3d0145a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1356.14e3ab9f37daa13ce7a15770017c4863 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:28:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D90D216F17 + for ; Mon, 7 Oct 2002 18:28:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:28:12 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97GKuK06989 for + ; Mon, 7 Oct 2002 17:20:57 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97GG2f23405; Mon, 7 Oct 2002 18:16:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97GF7f22871 for + ; Mon, 7 Oct 2002 18:15:07 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97GF1g22469 for ; + Mon, 7 Oct 2002 19:15:01 +0300 (EETDST) +Subject: Re: RH 8 no DMA for DVD drive +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007085643.5b9bb88c.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034007312.2296.8.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97GF7f22871 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 19:15:11 +0300 +Date: 07 Oct 2002 19:15:11 +0300 +X-Spam-Status: No, hits=-11.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_20_30, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 09:56, Matthias Saou wrote: + +> > Thank you, that was exactly what I needed. +> > DVD works great now. +> +> BTW, I think I'll kake it so that my ogle package automatically inserts +> this "options ide-cd dma=1" to /etc/modules.conf! It currently creates the +> /dev/dvd link to /dev/cdrom (which will work most of the time, if there's +> only one drive) if no /dev/dvd exists. + +Eek. Maybe it's just me, but I don't think that's a good idea. +Outputting a message in %post and providing a README of some kind would +be better, as well as perhaps adding a note in %description. + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1357.c307e11b21bba14e568cd03731de0119 b/machine-learning-ex6/ex6/easy_ham/1357.c307e11b21bba14e568cd03731de0119 new file mode 100644 index 0000000..9855b98 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1357.c307e11b21bba14e568cd03731de0119 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:28:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ECBDE16F18 + for ; Mon, 7 Oct 2002 18:28:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:28:29 +0100 (IST) +Received: from egwn.net ([193.172.5.4]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97GiXK07957 for ; + Mon, 7 Oct 2002 17:44:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97GbEf28185; Mon, 7 Oct 2002 18:37:14 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97GaYf20550 for + ; Mon, 7 Oct 2002 18:36:34 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +Message-Id: <20021007183629.40ab9860.matthias@rpmforge.net> +In-Reply-To: <1034007312.2296.8.camel@bobcat.ods.org> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 18:36:29 +0200 +Date: Mon, 7 Oct 2002 18:36:29 +0200 +X-Spam-Status: No, hits=-23.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> > BTW, I think I'll kake it so that my ogle package automatically inserts +> > this "options ide-cd dma=1" to /etc/modules.conf! It currently creates +> > the/dev/dvd link to /dev/cdrom (which will work most of the time, if +> > there's only one drive) if no /dev/dvd exists. +> +> Eek. Maybe it's just me, but I don't think that's a good idea. +> Outputting a message in %post and providing a README of some kind would +> be better, as well as perhaps adding a note in %description. + +Why "Eek"? :-) +If no /dev/dvd exists, it'll create it. +If /dev/dvd exists, it won't touch it. +If someone installs ogle (a DVD player), I'm assuming the hardware is +recent enough for software playback and that the drive is a DVD-ROM... all +of them support DMA! But since that change requires a reboot or a manual +change, I'm still hesitating to integrate it :-/ + +My goal is to allow users to install a DVD player through synaptic and play +DVDs in no time. Outputting a message in the %post section of a package is +always a bad idea, putting the tip in the %description sounds good though. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.07 0.14 0.16 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1358.d784d0be4e4e9b4267e6a1165929b762 b/machine-learning-ex6/ex6/easy_ham/1358.d784d0be4e4e9b4267e6a1165929b762 new file mode 100644 index 0000000..47500fb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1358.d784d0be4e4e9b4267e6a1165929b762 @@ -0,0 +1,189 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:28:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0973F16F19 + for ; Mon, 7 Oct 2002 18:28:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:28:32 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97GmUK08066 for + ; Mon, 7 Oct 2002 17:48:30 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Gb6f26808; Mon, 7 Oct 2002 18:37:06 + +0200 +Received: from pimout4-ext.prodigy.net (pimout4-ext.prodigy.net + [207.115.63.103]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g97GZwf17403 for ; Mon, 7 Oct 2002 18:35:58 +0200 +Received: from AMD1800.okie-web.com + (dialup-65.57.28.171.Dial1.KansasCity1.Level3.net [65.57.28.171]) by + pimout4-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) with ESMTP id + g97GZn1H256218 for ; Mon, 7 Oct 2002 12:35:50 + -0400 +Subject: Re: RH 8 no DMA for DVD drive +From: Alvie +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007155913.3b24ae76.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1033997998.1665.6.camel@AMD1800> + <20021007155913.3b24ae76.matthias@rpmforge.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034008552.1872.10.camel@AMD1800> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 11:35:47 -0500 +Date: 07 Oct 2002 11:35:47 -0500 +X-Spam-Status: No, hits=-3.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FROM_ENDS_IN_NUMS,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + T_FROM_ENDS_IN_NUMS2,T_NONSENSE_FROM_00_10,T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 08:59, Matthias Saou wrote: +> Once upon a time, Alvie wrote : +> +> > Thanks, I seem to be having problems with rebuilding transcode from SRC +> > it gets confused from previous errors and gives up. +> +> Could you give the output of the error? +> + +This is only the last part of it.I used 'rpmbuild --rebuild --without avifile transcode.0.6.1-fr2.src.rpm'. +af6_decore.cpp:305: 'WAVEFORMATEX' is used as a type, but is not defined +as a + type. +af6_decore.cpp:306: parse error before `if' +af6_decore.cpp:308: syntax error before `->' token +af6_decore.cpp:313: `wvFmt' was not declared in this scope +af6_decore.cpp:313: `avm_wave_format_name' was not declared in this +scope +af6_decore.cpp:314: `wvFmt' was not declared in this scope +af6_decore.cpp:315: `wvFmt' was not declared in this scope +af6_decore.cpp:316: `wvFmt' was not declared in this scope +af6_decore.cpp:316: ISO C++ forbids declaration of `fprintf' with no +type +af6_decore.cpp:316: redefinition of `int fprintf' +af6_decore.cpp:161: `int fprintf' previously defined here +af6_decore.cpp:316: initializer list being treated as compound +expression +af6_decore.cpp:317: 'WAVEFORMATEX' is used as a type, but is not defined +as a + type. +af6_decore.cpp:318: syntax error before `->' token +af6_decore.cpp:321: `fmt' was not declared in this scope +af6_decore.cpp:321: `avm_wave_format_name' was not declared in this +scope +af6_decore.cpp:322: `fmt' was not declared in this scope +af6_decore.cpp:323: `fmt' was not declared in this scope +af6_decore.cpp:324: `fmt' was not declared in this scope +af6_decore.cpp:324: ISO C++ forbids declaration of `fprintf' with no +type +af6_decore.cpp:324: redefinition of `int fprintf' +af6_decore.cpp:316: `int fprintf' previously defined here +af6_decore.cpp:324: initializer list being treated as compound +expression +af6_decore.cpp:327: parse error before `if' +af6_decore.cpp:330: syntax error before `->' token +af6_decore.cpp:349: ISO C++ forbids declaration of `samples' with no +type +af6_decore.cpp:349: conflicting types for `int samples' +af6_decore.cpp:290: previous declaration as `unsigned int samples' +af6_decore.cpp:349: `fmt' was not declared in this scope +af6_decore.cpp:350: ISO C++ forbids declaration of `buffer_size' with no +type +af6_decore.cpp:350: conflicting types for `int buffer_size' +af6_decore.cpp:288: previous declaration as `unsigned int buffer_size' +af6_decore.cpp:350: `fmt' was not declared in this scope +af6_decore.cpp:351: ISO C++ forbids declaration of `buffer' with no type +af6_decore.cpp:351: conflicting types for `int buffer' +af6_decore.cpp:291: previous declaration as `char*buffer' +af6_decore.cpp:351: invalid conversion from `char*' to `int' +af6_decore.cpp:352: parse error before `if' +af6_decore.cpp:354: syntax error before `->' token +af6_decore.cpp:359: ISO C++ forbids declaration of `fflush' with no type +af6_decore.cpp:359: redefinition of `int fflush' + +af6_decore.cpp:288: previous declaration as `unsigned int buffer_size' +af6_decore.cpp:350: `fmt' was not declared in this scope +af6_decore.cpp:351: ISO C++ forbids declaration of `buffer' with no type +af6_decore.cpp:351: conflicting types for `int buffer' +af6_decore.cpp:291: previous declaration as `char*buffer' +af6_decore.cpp:351: invalid conversion from `char*' to `int' +af6_decore.cpp:352: parse error before `if' +af6_decore.cpp:354: syntax error before `->' token +af6_decore.cpp:359: ISO C++ forbids declaration of `fflush' with no type +af6_decore.cpp:359: redefinition of `int fflush' +af6_decore.cpp:208: `int fflush' previously defined here +af6_decore.cpp:359: invalid conversion from `_IO_FILE*' to `int' +af6_decore.cpp:360: `ipipe' was not declared in this scope +af6_decore.cpp:360: `sync_str' was not declared in this scope +af6_decore.cpp:360: `sync_str' was not declared in this scope +af6_decore.cpp:360: ISO C++ forbids declaration of `p_write' with no +type +af6_decore.cpp:360: redefinition of `int p_write' +af6_decore.cpp:209: `int p_write' previously defined here +af6_decore.cpp:360: initializer list being treated as compound +expression +af6_decore.cpp:363: parse error before `while' +af6_decore.cpp:368: syntax error before `->' token +make[3]: *** [af6_decore.lo] Error 1 +make[3]: Leaving directory +`/usr/src/redhat/BUILD/transcode-0.6.1/import' +make[2]: *** [all-recursive] Error 1 +make[2]: Leaving directory +`/usr/src/redhat/BUILD/transcode-0.6.1/import' + + +> > Using trancode rpm I can't get transcode command line args to +> > work.Although it's been a while since I used it - maybe I forgot how! +> +This was a dumb mistake on my part. I did'nt have libdvdcss-devel, the +transcode command line args work fine now, but not so for DVD::RIP. +Thanks for help +Alvie + +> I'm encoding a DVD to DivX4 right now on my home computer, and it works +> fine. My current Red Hat 8.0 build of transcode has avifile support +> disabled, that may be your problem? It's because gcc 3.2 isn't currently +> able to recompile avifile... :-/ +> +> Matthias +> +> -- +> Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +> Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +> Load : 0.09 0.12 0.21 +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1359.a4f9b2b4bbae9e1d2ab34ba5fec9eb35 b/machine-learning-ex6/ex6/easy_ham/1359.a4f9b2b4bbae9e1d2ab34ba5fec9eb35 new file mode 100644 index 0000000..40d760b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1359.a4f9b2b4bbae9e1d2ab34ba5fec9eb35 @@ -0,0 +1,92 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:28:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4AEE216F17 + for ; Mon, 7 Oct 2002 18:28:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:28:35 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97H2QK08536 for + ; Mon, 7 Oct 2002 18:02:27 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Gt2f10948; Mon, 7 Oct 2002 18:55:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97GsZf10518 for + ; Mon, 7 Oct 2002 18:54:35 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: transcode build problem (was: RH 8 no DMA for DVD drive) +Message-Id: <20021007185430.7c7e9245.matthias@rpmforge.net> +In-Reply-To: <1034008552.1872.10.camel@AMD1800> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1033997998.1665.6.camel@AMD1800> + <20021007155913.3b24ae76.matthias@rpmforge.net> + <1034008552.1872.10.camel@AMD1800> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 18:54:30 +0200 +Date: Mon, 7 Oct 2002 18:54:30 +0200 +X-Spam-Status: No, hits=-24.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Alvie wrote : + +> This is only the last part of it.I used 'rpmbuild --rebuild --without +> avifile transcode.0.6.1-fr2.src.rpm'. + +> af6_decore.cpp:305: 'WAVEFORMATEX' +> is used as a type, but is not defined as a +> type. +> af6_decore.cpp:306: parse error before `if' +[...] + +All of these "af6" are related to avifile6 support :-/ +Normally, my 0.6.1-fr2 build of transcode defaults to *not* use avifile, +but you can use "--with avifile6" to force recompiling against it. + +Do you have an old avifile installed maybe? +Can you check the "./configure ..." line run at the beginning of the +rebuild process to see if it does include the "--without-avifile6" option? + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.23 0.14 0.14 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1360.18758d232e8b6937d5d62ce0e0aa2d8e b/machine-learning-ex6/ex6/easy_ham/1360.18758d232e8b6937d5d62ce0e0aa2d8e new file mode 100644 index 0000000..18e2cc1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1360.18758d232e8b6937d5d62ce0e0aa2d8e @@ -0,0 +1,109 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:41:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8350016F16 + for ; Mon, 7 Oct 2002 18:41:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:41:09 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97HRrK09669 for + ; Mon, 7 Oct 2002 18:27:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97HL3f32052; Mon, 7 Oct 2002 19:21:03 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97HKVf31932 for + ; Mon, 7 Oct 2002 19:20:31 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97HKFg02618 for ; + Mon, 7 Oct 2002 20:20:20 +0300 (EETDST) +Subject: Re: RH 8 no DMA for DVD drive +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007183629.40ab9860.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034011232.8419.65.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97HKVf31932 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 20:20:26 +0300 +Date: 07 Oct 2002 20:20:26 +0300 +X-Spam-Status: No, hits=-12.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_20_30, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 19:36, Matthias Saou wrote: + +> > Eek. Maybe it's just me, but I don't think that's a good idea. +> > Outputting a message in %post and providing a README of some kind would +> > be better, as well as perhaps adding a note in %description. +> +> Why "Eek"? :-) +> If no /dev/dvd exists, it'll create it. +> If /dev/dvd exists, it won't touch it. + +I assume that you won't %ghost or remove these and the modules.conf +change on uninstall, though. So people who are installing this RPM and +are unfortunate enough to have a DVD drive (or just an ordinary CD, +non-DVD drive) that doesn't support DMA will be left with a system +without a working CD drive, even after removing the RPM. And without +ever knowing what struck them. You can't remove the DMA setting from +modules.conf either unless you're sure that ogle added it there and +nothing else needs it. + +The /dev stuff isn't that dangerous, but the modules.conf change can +be. That's why "Eek" :) + +> If someone installs ogle (a DVD player), I'm assuming the hardware is +> recent enough for software playback and that the drive is a DVD-ROM... all +> of them support DMA! But since that change requires a reboot or a manual +> change, I'm still hesitating to integrate it :-/ + +A worthy goal... + +> My goal is to allow users to install a DVD player through synaptic and play +> DVDs in no time. Outputting a message in the %post section of a package is +> always a bad idea, putting the tip in the %description sounds good though. + +How about splitting the creation of the symlinks and modules.conf +modifications into a separate RPM? + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1361.3851fdfcb5a5f99e2e47fd8150641280 b/machine-learning-ex6/ex6/easy_ham/1361.3851fdfcb5a5f99e2e47fd8150641280 new file mode 100644 index 0000000..b56da58 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1361.3851fdfcb5a5f99e2e47fd8150641280 @@ -0,0 +1,95 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:41:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 687B916F16 + for ; Mon, 7 Oct 2002 18:41:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:41:20 +0100 (IST) +Received: from egwn.net ([193.172.5.4]) by dogma.slashnull.org + (8.11.6/8.11.6) with ESMTP id g97HbUK10039 for ; + Mon, 7 Oct 2002 18:37:30 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97HU3f14660; Mon, 7 Oct 2002 19:30:03 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97HStf13170 for + ; Mon, 7 Oct 2002 19:28:55 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +Message-Id: <20021007192851.11d250b8.matthias@rpmforge.net> +In-Reply-To: <1034011232.8419.65.camel@bobcat.ods.org> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> + <1034011232.8419.65.camel@bobcat.ods.org> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 19:28:51 +0200 +Date: Mon, 7 Oct 2002 19:28:51 +0200 +X-Spam-Status: No, hits=-26.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> I assume that you won't %ghost or remove these and the modules.conf +> change on uninstall, though. So people who are installing this RPM and +> are unfortunate enough to have a DVD drive (or just an ordinary CD, +> non-DVD drive) that doesn't support DMA will be left with a system +> without a working CD drive, even after removing the RPM. And without +> ever knowing what struck them. You can't remove the DMA setting from +> modules.conf either unless you're sure that ogle added it there and +> nothing else needs it. + +I've never heard of any CD-ROM or DVD-ROM drive having problems with DMA... +although there probably is since Red Hat decided to default disabling it a +few releases back :-/ +Normally, even if you try to enable DMA and your device doesn't support it, +it simply don't be able to make the change, and that's it. The problem IIRC +is with crappy hardware that is supposed to support DMA but doesn't work as +expected when it's enabled... maybe Chris could confirm this? ;-) + +I guess I'll settle for the /dev/dvd link change as described and putting +the DMA tip in the %description :-) + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.00 0.05 0.14 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1362.0a5bfcffd711edd195f14820b0677c44 b/machine-learning-ex6/ex6/easy_ham/1362.0a5bfcffd711edd195f14820b0677c44 new file mode 100644 index 0000000..311db53 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1362.0a5bfcffd711edd195f14820b0677c44 @@ -0,0 +1,111 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:54:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0744416F03 + for ; Mon, 7 Oct 2002 18:54:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:54:52 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97HkkK10443 for + ; Mon, 7 Oct 2002 18:46:47 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Hf3f27840; Mon, 7 Oct 2002 19:41:03 + +0200 +Received: from pimout4-ext.prodigy.net (pimout4-ext.prodigy.net + [207.115.63.103]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g97HeXf27563 for ; Mon, 7 Oct 2002 19:40:33 +0200 +Received: from AMD1800.okie-web.com + (dialup-65.57.28.171.Dial1.KansasCity1.Level3.net [65.57.28.171]) by + pimout4-ext.prodigy.net (8.12.3 da nor stuldap/8.12.3) with ESMTP id + g97HeP1H527048 for ; Mon, 7 Oct 2002 13:40:26 + -0400 +Subject: Re: transcode build problem (was: RH 8 no DMA for DVD drive) +From: Alvie +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007185430.7c7e9245.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1033997998.1665.6.camel@AMD1800> + <20021007155913.3b24ae76.matthias@rpmforge.net> + <1034008552.1872.10.camel@AMD1800> + <20021007185430.7c7e9245.matthias@rpmforge.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034012428.1872.28.camel@AMD1800> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 12:40:26 -0500 +Date: 07 Oct 2002 12:40:26 -0500 +X-Spam-Status: No, hits=-5.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FROM_ENDS_IN_NUMS,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,REPLY_WITH_QUOTES, + T_FROM_ENDS_IN_NUMS2,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 11:54, Matthias Saou wrote: +> Once upon a time, Alvie wrote : +> +> > This is only the last part of it.I used 'rpmbuild --rebuild --without +> > avifile transcode.0.6.1-fr2.src.rpm'. +> +> > af6_decore.cpp:305: 'WAVEFORMATEX' +> > is used as a type, but is not defined as a +> > type. +> > af6_decore.cpp:306: parse error before `if' +> [...] +> +> All of these "af6" are related to avifile6 support :-/ +> Normally, my 0.6.1-fr2 build of transcode defaults to *not* use avifile, +> but you can use "--with avifile6" to force recompiling against it. +> +> Do you have an old avifile installed maybe? +> Can you check the "./configure ..." line run at the beginning of the +> rebuild process to see if it does include the "--without-avifile6" option? +> +Yes it was there. +You guessed the problem correctly in an earlier e-mail There was still +remnants remaining from an old failed avifile installation. +The transcode src.rpm now builds perfectly. +Thank you VERY much! +You are GOOD. +Alvie + +> Matthias +> +> -- +> Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +> Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +> Load : 0.23 0.14 0.14 +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1363.8c11ccc4af2f95df4bc78e6dacd96a73 b/machine-learning-ex6/ex6/easy_ham/1363.8c11ccc4af2f95df4bc78e6dacd96a73 new file mode 100644 index 0000000..bddd4a6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1363.8c11ccc4af2f95df4bc78e6dacd96a73 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 18:54:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D6B8516F16 + for ; Mon, 7 Oct 2002 18:54:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 18:54:53 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97HnlK10525 for + ; Mon, 7 Oct 2002 18:49:47 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Hd1f26999; Mon, 7 Oct 2002 19:39:01 + +0200 +Received: from mail.j2solutions.net (seattle.connectednw.com + [216.163.77.13]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g97Hcbf24778 for ; Mon, 7 Oct 2002 19:38:37 +0200 +Received: from labmail.redmond.corp.microsoft.com (seattle.connectednw.com + [::ffff:216.163.77.13]) (AUTH: CRAM-MD5 hosting@j2solutions.net) by + mail.j2solutions.net with esmtp; Mon, 07 Oct 2002 10:38:31 -0700 +From: Jesse Keating +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +Message-Id: <20021007103831.642c1bbb.hosting@j2solutions.net> +In-Reply-To: <20021007192851.11d250b8.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> + <1034011232.8419.65.camel@bobcat.ods.org> + <20021007192851.11d250b8.matthias@rpmforge.net> +Organization: j2Solutions +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; ) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 10:38:31 -0700 +Date: Mon, 7 Oct 2002 10:38:31 -0700 +X-Spam-Status: No, hits=-5.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + NOSPAM_INC,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_LONG_SPARSE,T_NONSENSE_FROM_10_20 + version=2.50-cvs +X-Spam-Level: + +On Mon, 7 Oct 2002 19:28:51 +0200 +Matthias Saou wrote: + +# I've never heard of any CD-ROM or DVD-ROM drive having problems with +# DMA... although there probably is since Red Hat decided to default +# disabling it a few releases back :-/ + +When I worked as a PC repair tech for a Computer store chain, I did +run across quite a few DVD drives that would lock up if DMA was +enabled. It's more of a chipset/drive problem than a Drive by itself. + +-- +Jesse Keating +j2Solutions.net +Mondo DevTeam (www.mondorescue.org) + +Was I helpful? Let others know: + http://svcs.affero.net/rm.php?r=jkeating + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1364.679f0da47cd44783dedd4e95bc942b27 b/machine-learning-ex6/ex6/easy_ham/1364.679f0da47cd44783dedd4e95bc942b27 new file mode 100644 index 0000000..3f002f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1364.679f0da47cd44783dedd4e95bc942b27 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 19:49:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 05B1216F03 + for ; Mon, 7 Oct 2002 19:49:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 19:49:15 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97HvfK10797 for + ; Mon, 7 Oct 2002 18:57:41 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Hl2f32032; Mon, 7 Oct 2002 19:47:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97Hk2f20455 for + ; Mon, 7 Oct 2002 19:46:02 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +Message-Id: <20021007194559.0482f194.matthias@rpmforge.net> +In-Reply-To: <20021007103831.642c1bbb.hosting@j2solutions.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> + <1034011232.8419.65.camel@bobcat.ods.org> + <20021007192851.11d250b8.matthias@rpmforge.net> + <20021007103831.642c1bbb.hosting@j2solutions.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 19:45:59 +0200 +Date: Mon, 7 Oct 2002 19:45:59 +0200 +X-Spam-Status: No, hits=-27.3 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Jesse wrote : + +> When I worked as a PC repair tech for a Computer store chain, I did +> run across quite a few DVD drives that would lock up if DMA was +> enabled. It's more of a chipset/drive problem than a Drive by itself. + +Chipset? Let me guess : VIA or SiS? :-)))) +OK, so I'll follow Red Hat's choice of leaving the DMA setting alone and +orienting the users to some page explaining how to enable it "at your own +risk" ;-) + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.03 0.09 0.10 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1365.83f365382e725776956f137a4600117e b/machine-learning-ex6/ex6/easy_ham/1365.83f365382e725776956f137a4600117e new file mode 100644 index 0000000..23e9bc2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1365.83f365382e725776956f137a4600117e @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 19:49:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C2FB116F16 + for ; Mon, 7 Oct 2002 19:49:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 19:49:16 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97I1dK10851 for + ; Mon, 7 Oct 2002 19:01:40 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Ht3f00431; Mon, 7 Oct 2002 19:55:03 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97Hsjf32477 for + ; Mon, 7 Oct 2002 19:54:45 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97Hsag07854 for ; + Mon, 7 Oct 2002 20:54:37 +0300 (EETDST) +Subject: Re: RH 8 no DMA for DVD drive +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007192851.11d250b8.matthias@rpmforge.net> +References: <1033953429.13890.4.camel@AMD1800> + <1033954359.28832.4.camel@athlon.ckloiber.com> + <1033964717.1263.8.camel@AMD1800> + <20021007085643.5b9bb88c.matthias@rpmforge.net> + <1034007312.2296.8.camel@bobcat.ods.org> + <20021007183629.40ab9860.matthias@rpmforge.net> + <1034011232.8419.65.camel@bobcat.ods.org> + <20021007192851.11d250b8.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034013290.8419.85.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97Hsjf32477 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 20:54:48 +0300 +Date: 07 Oct 2002 20:54:48 +0300 +X-Spam-Status: No, hits=-13.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_20_30 + version=2.50-cvs +X-Spam-Level: + +On Mon, 2002-10-07 at 20:28, Matthias Saou wrote: + +> I guess I'll settle for the /dev/dvd link change as described and putting +> the DMA tip in the %description :-) + +Thanks, I'll sleep better now :) + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1366.200cc41f250f28147c5db07ea933f26a b/machine-learning-ex6/ex6/easy_ham/1366.200cc41f250f28147c5db07ea933f26a new file mode 100644 index 0000000..a48b864 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1366.200cc41f250f28147c5db07ea933f26a @@ -0,0 +1,66 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 19:49:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5255416F03 + for ; Mon, 7 Oct 2002 19:49:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 19:49:19 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97I64K11098 for + ; Mon, 7 Oct 2002 19:06:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Hu1f00827; Mon, 7 Oct 2002 19:56:01 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97HtOf00508 for + ; Mon, 7 Oct 2002 19:55:24 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97HtCg08011 for ; + Mon, 7 Oct 2002 20:55:12 +0300 (EETDST) +Subject: Nessus? +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034013325.8419.88.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97HtOf00508 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 07 Oct 2002 20:55:23 +0300 +Date: 07 Oct 2002 20:55:23 +0300 +X-Spam-Status: No, hits=-12.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_20_30 + version=2.50-cvs +X-Spam-Level: + +Any plans for rolling Nessus RPMs for RH8? Miss it already... + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1367.924aa29f6473628504527f28ec2fcf3b b/machine-learning-ex6/ex6/easy_ham/1367.924aa29f6473628504527f28ec2fcf3b new file mode 100644 index 0000000..c0b15dc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1367.924aa29f6473628504527f28ec2fcf3b @@ -0,0 +1,78 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 19:49:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 990D516F16 + for ; Mon, 7 Oct 2002 19:49:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 19:49:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97IDfK11309 for + ; Mon, 7 Oct 2002 19:13:41 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97I81f02031; Mon, 7 Oct 2002 20:08:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97I6jf22488 for + ; Mon, 7 Oct 2002 20:06:46 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Nessus? +Message-Id: <20021007200642.27614e1b.matthias@rpmforge.net> +In-Reply-To: <1034013325.8419.88.camel@bobcat.ods.org> +References: <1034013325.8419.88.camel@bobcat.ods.org> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 20:06:42 +0200 +Date: Mon, 7 Oct 2002 20:06:42 +0200 +X-Spam-Status: No, hits=-28.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> Any plans for rolling Nessus RPMs for RH8? Miss it already... + +Well, that's one of the 10 rpm-related mails leftover in my inbox I just +mentionned privately ;-) +As it's a big piece and needs some testing, I'm just bit lazy about it :-/ + +I'll try to packages it asap, or at least put up a "testing" version first +in case I fear some imperfections. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.17 0.17 0.12 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1368.3293e84198b7ac13250a63da9437e2e3 b/machine-learning-ex6/ex6/easy_ham/1368.3293e84198b7ac13250a63da9437e2e3 new file mode 100644 index 0000000..bb6ea93 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1368.3293e84198b7ac13250a63da9437e2e3 @@ -0,0 +1,76 @@ +From rpm-list-admin@freshrpms.net Mon Oct 7 22:40:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8D63A16F03 + for ; Mon, 7 Oct 2002 22:40:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 22:40:35 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97LI9K17473 for + ; Mon, 7 Oct 2002 22:18:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97L67f26076; Mon, 7 Oct 2002 23:06:07 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g97L5Vf25972 for ; Mon, 7 Oct 2002 23:05:31 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Nessus? +Message-Id: <20021007230521.0f1727aa.matthias@rpmforge.net> +In-Reply-To: <20021007200642.27614e1b.matthias@rpmforge.net> +References: <1034013325.8419.88.camel@bobcat.ods.org> + <20021007200642.27614e1b.matthias@rpmforge.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 7 Oct 2002 23:05:21 +0200 +Date: Mon, 7 Oct 2002 23:05:21 +0200 +X-Spam-Status: No, hits=-14.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +I've put up a new Red Hat Linux 8.0 build of nessus here : +http://ftp.freshrpms.net/pub/freshrpms/testing/nessus/ + +It's 100% untested, although the build should be ok. The new menu was +added, but some configuration files may be better with new or different +defaults. + +Feedback is very welcome! + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.06 0.12 0.17 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1369.0df084ff7488653baa03642c485c233f b/machine-learning-ex6/ex6/easy_ham/1369.0df084ff7488653baa03642c485c233f new file mode 100644 index 0000000..ed7d69c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1369.0df084ff7488653baa03642c485c233f @@ -0,0 +1,83 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8AF0516F17 + for ; Tue, 8 Oct 2002 10:55:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:55:15 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987WqK05332 for + ; Tue, 8 Oct 2002 08:32:52 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987S2f30966; Tue, 8 Oct 2002 09:28:02 + +0200 +Received: from babyruth.hotpop.com (babyruth.hotpop.com [204.57.55.14]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g987R8f20909 for + ; Tue, 8 Oct 2002 09:27:08 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + babyruth.hotpop.com (Postfix) with SMTP id CAAFE211862 for + ; Tue, 8 Oct 2002 07:26:44 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 1AF1B1B8497 for ; + Tue, 8 Oct 2002 07:26:04 +0000 (UTC) +Message-Id: <3DA288E8.4060006@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: xmms and .mp3 files. +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 09:27:36 +0200 +Date: Tue, 08 Oct 2002 09:27:36 +0200 +X-Spam-Status: No, hits=-9.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_70_80,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +humberto@hpcf.upr.edu wrote: + +>Redhat 8 disables all support for .mp3 files, relinking xmms with a zzmp3 +>module. Does anyone have a fixed spec file for xmms? One that can play mp3's +>would be best. +> +> +> +oh xmms didn't work for me also +i used mpg123 i tought its something from me +like mplayer not working also and gives black screen + + + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1370.394569ba936fe18d6d9f2723e8c2d99f b/machine-learning-ex6/ex6/easy_ham/1370.394569ba936fe18d6d9f2723e8c2d99f new file mode 100644 index 0000000..0aba1e0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1370.394569ba936fe18d6d9f2723e8c2d99f @@ -0,0 +1,109 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 15:30:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D12D416F17 + for ; Tue, 8 Oct 2002 15:30:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 15:30:57 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98EBOK18880 for + ; Tue, 8 Oct 2002 15:11:25 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98E60f04331; Tue, 8 Oct 2002 16:06:00 + +0200 +Received: from babyruth.hotpop.com (babyruth.hotpop.com [204.57.55.14]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g98E5Ef04142 for + ; Tue, 8 Oct 2002 16:05:14 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + babyruth.hotpop.com (Postfix) with SMTP id 1B619212D30 for + ; Tue, 8 Oct 2002 14:04:52 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 46CB81B8479 for ; + Tue, 8 Oct 2002 14:04:11 +0000 (UTC) +Message-Id: <3DA2E63D.8090104@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: Re: mplayer not working for me +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> + <3DA288E8.4060006@punkass.com> + <20021008094334.57b0c988.matthias@rpmforge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 16:05:49 +0200 +Date: Tue, 08 Oct 2002 16:05:49 +0200 +X-Spam-Status: No, hits=-11.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + T_NONSENSE_FROM_70_80,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Matthias Saou wrote: + +>Once upon a time, Roi wrote : +> +> +> +>>oh xmms didn't work for me also +>>i used mpg123 i tought its something from me +>> +>> +> +>Nope, this is "normal" as Red Hat removed all mp3 support from 8.0 because +>of patent and royalty issues :-( +>On freshrpms.net, you can find the xmms mp3 plugin as I said, but also +>libmad, lame (mp3 encoder), and soon mpg321 as I often used it myself. +>Many other players can also play mp3 files, like alsaplayer, xine, mplayer. +> +> +> +>>like mplayer not working also and gives black screen +>> +>> +> +>This is not normal though... +>Try "mplayer -vo help" then try usinf various output methods to see if some +>do work or not. +> +>Matthias +> +> +> + +mplayer works with dga (if i am root) and works with x11 +and always worked with sdl (but not now with redhat 8) +now it gives black screen window and play the music of the movie. + +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1371.163cff388de55b3d4f3ac817fd8a3dd9 b/machine-learning-ex6/ex6/easy_ham/1371.163cff388de55b3d4f3ac817fd8a3dd9 new file mode 100644 index 0000000..590c13c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1371.163cff388de55b3d4f3ac817fd8a3dd9 @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 15:42:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A22C016F18 + for ; Tue, 8 Oct 2002 15:42:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 15:42:28 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g98EZhK19727 for + ; Tue, 8 Oct 2002 15:35:43 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g98EP2f29161; Tue, 8 Oct 2002 16:25:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g98EODf25617 for + ; Tue, 8 Oct 2002 16:24:13 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: mplayer not working for me +Message-Id: <20021008162406.0aaaa275.matthias@rpmforge.net> +In-Reply-To: <3DA2E63D.8090104@punkass.com> +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> + <3DA288E8.4060006@punkass.com> + <20021008094334.57b0c988.matthias@rpmforge.net> + <3DA2E63D.8090104@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 16:24:06 +0200 +Date: Tue, 8 Oct 2002 16:24:06 +0200 +X-Spam-Status: No, hits=-30.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> mplayer works with dga (if i am root) and works with x11 +> and always worked with sdl (but not now with redhat 8) +> now it gives black screen window and play the music of the movie. + +Strange, because as I said in an earlier post, it works for me. Maybe +you're missing the SDL_image or something? :-/ + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.28 0.17 0.13 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1372.b25e5803cd96db85050c5c31ad3d58c5 b/machine-learning-ex6/ex6/easy_ham/1372.b25e5803cd96db85050c5c31ad3d58c5 new file mode 100644 index 0000000..67f97b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1372.b25e5803cd96db85050c5c31ad3d58c5 @@ -0,0 +1,119 @@ +From rpm-list-admin@freshrpms.net Thu Aug 29 16:32:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5E99643F99 + for ; Thu, 29 Aug 2002 11:32:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:32:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TFWmZ18299 for + ; Thu, 29 Aug 2002 16:32:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TFN2J02111; Thu, 29 Aug 2002 17:23:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7TFM0J01934 for + ; Thu, 29 Aug 2002 17:22:00 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy +Message-Id: <20020829171121.3b5d0506.matthias@egwn.net> +In-Reply-To: <20020829141143.61528.qmail@web20002.mail.yahoo.com> +References: <20020829133306.21299713.matthias@egwn.net> + <20020829141143.61528.qmail@web20002.mail.yahoo.com> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 17:11:21 +0200 +Date: Thu, 29 Aug 2002 17:11:21 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Joshua wrote : + +> Just a thought, would it be possible to generalize this ALSA +> stuff to make building a kernel with *any* custom/optional/updated +> modules an easy thing? I think some scripts or at least step-by-step +> instructions would be great. +> +> For example, to build a kernel RPM with ALSA do: +> 1. get the kernel source +> 2. get the ALSA source +> 3. run the custom-kernel.sh script +> ... +> +> Or a kernel RPM with the lastest wireless LAN drivers: +> 1. get the kernel source +> 2. get the CVS driver source +> 3. run the custom-kernel.sh script +> ... +> +> etc. + +This wouldn't be worth the effort involved IMHO, and would probably end up +in relative breakage of a few systems if not carefully tested. +Your first example is a good one, because I really think it's even easier +currently : +1. Leave your current kernel as-is +2. Get the "alsa-driver" source rpm +3. Rebuild and install resulting packages + +Drivers that are written to be easily compiled as modules (like ltmodem, +NVidia, ALSA etc.) can easily be repackaged separately as rpms and ported +as easily for various kernel rpms from the source rpm. + +Also, what you describe is sort of the opposite of what rpm packaging is in +my mind. I see it more as a "one size fits all" achievement in the general +case. And kernel isn't an exception (although there are packages optimized +for various processors) since they all come with just about all the modules +you'll ever need. Make that "one size fits many" then if you want ;-) + +Last but not least : The kernel is something I'm trying to keep away from +in my packaging since I really don't want to see newbies screwing up their +systems because of packages on my website... same goes for GNOME, KDE and +other major bits of the distribution since I also want people who happily +use my packages to be able to upgrade to the next Red Hat Linux release +without having their system turned into another Ximian mess. + +Matthias + +PS: Yes Chris, I'm worried about not giving you too much work! Less in fact +since you can easily answer "freshrpms.net!" to people asking how to play +DVDs, right? ;-)))) + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1373.1be55997fc239abb638116534d32e94a b/machine-learning-ex6/ex6/easy_ham/1373.1be55997fc239abb638116534d32e94a new file mode 100644 index 0000000..7692b9d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1373.1be55997fc239abb638116534d32e94a @@ -0,0 +1,118 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:21:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id ABCBC43F99 + for ; Mon, 2 Sep 2002 07:21:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:21:18 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TJqAZ26468 for + ; Thu, 29 Aug 2002 20:52:10 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TJd2J04720; Thu, 29 Aug 2002 21:39:02 + +0200 +Received: from imf26bis.bellsouth.net (mail126.mail.bellsouth.net + [205.152.58.86]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7TJcbJ04352 for ; Thu, 29 Aug 2002 21:38:37 +0200 +Received: from adsl-157-23-10.msy.bellsouth.net ([66.157.23.10]) by + imf26bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020829193005.FDGG5735.imf26bis.bellsouth.net@adsl-157-23-10.msy.bellsouth.net> + for ; Thu, 29 Aug 2002 15:30:05 -0400 +Subject: Re: ALSA (almost) made easy +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20020829062638.53279644.matthias@egwn.net> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030576177.6448.1.camel@localhost.localdomain> + <1030580111.1388.2.camel@localhost.localdomain> + <20020829062638.53279644.matthias@egwn.net> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6) +Message-Id: <1030649409.4818.4.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 14:30:08 -0500 +Date: 29 Aug 2002 14:30:08 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_05_08 + version=2.40-cvs +X-Spam-Level: + +Thanks Matthias. Actually I got all four speakers with subwoofer +working in digital out mode with gamixer. +(http://www1.tcnet.ne.jp/fmurata/linux/down/) + +However switching between analog and digital, I'm still baffled. As I +have a tuner and cassette deck hooked up to "Line In" on a SBLive! 5.1, +which is in analog mode. But digital out works great now! + +On Wed, 2002-08-28 at 23:26, Matthias Saou wrote: +> Once upon a time, Lance wrote : +> +> > Ok, I got ALSA installed and there is no static inbetween mp3s like +> > before which is great! My setup is digital 4.1 but sound is only coming +> > from front 2 speakers and subwoofer, rear speakers there is no sound. +> > Also alsamixer or aumix are unresponsive as well. +> +> Maybe you could find more info or tips on the ALSA page for your card? +> Also, you could try "alsactl store", editing /etc/asound.state" by hand +> (for me it contains data similar to what I can control with "alsamixer") +> then run "alsactl restore" and see if you're able to change what you want +> that way. +> +> Matthias +> +> -- +> Matthias Saou World Trade Center +> ------------- Edificio Norte 4 Planta +> System and Network Engineer 08039 Barcelona, Spain +> Electronic Group Interactive Phone : +34 936 00 23 23 +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Finding out files larger than given size LOST #324 + +To find out all files in a dir over a given size, try: +find /path/to/dir_of_file -type f -size +Nk +[Where N is a number like 1024 for 1mb, and multiples thereof] + +####[Discussions on LIH : 04 Jul 2002]######################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1374.58a88abf493ddcd871bafea6b40fee7d b/machine-learning-ex6/ex6/easy_ham/1374.58a88abf493ddcd871bafea6b40fee7d new file mode 100644 index 0000000..1966461 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1374.58a88abf493ddcd871bafea6b40fee7d @@ -0,0 +1,142 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:22:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AEE8243F99 + for ; Mon, 2 Sep 2002 07:22:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:22:37 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7TL1YZ28608 for + ; Thu, 29 Aug 2002 22:01:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7TKr3J12965; Thu, 29 Aug 2002 22:53:03 + +0200 +Received: from imf13bis.bellsouth.net (mail313.mail.bellsouth.net + [205.152.58.173]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7TKqXJ12902 for ; Thu, 29 Aug 2002 22:52:33 +0200 +Received: from adsl-157-23-10.msy.bellsouth.net ([66.157.23.10]) by + imf13bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020829205404.EXZW15998.imf13bis.bellsouth.net@adsl-157-23-10.msy.bellsouth.net> + for ; Thu, 29 Aug 2002 16:54:04 -0400 +Subject: Re: ALSA (almost) made easy +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <1030649409.4818.4.camel@localhost.localdomain> +References: <20020828004215.4bca2588.matthias@rpmforge.net> + <1030507320.3214.39.camel@herald.dragonsdawn.net> + <20020828100430.378c3856.matthias@rpmforge.net> + <1030546780.3214.54.camel@herald.dragonsdawn.net> + <20020828112645.B13047@ti19> + <1030551945.10627.4.camel@wanderlust.prognet.com> + <20020828190006.2200a154.matthias@rpmforge.net> + <1030576177.6448.1.camel@localhost.localdomain> + <1030580111.1388.2.camel@localhost.localdomain> + <20020829062638.53279644.matthias@egwn.net> + <1030649409.4818.4.camel@localhost.localdomain> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-6) +Message-Id: <1030654347.9760.1.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 29 Aug 2002 15:52:27 -0500 +Date: 29 Aug 2002 15:52:27 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_05_08 + version=2.40-cvs +X-Spam-Level: + +I want to thank those involved in making these RPMS available. Thanks +guys, thanks Matthias. + +Lance + +On Thu, 2002-08-29 at 14:30, Lance wrote: +> Thanks Matthias. Actually I got all four speakers with subwoofer +> working in digital out mode with gamixer. +> (http://www1.tcnet.ne.jp/fmurata/linux/down/) +> +> However switching between analog and digital, I'm still baffled. As I +> have a tuner and cassette deck hooked up to "Line In" on a SBLive! 5.1, +> which is in analog mode. But digital out works great now! +> +> On Wed, 2002-08-28 at 23:26, Matthias Saou wrote: +> > Once upon a time, Lance wrote : +> > +> > > Ok, I got ALSA installed and there is no static inbetween mp3s like +> > > before which is great! My setup is digital 4.1 but sound is only coming +> > > from front 2 speakers and subwoofer, rear speakers there is no sound. +> > > Also alsamixer or aumix are unresponsive as well. +> > +> > Maybe you could find more info or tips on the ALSA page for your card? +> > Also, you could try "alsactl store", editing /etc/asound.state" by hand +> > (for me it contains data similar to what I can control with "alsamixer") +> > then run "alsactl restore" and see if you're able to change what you want +> > that way. +> > +> > Matthias +> > +> > -- +> > Matthias Saou World Trade Center +> > ------------- Edificio Norte 4 Planta +> > System and Network Engineer 08039 Barcelona, Spain +> > Electronic Group Interactive Phone : +34 936 00 23 23 +> > +> > _______________________________________________ +> > RPM-List mailing list +> > http://lists.freshrpms.net/mailman/listinfo/rpm-list +> -- +> : +> ####[ Linux One Stanza Tip (LOST) ]########################### +> +> Sub : Finding out files larger than given size LOST #324 +> +> To find out all files in a dir over a given size, try: +> find /path/to/dir_of_file -type f -size +Nk +> [Where N is a number like 1024 for 1mb, and multiples thereof] +> +> ####[Discussions on LIH : 04 Jul 2002]######################## +> : +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Finding out files larger than given size LOST #324 + +To find out all files in a dir over a given size, try: +find /path/to/dir_of_file -type f -size +Nk +[Where N is a number like 1024 for 1mb, and multiples thereof] + +####[Discussions on LIH : 04 Jul 2002]######################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1375.2a62b057a9e7fa1cffc53cb60af4cd32 b/machine-learning-ex6/ex6/easy_ham/1375.2a62b057a9e7fa1cffc53cb60af4cd32 new file mode 100644 index 0000000..fabc3e4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1375.2a62b057a9e7fa1cffc53cb60af4cd32 @@ -0,0 +1,105 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:24:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 803D843F9B + for ; Mon, 2 Sep 2002 07:24:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:24:02 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7U780Z16522 for + ; Fri, 30 Aug 2002 08:08:00 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7U754J32624; Fri, 30 Aug 2002 09:05:04 + +0200 +Received: from cskk.homeip.net (c17877.carlnfd1.nsw.optusnet.com.au + [210.49.140.231]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7U73RJ32084 for ; Fri, 30 Aug 2002 09:03:28 +0200 +Received: from amadeus.home (localhost.localdomain [127.0.0.1]) by + cskk.homeip.net (8.11.6/8.11.6) with ESMTP id g7U738708102 for + ; Fri, 30 Aug 2002 17:03:11 +1000 +From: Cameron Simpson +To: rpm-zzzlist@freshrpms.net +Subject: Re: /home/dude +Message-Id: <20020830070306.GA7959@amadeus.home> +References: <20020828143235.A5779@bonzo.nirvana> + <20020829142252.7b20caab.matthias@egwn.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020829142252.7b20caab.matthias@egwn.net> +User-Agent: Mutt/1.4i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +X-Reply-To: cs@zip.com.au +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 30 Aug 2002 17:03:06 +1000 +Date: Fri, 30 Aug 2002 17:03:06 +1000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-14.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_01_02,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +On 14:22 29 Aug 2002, Matthias Saou wrote: +| Once upon a time, Axel wrote : +| > I am now relaxed again ;), and pass this info on. Probably Matthias Saou +| > himself is "dude", and some package has hardwired a path in his build +| > directory. It would be nice to find out which and fix it, but I am using +| > too many of the freshrpm suite to narrow it down. +| +| Indeed, my usual login is "dude" (and has been since long before "The Big +| Lebowsky" came out ;-)), and it seems the some programs wrongly hard code +| my home directory when being compiled :-( +| For instance : +| +| [dude@python dude]$ strings /usr/bin/gentoo | grep dude +| /home/dude/ +| [dude@python dude]$ strings /usr/bin/xine | grep dude +| /home/dude/redhat/tmp/xine-root/usr/share/locale +| +| These should probably be considered bugs in the program's build process +| (especially for xine, look at that!), I'll report them upstream if/when I +| have some time. + +This is a standard trap for people building things from source. It's +generally wise to have a special "build" environment to avoid these +hassles. Most likely you have some library loading path in your env. An +strace of the app will show it: + + the-app 2>&1 | grep dude + +Personally, I have a script called logbuild whose entire purpose is to +start a shell with a minimal build environment, logged with script. The +prevents this kind of error. Since configure yanks all sorts of ill +documented values from one's environment for use in the build (CC, ARCH, +various LD_* variables) this kind of thing is necessary. + +Often the easiest thing is to have a special nonroot account with no .profile +for building stuff. + +Cheers, +-- +Cameron Simpson, DoD#743 cs@zip.com.au http://www.zip.com.au/~cs/ + +Do not taunt Happy Fun Coder. + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1376.460393676b2c5ba43650cc2f2ef6875e b/machine-learning-ex6/ex6/easy_ham/1376.460393676b2c5ba43650cc2f2ef6875e new file mode 100644 index 0000000..3a3b769 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1376.460393676b2c5ba43650cc2f2ef6875e @@ -0,0 +1,104 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:32:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0D5E343F99 + for ; Mon, 2 Sep 2002 07:32:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:32:39 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7V30HZ20462 for + ; Sat, 31 Aug 2002 04:00:18 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7V2w2J09642; Sat, 31 Aug 2002 04:58:02 + +0200 +Received: from relay1.EECS.Berkeley.EDU (relay1.EECS.Berkeley.EDU + [169.229.60.163]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7V2uqJ28499 for ; Sat, 31 Aug 2002 04:56:52 +0200 +Received: from relay3.EECS.Berkeley.EDU (localhost.Berkeley.EDU + [127.0.0.1]) by relay1.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id + TAA11365 for ; Fri, 30 Aug 2002 19:56:50 -0700 + (PDT) +Received: from eecs.berkeley.edu (brawnix.CS.Berkeley.EDU [128.32.35.162]) + by relay3.EECS.Berkeley.EDU (8.9.3/8.9.3) with ESMTP id TAA20554 for + ; Fri, 30 Aug 2002 19:56:47 -0700 (PDT) +Message-Id: <3D70306F.8090201@eecs.berkeley.edu> +From: Ben Liblit +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020606 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: alsa-driver rebuild fails with undeclared USB symbol +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 30 Aug 2002 19:56:47 -0700 +Date: Fri, 30 Aug 2002 19:56:47 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.8 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +I am trying to rebuild the recently posted ALSA driver package for my +kernel. Although I run Red Hat 7.3, I am not using a Red Hat kernel +package: my kernel is lovingly downloaded, configured, and built by +hand. Call me old fashioned. + +Sadly, the RPM rebuild fails part way through: + + % rpm --rebuild alsa-driver-0.9.0rc3-fr6.src.rpm + + gcc -DALSA_BUILD -D__KERNEL__ -DMODULE=1 \ + -I/usr/src/redhat/BUILD/alsa-driver-0.9.0rc3/include \ + -I/lib/modules/2.4.18/build/include -O2 \ + -mpreferred-stack-boundary=2 -march=i686 -DLINUX -Wall \ + -Wstrict-prototypes -fomit-frame-pointer -pipe -DEXPORT_SYMTAB \ + -c sound.c + + sound.c:41: `snd_hack_usb_set_interface' undeclared here (not in a \ + function) + + sound.c:41: initializer element is not constant + + sound.c:41: (near initialization for \ + __ksymtab_snd_hack_usb_set_interface.value') + + make[1]: *** [sound.o] Error 1 + +The line in question looks like this: + + /* USB workaround */ + #if LINUX_VERSION_CODE < KERNEL_VERSION(2, 5, 24) + #if defined(CONFIG_SND_USB_AUDIO) || \ + defined(CONFIG_SND_USB_AUDIO_MODULE) || \ + defined(CONFIG_SND_USB_MIDI) || \ + defined(CONFIG_SND_USB_MIDI_MODULE) +-41-> +EXPORT_SYMBOL(snd_hack_usb_set_interface); + #endif + #endif + +Any suggestions? + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1377.b6f9379076911dc30e73da8e76893923 b/machine-learning-ex6/ex6/easy_ham/1377.b6f9379076911dc30e73da8e76893923 new file mode 100644 index 0000000..1da5ca1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1377.b6f9379076911dc30e73da8e76893923 @@ -0,0 +1,126 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:32:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5CDAA43F9B + for ; Mon, 2 Sep 2002 07:32:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:32:44 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7V394Z20828 for + ; Sat, 31 Aug 2002 04:09:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7V372J07985; Sat, 31 Aug 2002 05:07:02 + +0200 +Received: from imf20bis.bellsouth.net (mail020.mail.bellsouth.net + [205.152.58.60]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7V36EJ07619 for ; Sat, 31 Aug 2002 05:06:14 +0200 +Received: from adsl-157-21-77.msy.bellsouth.net ([66.157.21.77]) by + imf20bis.bellsouth.net (InterMail vM.5.01.04.19 + 201-253-122-122-119-20020516) with ESMTP id + <20020831030604.PBIG7767.imf20bis.bellsouth.net@adsl-157-21-77.msy.bellsouth.net> + for ; Fri, 30 Aug 2002 23:06:04 -0400 +Subject: Re: alsa-driver rebuild fails with undeclared USB symbol +From: Lance +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <3D70306F.8090201@eecs.berkeley.edu> +References: <3D70306F.8090201@eecs.berkeley.edu> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-7) +Message-Id: <1030763168.15592.1.camel@localhost.localdomain> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 30 Aug 2002 22:06:08 -0500 +Date: 30 Aug 2002 22:06:08 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.4 required=7.0 + tests=FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +I know this is simple but do you have /usr/src/linux and +/usr/src/linux-2.4 symlinked to your kernel source directory? Also is +there a .config in /usr/src/yourkernelsource/.config ? + +On Fri, 2002-08-30 at 21:56, Ben Liblit wrote: +> I am trying to rebuild the recently posted ALSA driver package for my +> kernel. Although I run Red Hat 7.3, I am not using a Red Hat kernel +> package: my kernel is lovingly downloaded, configured, and built by +> hand. Call me old fashioned. +> +> Sadly, the RPM rebuild fails part way through: +> +> % rpm --rebuild alsa-driver-0.9.0rc3-fr6.src.rpm +> +> gcc -DALSA_BUILD -D__KERNEL__ -DMODULE=1 \ +> -I/usr/src/redhat/BUILD/alsa-driver-0.9.0rc3/include \ +> -I/lib/modules/2.4.18/build/include -O2 \ +> -mpreferred-stack-boundary=2 -march=i686 -DLINUX -Wall \ +> -Wstrict-prototypes -fomit-frame-pointer -pipe -DEXPORT_SYMTAB \ +> -c sound.c +> +> sound.c:41: `snd_hack_usb_set_interface' undeclared here (not in a \ +> function) +> +> sound.c:41: initializer element is not constant +> +> sound.c:41: (near initialization for \ +> __ksymtab_snd_hack_usb_set_interface.value') +> +> make[1]: *** [sound.o] Error 1 +> +> The line in question looks like this: +> +> /* USB workaround */ +> #if LINUX_VERSION_CODE < KERNEL_VERSION(2, 5, 24) +> #if defined(CONFIG_SND_USB_AUDIO) || \ +> defined(CONFIG_SND_USB_AUDIO_MODULE) || \ +> defined(CONFIG_SND_USB_MIDI) || \ +> defined(CONFIG_SND_USB_MIDI_MODULE) +> -41-> +> EXPORT_SYMBOL(snd_hack_usb_set_interface); +> #endif +> #endif +> +> Any suggestions? +> +> +> _______________________________________________ +> RPM-List mailing list +> http://lists.freshrpms.net/mailman/listinfo/rpm-list +-- +: +####[ Linux One Stanza Tip (LOST) ]########################### + +Sub : Finding out files larger than given size LOST #324 + +To find out all files in a dir over a given size, try: +find /path/to/dir_of_file -type f -size +Nk +[Where N is a number like 1024 for 1mb, and multiples thereof] + +####[Discussions on LIH : 04 Jul 2002]######################## +: + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1378.12eda7069e9d8a08ba37f0e4679f23ea b/machine-learning-ex6/ex6/easy_ham/1378.12eda7069e9d8a08ba37f0e4679f23ea new file mode 100644 index 0000000..0bbc053 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1378.12eda7069e9d8a08ba37f0e4679f23ea @@ -0,0 +1,88 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:34:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 59C2E43F99 + for ; Mon, 2 Sep 2002 07:34:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:34:18 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7VAmZZ31525 for + ; Sat, 31 Aug 2002 11:48:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7VAk4J03384; Sat, 31 Aug 2002 12:46:04 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7VAjAJ01520 for + ; Sat, 31 Aug 2002 12:45:10 +0200 +Received: from cs78128057.pp.htv.fi ([62.78.128.57]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g7VAid629053; Sat, 31 Aug 2002 13:44:39 + +0300 (EETDST) +Subject: Re: alsa-driver rebuild fails with undeclared USB symbol +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: liblit@eecs.berkeley.edu +Cc: rpm-zzzlist@freshrpms.net +In-Reply-To: <3D705411.9090606@eecs.berkeley.edu> +References: <3D70306F.8090201@eecs.berkeley.edu> + <1030763168.15592.1.camel@localhost.localdomain> + <3D704193.3050003@eecs.berkeley.edu> <3D705411.9090606@eecs.berkeley.edu> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1030790671.1963.97.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g7VAjAJ01520 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 31 Aug 2002 13:44:30 +0300 +Date: 31 Aug 2002 13:44:30 +0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.1 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_ISO885915,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Sat, 2002-08-31 at 08:28, Ben Liblit wrote: + +> Well, I've figured out the problem. I guess you could say it's an ALSA +> bug. When one configures using "--with-cards=all", ALSA blindly turns +> on the various CONFIG_SND_USB_* macros even if CONFIG_USB is not +> actually set. +[...] +> Matthias, would you please consider hooking up this patch in your +> alsa-driver.spec? It can be added in the obvious manner: +> +> I suppose I should send this along to the ALSA developers as well. For +> them I'll produce a "proper" patch that makes the fix in "acinclude.m4". +> Or is someone else on this list already part of the ALSA developer +> community, and willing to shepherd this through for me? + +Not me, but IMHO it's kind of offtopic to put it in freshrpms.net RPMs. +Upstream is the way to go... + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1379.8f1e63f3902da72388600d360b8579b1 b/machine-learning-ex6/ex6/easy_ham/1379.8f1e63f3902da72388600d360b8579b1 new file mode 100644 index 0000000..9ccbb2b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1379.8f1e63f3902da72388600d360b8579b1 @@ -0,0 +1,81 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 12:34:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5ACF843F9B + for ; Mon, 2 Sep 2002 07:34:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:34:24 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7VAwsZ31826 for + ; Sat, 31 Aug 2002 11:58:55 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7VAu1J15451; Sat, 31 Aug 2002 12:56:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7VAtIJ15223 for ; Sat, 31 Aug 2002 12:55:21 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: alsa-driver rebuild fails with undeclared USB symbol +Message-Id: <20020831125333.4574373b.matthias@egwn.net> +In-Reply-To: <1030790671.1963.97.camel@bobcat.ods.org> +References: <3D70306F.8090201@eecs.berkeley.edu> + <1030763168.15592.1.camel@localhost.localdomain> + <3D704193.3050003@eecs.berkeley.edu> <3D705411.9090606@eecs.berkeley.edu> + <1030790671.1963.97.camel@bobcat.ods.org> +Organization: Electronic Group Interactive +X-Mailer: Sylpheed version 0.8.2claws (GTK+ 1.2.10; i386-redhat-linux) +Reply-BY: Tue, 24 Jul 2000 19:02:00 +1000 +X-Operating-System: GNU/Linux power! +X-Message-Flag: Try using a real operating system : GNU/Linux power! +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 31 Aug 2002 12:53:33 +0200 +Date: Sat, 31 Aug 2002 12:53:33 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-14.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_RFCI,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Once upon a time, Ville wrote : + +> Not me, but IMHO it's kind of offtopic to put it in freshrpms.net RPMs. +> Upstream is the way to go... + +Agreed, especially since my packages are primarily meant for the original +Red Hat Linux kernels. And someone removing USB support from his kernel is +probably not going to recompile ALSA with *all* the drivers anyway ;-) + +Matthias + +-- +Matthias Saou World Trade Center +------------- Edificio Norte 4 Planta +System and Network Engineer 08039 Barcelona, Spain +Electronic Group Interactive Phone : +34 936 00 23 23 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1380.c3103ee67e5faa8447f8bd57f845f58d b/machine-learning-ex6/ex6/easy_ham/1380.c3103ee67e5faa8447f8bd57f845f58d new file mode 100644 index 0000000..98d6b7c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1380.c3103ee67e5faa8447f8bd57f845f58d @@ -0,0 +1,110 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 13:12:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0131E4415E + for ; Mon, 2 Sep 2002 07:38:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:38:03 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g81AXmZ20435 for + ; Sun, 1 Sep 2002 11:33:48 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g81AW2J15939; Sun, 1 Sep 2002 12:32:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g81AVPJ15845 + for ; Sun, 1 Sep 2002 12:31:25 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17lS1E-0001xi-00 for rpm-list@freshrpms.net; + Sun, 01 Sep 2002 06:31:48 -0400 +X-Originating-Ip: [207.172.11.147] +From: "" Angles " Puglisi" +To: rpm-zzzlist@freshrpms.net +Subject: Re: ALSA (almost) made easy (gamix rocks) +Message-Id: <20020901.v8t.39317700@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 01 Sep 2002 10:30:20 +0000 +Date: Sun, 01 Sep 2002 10:30:20 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +This mixer is specific to ALSA's special stuff, I use it in addition to the other +mixers if I need something special. + +I built it a while ago, may need a --rebuild. + +http://www.dudex.net/rpms/gamix-1.99.p13-aap1.i686.rpm +http://www.dudex.net/rpms/gamix-1.99.p13-aap1.src.rpm +http://www.dudex.net/rpms/gamix.spec + +Matthias Saou (matthias@egwn.net) wrote*: +> +>Once upon a time, Ville wrote : +> +>> Ah! The mixer stuff was what made me look for an init script in the +>> first place, I didn't bother to check whether the existing stuff would +>> have worked with that. Will try that out, you can assume silence == +>> success :) +> +>Well, from what I've tried, both the main and the PCM (at least) volume +>levels can be controlled either by "alsamixer" or the good old "aumix". +> +>> > >From what I can tell after only 2 days using it : ALSA rocks, +>> > >especially +>> > since having a full OSS compatibility results that it breaks nothing at +>> > all! :-) +>> +>> Agreed. Though with only 2 hours experience... +> +>I guess/hope some other people from the list will try it out ;-) +> +>Both problems you reported (libasound.so and wrong xine dependency) are now +>fixed in the current packages. +> +>Oh, it's maybe also worth pointing out : I've implemented at last sorting +>by both last change date and alphabetically for my "build list" in the php +>code : http://freshrpms.net/builds/ +> +>And yes, I accept patches/comments/suggestions about all those spec files! +> +>Matthias +> +> +>_______________________________________________ +>RPM-List mailing list +> + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1381.3c5527db01789ad42005006ac2ed2fcc b/machine-learning-ex6/ex6/easy_ham/1381.3c5527db01789ad42005006ac2ed2fcc new file mode 100644 index 0000000..56719ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1381.3c5527db01789ad42005006ac2ed2fcc @@ -0,0 +1,147 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 13:15:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BAABE47C68 + for ; Mon, 2 Sep 2002 07:39:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:39:38 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82198Z14381 for + ; Mon, 2 Sep 2002 02:09:09 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g82152J14688; Mon, 2 Sep 2002 03:05:02 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g8214QJ06624 + for ; Mon, 2 Sep 2002 03:04:27 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17lfeA-0002HC-00 for rpm-list@freshrpms.net; + Sun, 01 Sep 2002 21:04:54 -0400 +X-Originating-Ip: [207.172.11.147] +From: "" Angles " Puglisi" +To: "FreshRPMs List" +Subject: Fw: some (null) eyecandy packages +Message-Id: <20020901.Cm5.66966300@www.dudex.net> +MIME-Version: 1.0 +Content-Type: multipart/mixed; + boundary="---=_Next_Part_10878775_zmiO_mWTr_109818780" +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 02 Sep 2002 01:03:30 +0000 +Date: Mon, 02 Sep 2002 01:03:30 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.7 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,MAILTO_WITH_SUBJ,OUTLOOK_FW_MSG, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +This is a multipart message in MIME format + +-----=_Next_Part_10878775_zmiO_mWTr_109818780 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline + +If anyone here is running (null) beta then you may like these Gnome theme packages. +They are enhanced and repackages from my previous theme packs, this time to conform +to the way pre-release RH8 handles themes for GTK1 and GTK2. + +RedHat has a preferences -> themes app, but themes only show up there that have BOTH +gtk1.2 (Gnome1) themes AND gtk1.4 (GTK2 aka Gnome2) themes available. Then RH will +apply the theme to both GTK versions, so the user does not really notice that +different GTK toolkit versions are being used, since they *should* look the same. + +This "gtk2-engines-compat" RPM has GTK2 ported themes for those themes that are +included in the RH package "gtk-engines" themes pack for GTK1. + +The "gtk1+2-themez" pack mostly repackages my previous theme RPMs in a way that the +(null) btea like, and supposedly the next RH8 when released :) + +forward - original mail: + From " Angles Puglisi" + Date 09/01/2002 - 06:10:03 am + Subject some (null) eyecandy packages + +-----=_Next_Part_10878775_zmiO_mWTr_109818780 +Content-Type: message/rfc822; +Content-Disposition: inline + +Delivered-To: limbo-list@listman.example.com +X-Originating-IP: [207.172.11.147] +From: "" Angles " Puglisi" +To: limbo-list@example.com +Subject: some (null) eyecandy packages +Message-ID: <20020901.eak.70699000@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v 0.9.14.000 +X-Loop: limbo-list@example.com +Sender: limbo-list-admin@example.com +Errors-To: limbo-list-admin@example.com +X-BeenThere: limbo-list@example.com +X-Mailman-Version: 2.0.1 +Precedence: bulk +Reply-To: limbo-list@example.com +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Discussion of the Red Hat Linux 'Limbo' beta +List-Unsubscribe: , + +List-Archive: +Date: Sun, 01 Sep 2002 10:01:54 +0000 + +I make these for myself, you may find them of interest. See the .spec file(s) for info. + +http://www.dudex.net/rpms/gtk2-engines-compat-1.0-aap1.noarch.rpm +http://www.dudex.net/rpms/gtk2-engines-compat-1.0.spec + +http://www.dudex.net/rpms/gtk1+2-themez-1.1-aap1.noarch.rpm +http://www.dudex.net/rpms/gtk1+2-themez-1.1.spec + +You'll need gtk-engines, gtk2-engines, and a "thinice" engine for gtk2, this one +might be a old now but it works: + +http://www.dudex.net/rpms/gtk2-thinice-engine-2.0.1-2.i386.rpm +http://www.dudex.net/rpms/gtk2-thinice-engine-2.0.1-2.src.rpm +http://www.dudex.net/rpms/gtk2-thinice-engine-2.0.1.spec + +-- +That's "angle" as in geometry. + + + + +_______________________________________________ +Limbo-list mailing list +Limbo-list@redhat.com + +-----=_Next_Part_10878775_zmiO_mWTr_109818780-- + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1382.91f90e365d7046c57789061a27cf62cf b/machine-learning-ex6/ex6/easy_ham/1382.91f90e365d7046c57789061a27cf62cf new file mode 100644 index 0000000..fbb3fda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1382.91f90e365d7046c57789061a27cf62cf @@ -0,0 +1,77 @@ +From rpm-list-admin@freshrpms.net Mon Sep 2 13:12:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2EFA247C69 + for ; Mon, 2 Sep 2002 07:39:40 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:39:40 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g821EKZ14494 for + ; Mon, 2 Sep 2002 02:14:20 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g821C1J07101; Mon, 2 Sep 2002 03:12:01 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g821BSJ06974 + for ; Mon, 2 Sep 2002 03:11:28 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17lfkz-0002He-00 for rpm-list@freshrpms.net; + Sun, 01 Sep 2002 21:11:57 -0400 +X-Originating-Ip: [207.172.11.147] +From: "" Angles " Puglisi" +To: "FreshRPMs List" +Subject: package my stuff please :P +Message-Id: <20020901.lpt.78839000@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 02 Sep 2002 01:10:33 +0000 +Date: Mon, 02 Sep 2002 01:10:33 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +If I have any RPMS in + +http://www.dudex.net/rpms/ + +that could be useful to some one with a real apt repository or someone who wants to +maintain a package, be it known I am not selfish :) + +I found stuff I thought would later get popular so I would not have to maintain the +RPMs for them after they hit the big time. Gnump3d is an exapmple of this. + +So if anyone is psyched, go for it. If so, let me know so I can get the RPMs from +you in the future. + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1383.4e6c2c19a9c9ff985a966f06ea87ed76 b/machine-learning-ex6/ex6/easy_ham/1383.4e6c2c19a9c9ff985a966f06ea87ed76 new file mode 100644 index 0000000..75a68c0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1383.4e6c2c19a9c9ff985a966f06ea87ed76 @@ -0,0 +1,80 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 00:10:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9C99F16F17 + for ; Tue, 8 Oct 2002 00:09:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 00:09:58 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g97M3hK18746 for + ; Mon, 7 Oct 2002 23:03:44 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g97Lw2f09321; Mon, 7 Oct 2002 23:58:02 + +0200 +Received: from posti.pp.htv.fi (posti.pp.htv.fi [212.90.64.50]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g97LvNf04590 for + ; Mon, 7 Oct 2002 23:57:27 +0200 +Received: from cs78128237.pp.htv.fi ([62.78.128.237]) by posti.pp.htv.fi + (8.11.1/8.11.1) with ESMTP id g97Lv8g29537 for ; + Tue, 8 Oct 2002 00:57:08 +0300 (EETDST) +Subject: Re: Nessus? +From: Ville =?ISO-8859-1?Q?Skytt=E4?= +To: rpm-zzzlist@freshrpms.net +In-Reply-To: <20021007230521.0f1727aa.matthias@rpmforge.net> +References: <1034013325.8419.88.camel@bobcat.ods.org> + <20021007200642.27614e1b.matthias@rpmforge.net> + <20021007230521.0f1727aa.matthias@rpmforge.net> +Content-Type: text/plain; charset=ISO-8859-1 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034027845.2296.163.camel@bobcat.ods.org> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g97LvNf04590 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 08 Oct 2002 00:57:24 +0300 +Date: 08 Oct 2002 00:57:24 +0300 +X-Spam-Status: No, hits=-15.2 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_20_30 + version=2.50-cvs +X-Spam-Level: + +On Tue, 2002-10-08 at 00:05, Matthias Saou wrote: + +> It's 100% untested, although the build should be ok. The new menu was +> added, but some configuration files may be better with new or different +> defaults. +> +> Feedback is very welcome! + +Looks good to me, just installed it, and ran a local scan, everything +worked smoothly. Thanks a bunch! + +-- +\/ille Skyttä +ville.skytta at iki.fi + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1384.0791f1d9a72262517deabbf25a2de75a b/machine-learning-ex6/ex6/easy_ham/1384.0791f1d9a72262517deabbf25a2de75a new file mode 100644 index 0000000..7970ea0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1384.0791f1d9a72262517deabbf25a2de75a @@ -0,0 +1,99 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4B66916F16 + for ; Tue, 8 Oct 2002 10:55:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:55:17 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987avK05522 for + ; Tue, 8 Oct 2002 08:36:57 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987U2f06824; Tue, 8 Oct 2002 09:30:02 + +0200 +Received: from snickers.hotpop.com (snickers.hotpop.com [204.57.55.49]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g987TMf04275 for + ; Tue, 8 Oct 2002 09:29:22 +0200 +Received: from punkass.com (kubrick.hotpop.com [204.57.55.16]) by + snickers.hotpop.com (Postfix) with SMTP id B5FC0707E2 for + ; Tue, 8 Oct 2002 07:29:10 +0000 (UTC) +Received: from punkass.com (unknown [80.178.1.203]) by smtp-2.hotpop.com + (Postfix) with ESMTP id 4BADD1B8497 for ; + Tue, 8 Oct 2002 07:28:31 +0000 (UTC) +Message-Id: <3DA28982.6020709@punkass.com> +From: Roi Dayan +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.1) Gecko/20020830 +X-Accept-Language: en-us, en, he +MIME-Version: 1.0 +To: rpm-zzzlist@freshrpms.net +Subject: xine src packge still gives errors +References: <1033908698.1724.11.camel@lillpelle> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Hotpop: ----------------------------------------------- Sent By + HotPOP.com FREE Email Get your FREE POP email at www.HotPOP.com + ----------------------------------------------- +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 08 Oct 2002 09:30:10 +0200 +Date: Tue, 08 Oct 2002 09:30:10 +0200 +X-Spam-Status: No, hits=-9.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,REFERENCES,T_NONSENSE_FROM_70_80, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Hi + +I try to rebuild xine from src package and I get these errors: + +. +. +. +. +. +Finding Provides: /usr/lib/rpm/find-provides +Finding Requires: /usr/lib/rpm/find-requires +PreReq: rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires(rpmlib): rpmlib(PayloadFilesHavePrefix) <= 4.0-1 +rpmlib(CompressedFileNames) <= 3.0.4-1 +Requires: xine-libs = 0.9.13 /bin/sh +Obsoletes: xine-devel + + +RPM build errors: + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + user dude does not exist - using root + File not found: /var/tmp/xine-root/usr/bin/aaxine + + +thx, +Roi + + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1385.be576b43bd3da84b5752402ef0acf1d4 b/machine-learning-ex6/ex6/easy_ham/1385.be576b43bd3da84b5752402ef0acf1d4 new file mode 100644 index 0000000..cef5c3d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1385.be576b43bd3da84b5752402ef0acf1d4 @@ -0,0 +1,85 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E2CC916F18 + for ; Tue, 8 Oct 2002 10:55:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:55:19 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987g4K05596 for + ; Tue, 8 Oct 2002 08:42:04 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987c1f10870; Tue, 8 Oct 2002 09:38:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g987bTf04154 for ; Tue, 8 Oct 2002 09:37:29 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xine src packge still gives errors +Message-Id: <20021008093721.4a3ed251.matthias@rpmforge.net> +In-Reply-To: <3DA28982.6020709@punkass.com> +References: <1033908698.1724.11.camel@lillpelle> + <3DA28982.6020709@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 09:37:21 +0200 +Date: Tue, 8 Oct 2002 09:37:21 +0200 +X-Spam-Status: No, hits=-15.9 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> RPM build errors: +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root +> user dude does not exist - using root + +This I would guess is normal, but don't you get it at the very beginning of +the build? Isn't this at the end just a reminder? + +> File not found: /var/tmp/xine-root/usr/bin/aaxine + +Argh, I forgot to exclude aaxine from the %files when using "--without +aalib" :-( +The current "fr6.1" spec file fixes this... + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.02 0.03 0.00 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1386.bf3a96041aeac7950ee23a553e1fd186 b/machine-learning-ex6/ex6/easy_ham/1386.bf3a96041aeac7950ee23a553e1fd186 new file mode 100644 index 0000000..5f7891d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1386.bf3a96041aeac7950ee23a553e1fd186 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:55:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9239D16F19 + for ; Tue, 8 Oct 2002 10:55:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:55:21 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g987lwK05784 for + ; Tue, 8 Oct 2002 08:47:58 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g987i1f05970; Tue, 8 Oct 2002 09:44:01 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g987hhf05624 for ; Tue, 8 Oct 2002 09:43:43 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xmms and .mp3 files. +Message-Id: <20021008094334.57b0c988.matthias@rpmforge.net> +In-Reply-To: <3DA288E8.4060006@punkass.com> +References: <200210071433.g97EXKo02265@astraeus.hpcf.upr.edu> + <3DA288E8.4060006@punkass.com> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 09:43:34 +0200 +Date: Tue, 8 Oct 2002 09:43:34 +0200 +X-Spam-Status: No, hits=-17.1 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + REFERENCES,SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Roi wrote : + +> oh xmms didn't work for me also +> i used mpg123 i tought its something from me + +Nope, this is "normal" as Red Hat removed all mp3 support from 8.0 because +of patent and royalty issues :-( +On freshrpms.net, you can find the xmms mp3 plugin as I said, but also +libmad, lame (mp3 encoder), and soon mpg321 as I often used it myself. +Many other players can also play mp3 files, like alsaplayer, xine, mplayer. + +> like mplayer not working also and gives black screen + +This is not normal though... +Try "mplayer -vo help" then try usinf various output methods to see if some +do work or not. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.00 0.05 0.01 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1387.ed6c5677ce998a2c37e43f3771c088d7 b/machine-learning-ex6/ex6/easy_ham/1387.ed6c5677ce998a2c37e43f3771c088d7 new file mode 100644 index 0000000..9eb897a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1387.ed6c5677ce998a2c37e43f3771c088d7 @@ -0,0 +1,91 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:56:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 79DB116F16 + for ; Tue, 8 Oct 2002 10:56:20 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:56:20 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g988mPK07565 for + ; Tue, 8 Oct 2002 09:48:25 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g988i1f16827; Tue, 8 Oct 2002 10:44:02 + +0200 +Received: from chip.ath.cx (cs146114.pp.htv.fi [213.243.146.114]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g988hGf13093 for + ; Tue, 8 Oct 2002 10:43:16 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g988hASA018848 for ; + Tue, 8 Oct 2002 11:43:10 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g988h9j2018844 for + ; Tue, 8 Oct 2002 11:43:10 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: a problem with apt-get +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 11:43:09 +0300 (EEST) +Date: Tue, 8 Oct 2002 11:43:09 +0300 (EEST) +X-Spam-Status: No, hits=-11.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_00_10,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 7 Oct 2002, Thomas Vander Stichele wrote: + +> Hi, +> +> In my build scripts, I have problems with some of the kernel packages. +> +> For kernel-sources, I get : +> +> Package kernel-source is a virtual package provided by: +> kernel-source#2.4.18-3 2.4.18-3 +> kernel-source#2.4.18-3 2.4.18-3 +> +> on running apt-get install kernel-source +> +> Now, first of all, this doesn't really tell me what the two options are ;) +> Second, is there some way I can tell apt-get to install either ? This is +> done from automatic build scripts so I'd like it to proceed anyway. + +That's just apt's way of telling you the package is in "AllowDuplicated", +meaning multiple versions of the package can be installed at the same +time. Yes the output is a bit strange.. especially when there's only one +version available. + +'apt-get install kernel-source#2.4.18-3' will install it... + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1388.48788e5ee763c1cc1320a5bd2fc41ea4 b/machine-learning-ex6/ex6/easy_ham/1388.48788e5ee763c1cc1320a5bd2fc41ea4 new file mode 100644 index 0000000..3e25984 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1388.48788e5ee763c1cc1320a5bd2fc41ea4 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Tue Oct 8 10:56:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2456416F17 + for ; Tue, 8 Oct 2002 10:56:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 10:56:23 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g988s2K07757 for + ; Tue, 8 Oct 2002 09:54:03 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g988n1f06917; Tue, 8 Oct 2002 10:49:01 + +0200 +Received: from chip.ath.cx (cs146114.pp.htv.fi [213.243.146.114]) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g988m9f02272 for + ; Tue, 8 Oct 2002 10:48:09 +0200 +Received: from chip.ath.cx (localhost [127.0.0.1]) by chip.ath.cx + (8.12.5/8.12.2) with ESMTP id g988m3SA018868 for ; + Tue, 8 Oct 2002 11:48:03 +0300 +Received: from localhost (pmatilai@localhost) by chip.ath.cx + (8.12.5/8.12.5/Submit) with ESMTP id g988m3s2018864 for + ; Tue, 8 Oct 2002 11:48:03 +0300 +X-Authentication-Warning: chip.ath.cx: pmatilai owned process doing -bs +From: Panu Matilainen +X-X-Sender: pmatilai@chip.ath.cx +To: rpm-zzzlist@freshrpms.net +Subject: Re: RH 8 no DMA for DVD drive +In-Reply-To: <20021007103831.642c1bbb.hosting@j2solutions.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 11:48:01 +0300 (EEST) +Date: Tue, 8 Oct 2002 11:48:01 +0300 (EEST) +X-Spam-Status: No, hits=-9.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_00_10,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Mon, 7 Oct 2002, Jesse Keating wrote: + +> On Mon, 7 Oct 2002 19:28:51 +0200 +> Matthias Saou wrote: +> +> # I've never heard of any CD-ROM or DVD-ROM drive having problems with +> # DMA... although there probably is since Red Hat decided to default +> # disabling it a few releases back :-/ +> +> When I worked as a PC repair tech for a Computer store chain, I did +> run across quite a few DVD drives that would lock up if DMA was +> enabled. It's more of a chipset/drive problem than a Drive by itself. + +And my IBM Intellistation would lock up instantly .. now this is actually +quite funny .. if DMA was enabled for the CD-ROM *and* you tried to access +a CD with Joliet extensions. Otherwise it worked just fine with DMA +enabled :) + +-- + - Panu - + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1389.447a639594555183f1643cb44d9f8ce2 b/machine-learning-ex6/ex6/easy_ham/1389.447a639594555183f1643cb44d9f8ce2 new file mode 100644 index 0000000..61ad869 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1389.447a639594555183f1643cb44d9f8ce2 @@ -0,0 +1,126 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 10:45:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A89CC44158 + for ; Wed, 28 Aug 2002 05:45:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:45:22 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RMwrZ29512 for + ; Tue, 27 Aug 2002 23:58:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7RMt8J31837; Wed, 28 Aug 2002 00:55:08 + +0200 +Received: from unknown (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g7RMs1J23188; Wed, 28 Aug 2002 00:54:01 +0200 +From: Matthias Saou +To: valhalla-list@example.com, RPM-List +Subject: ALSA (almost) made easy +Message-Id: <20020828004215.4bca2588.matthias@rpmforge.net> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.1claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 00:42:15 +0200 +Date: Wed, 28 Aug 2002 00:42:15 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.4 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,RCVD_IN_RFCI, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +Hi all, + +I've decided at last to test the ALSA sound drivers. As usual the result is +that I've spent much more time repackaging the darn thing than actually +testing the functionalities or trying to hear the great sound quality +people seem to think it outputs... but hey, some of you will benefit from +that, right? ;-) + +I've got the whole thing working on a Valhalla system, but the packages +should easily install or at least recompile on Enigma, Limbo/(null) and +maybe others, who knows ;-) + +Here are quick instructions for those of you that wish to try it out : +- Recompile the "alsa-driver" source rpm for your running kernel + (you can install the binary package if you're using the i686 2.4.18-10) +- Install this "alsa-driver" package +- Install the "alsa-libs" package +- Install the "alsa-utils" package + +Now go to this URL and find out what you need to change in your +/etc/modules.conf file to replace the default OSS driver loading : +http://www.alsa-project.org/alsa-doc/ +(very complete and very good documentation!) +Hopefully you'll see that your card *is* supported ;-) + +Reboot, or remove by hand your current sound modules (you'll probably need +to stop many applications to free the sound resource...) "by hand" and +insert the new ones. If all is well you've got ALSA working! ("dmesg" to +check is a good idea), you now just need to adjust the volume levels with +e.g. aumix and alsamixer because everything is muted by default. + +With "aplay" you can already test files to see if you hear anything. You +can also install the XMMS plugin (seems to make my XMMS segfault on exit... +hmmm, but maybe it's another plugin) to listen to your good ol' mp3 +files... that's it! + +It really isn't complicated, and has never been from what I see. The only +thing I disliked was to have to install from source... but as I can't +imagine myself doing that ;-) I've repackaged everything cleanly. Even the +/dev entries are included in the rpm package (and *not* created by an ugly +%post script, I insist!) and seamlessly integrate into the /etc/makedev.d +structure. There are also a few other noticeable differences with the +default provided ALSA spec files, for example I've split alsa-lib's +development files into an alsa-lib-devel package and included static +libraries... there are others of course (oh yes, the kernel version against +which the "alsa-driver" package is compiled gets neatly integrated in the +rpm release, so does the architecture!). + +I'm open to any comments or suggestions about these packages! + +Download : +http://ftp.freshrpms.net/pub/freshrpms/testing/alsa/ + +Current spec files : +http://freshrpms.net/builds/alsa-driver/alsa-driver.spec +http://freshrpms.net/builds/alsa-lib/alsa-lib.spec +http://freshrpms.net/builds/alsa-utils/alsa-utils.spec +(All others, patches etc. : http://freshrpms.net/builds/ ) + +Matthias + +PS: As an extra bonus, I've also recompiled xine with alsa support! Simply +run "xine -A alsa09" and off you go! It may even support 5.1 and S/PDIF ;-) + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.57 0.42 0.42, AC on-line, battery charging: 29% (1:55) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1390.6e72b8ce6b837d6072790479e742fb4a b/machine-learning-ex6/ex6/easy_ham/1390.6e72b8ce6b837d6072790479e742fb4a new file mode 100644 index 0000000..41e3860 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1390.6e72b8ce6b837d6072790479e742fb4a @@ -0,0 +1,92 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 10:46:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8796E44155 + for ; Wed, 28 Aug 2002 05:46:01 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:01 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S3SWZ08958 for + ; Wed, 28 Aug 2002 04:28:32 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7S3Q3J21679; Wed, 28 Aug 2002 05:26:03 + +0200 +Received: from bob.dudex.net (dsl092-157-004.wdc1.dsl.speakeasy.net + [66.92.157.4]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7S3OxJ07705 + for ; Wed, 28 Aug 2002 05:24:59 +0200 +Received: from [66.92.157.3] (helo=www.dudex.net) by bob.dudex.net with + esmtp (Exim 3.35 #1) id 17jtS9-0005Zs-00; Tue, 27 Aug 2002 23:25:09 -0400 +X-Originating-Ip: [66.44.42.51] +From: "" Angles " Puglisi" +To: valhalla-list@example.com, + "=?iso-8859-1?Q?RPM=2DList?=" +Subject: Re: ALSA (almost) made easy +Message-Id: <20020827.HLj.85891900@www.dudex.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +Content-Disposition: inline +X-Mailer: AngleMail for phpGroupWare (http://www.phpgroupware.org) v + 0.9.14.000 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 03:28:10 +0000 +Date: Wed, 28 Aug 2002 03:28:10 +0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.7 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Matthias Saou (matthias@rpmforge.net) wrote*: +> +>You can also install the XMMS plugin +>(seems to make my XMMS segfault on exit... +>hmmm, but maybe it's another plugin) to listen to your good ol' mp3 +>files... that's it! + +I've an XMMS Alsa module I've been using for a while now at: +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630-aap1.i686.rpm +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630-aap1.src.rpm +http://www.dudex.net/rpms/alsa-xmms-0.9_cvs020630.spec + +Also there is alsaplayer rpms there too: +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.i386.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.i686.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71-aap1.src.rpm +http://www.dudex.net/rpms/alsaplayer-0.99.71.spec + +Good luck. Both were build on an RH 7.3 box with errata current as of the date of +the build. I'm running (null) RH beta now and I recall that alsa-xmms still works, I +can not remember if alsaplayer needs a --rebuild. + +As an aside, alsaplayer is really maturing into a versitile app, I've been packaging +for many releases now. + +I've scripted the alsa-xmms cvs build, so it's easy to spin another one if these +rpms do not work on (null). + +-- +That's "angle" as in geometry. + + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1391.9cf584eba8880793c405082f2dbab06f b/machine-learning-ex6/ex6/easy_ham/1391.9cf584eba8880793c405082f2dbab06f new file mode 100644 index 0000000..cf10de2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1391.9cf584eba8880793c405082f2dbab06f @@ -0,0 +1,79 @@ +From rpm-list-admin@freshrpms.net Wed Aug 28 13:45:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 96C6E43F99 + for ; Wed, 28 Aug 2002 08:45:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 13:45:00 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SCbXZ24192 for + ; Wed, 28 Aug 2002 13:37:33 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g7SCX2J20905; Wed, 28 Aug 2002 14:33:03 + +0200 +Received: from bonzo.nirvana (pD9E7EF40.dip.t-dialin.net [217.231.239.64]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g7SCWfJ20844 for + ; Wed, 28 Aug 2002 14:32:41 +0200 +From: Axel Thimm +To: rpm-zzzlist@freshrpms.net +Subject: /home/dude +Message-Id: <20020828143235.A5779@bonzo.nirvana> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 14:32:35 +0200 +Date: Wed, 28 Aug 2002 14:32:35 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +Hi, + +some time now the following messages were haunting me: + + automount[11593]: attempting to mount entry /home/dude + +It just came to my attention, that only freshrpm benefitting hosts showed this +up. I grepped through the binaries and found referrences to /home/dude. + +# grep /home/dude /usr/bin/* +Binary file /usr/bin/aaxine matches +Binary file /usr/bin/gentoo matches +Binary file /usr/bin/gphoto2 matches +Binary file /usr/bin/gtkam matches +... + +I am now relaxed again ;), and pass this info on. Probably Matthias Saou +himself is "dude", and some package has hardwired a path in his build +directory. It would be nice to find out which and fix it, but I am using too +many of the freshrpm suite to narrow it down. + +Regards, Axel. +-- +Axel.Thimm@physik.fu-berlin.de + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + diff --git a/machine-learning-ex6/ex6/easy_ham/1392.e9ab29c0a3c14e8bba5e057e7af1c2e4 b/machine-learning-ex6/ex6/easy_ham/1392.e9ab29c0a3c14e8bba5e057e7af1c2e4 new file mode 100644 index 0000000..8c77ab9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1392.e9ab29c0a3c14e8bba5e057e7af1c2e4 @@ -0,0 +1,82 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 18:18:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2AE0816F16 + for ; Wed, 9 Oct 2002 18:18:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:18:04 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99FwTK10005 for + ; Wed, 9 Oct 2002 16:58:35 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99Ft7f03729; Wed, 9 Oct 2002 17:55:07 + +0200 +Received: from mail.speakeasy.net (mail15.speakeasy.net [216.254.0.215]) + by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g99FsBf03601 for + ; Wed, 9 Oct 2002 17:54:11 +0200 +Received: (qmail 20314 invoked from network); 9 Oct 2002 15:54:10 -0000 +Received: from unknown (HELO [192.168.1.105]) ([66.93.225.166]) + (envelope-sender ) by mail15.speakeasy.net + (qmail-ldap-1.03) with SMTP for ; 9 Oct 2002 + 15:54:10 -0000 +Subject: Problems with xosd-xmms +From: "D. Michael Basinger" +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034178803.1390.4.camel@samwise.speakeasy.net> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 09 Oct 2002 09:53:22 -0600 +Date: 09 Oct 2002 09:53:22 -0600 +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +After installing and enabling xosd-xmms I get the following error when +trying to start xmms + +Xlib: unexpected async reply (sequence 0x30)! + +xmms starts, but it does not detect mouse commands. + +Thanks, +Mike +-- +D. Michael Basinger +dbasinge@speakeasy.net + + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1393.5464ef1fa4caa53c28737e607e2bee31 b/machine-learning-ex6/ex6/easy_ham/1393.5464ef1fa4caa53c28737e607e2bee31 new file mode 100644 index 0000000..97681a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1393.5464ef1fa4caa53c28737e607e2bee31 @@ -0,0 +1,104 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 18:18:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5B61716F16 + for ; Wed, 9 Oct 2002 18:18:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:18:25 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99GLLK11121 for + ; Wed, 9 Oct 2002 17:21:21 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99GJ2f19047; Wed, 9 Oct 2002 18:19:02 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g99GI3f13043 for + ; Wed, 9 Oct 2002 18:18:03 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: xine cannot play DVDs - "liba52: a52_block error" +Message-Id: <20021009181801.65d72cbc.matthias@rpmforge.net> +In-Reply-To: <1034115445.10490.4.camel@damocles> +References: <1034115445.10490.4.camel@damocles> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 18:18:01 +0200 +Date: Wed, 9 Oct 2002 18:18:01 +0200 +X-Spam-Status: No, hits=-27.0 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Jon wrote : + +> Since libdvdcss-1.2.0, I have been unable to play DVDs using ogle, xine, +> vlc, or mplayer. They all show a scrambled picture with (VERY) choppy +> audio. When I run xine I see tons of these in the console: +> +> liba52: a52_block error +> liba52: a52_block error +> liba52: a52_block error +> liba52: a52_block error +> audio_out: inserting 5859 0-frames to fill a gap of 10989 pts +> metronom: audio jump +> liba52: a52_block error +> +> Has anyone seen this before and know how to fix it? Or should I file a +> bug report? + +Hi, + +First of all, sorry for not replying to your private email from last week, +but I really don't have a slight idea of what could be causing this! +- Is this with different DVDs or a single one? +- Is this using OSS or ALSA? Have you tried both? +- Is this using binariy packages or recompiling source ones? + +I remember a user having trouble with a particular DVD ever since upgrading +libdvdcss to a recent version, but haven't heard the end of the story. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.07 0.20 0.21 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1394.3ed871ba71edd281c9dbf0d5db738842 b/machine-learning-ex6/ex6/easy_ham/1394.3ed871ba71edd281c9dbf0d5db738842 new file mode 100644 index 0000000..34ff177 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1394.3ed871ba71edd281c9dbf0d5db738842 @@ -0,0 +1,176 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 22:41:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E29D016F67 + for ; Wed, 9 Oct 2002 22:40:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:40:55 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99Jb9K18484 for + ; Wed, 9 Oct 2002 20:37:09 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99JU2f20377; Wed, 9 Oct 2002 21:30:03 + +0200 +Received: from canarsie.horizonlive.com (slim-eth0.horizonlive.net + [208.185.78.2]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g99JT1f20229 for ; Wed, 9 Oct 2002 21:29:01 +0200 +Received: from canarsie.horizonlive.com (localhost.localdomain + [127.0.0.1]) by canarsie.horizonlive.com (8.12.5/8.12.5) with ESMTP id + g99JSu8f020466 for ; Wed, 9 Oct 2002 15:28:56 + -0400 +Received: (from stevek@localhost) by canarsie.horizonlive.com + (8.12.5/8.12.5/Submit) id g99JStTV020464 for rpm-list@freshrpms.net; + Wed, 9 Oct 2002 15:28:55 -0400 +X-Authentication-Warning: canarsie.horizonlive.com: stevek set sender to + stevek@horizonlive.com using -f +From: Steve Kann +To: rpm-zzzlist@freshrpms.net +Subject: Re: Ack, apt-get still failing for me, stumped. [RH8] +Message-Id: <20021009152844.A20454@canarsie.horizonlive.com> +References: <20021008200145.A16895@canarsie.horizonlive.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021008200145.A16895@canarsie.horizonlive.com> +User-Agent: Mutt/1.3.21i +X-Blank-Header-Line: (this header intentionally left blank) +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 15:28:55 -0400 +Date: Wed, 9 Oct 2002 15:28:55 -0400 +X-Spam-Status: No, hits=-9.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100,USER_AGENT, + USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + + +I've also just tried doing rpm --rebuilddb, no change. + +A question: + +Do these files look too small? + +root@canarsie:/var/cache/apt # ls -ltr +total 148 +drwxr-xr-x 2 root root 4096 Sep 29 10:49 gensrclist +drwxr-xr-x 2 root root 4096 Sep 29 10:49 genpkglist +drwxr-xr-x 3 root root 4096 Oct 8 19:59 archives +-rw-r--r-- 1 root root 49863 Oct 9 15:25 srcpkgcache.bin +-rw-r--r-- 1 root root 158131 Oct 9 15:25 pkgcache.bin + + +I ran strings on them, and it doesn't look like I see a complete listing +of either my system's installed RPMs, or the rpms in the lists: + +root@canarsie:/var/state/apt/lists # ls -s +total 9988 + 416 apt.freshrpms.net_redhat_8.0_en_i386_base_pkglist.freshrpms +8704 apt.freshrpms.net_redhat_8.0_en_i386_base_pkglist.os + 0 apt.freshrpms.net_redhat_8.0_en_i386_base_pkglist.updates + 4 apt.freshrpms.net_redhat_8.0_en_i386_base_release.freshrpms + 4 apt.freshrpms.net_redhat_8.0_en_i386_base_release.os + 4 apt.freshrpms.net_redhat_8.0_en_i386_base_release.updates + 64 apt.freshrpms.net_redhat_8.0_en_i386_base_srclist.freshrpms + 788 apt.freshrpms.net_redhat_8.0_en_i386_base_srclist.os + 0 apt.freshrpms.net_redhat_8.0_en_i386_base_srclist.updates + 0 lock + 4 partial + + +If I kill them, they get recreated about the same size next time I run +apt-get.. + +-SteveK + + +On Tue, Oct 08, 2002 at 08:01:48PM -0400, Steve Kann wrote: +> +> I posted about this last week, and I'm still stumped. apt-get is just +> not working for me, and I can't figure out what the problem is. +> +> I've tried removing the apt rpms, making sure to remove any traces left +> behind (/etc/apt /var/state/apt /var/cache/apt), and still, I get +> "couldn't find package xmms-mp3" when running "apt-get install xmms-mp3". +> +> Any clues? Here's a log of a fresh try: +> +> root@canarsie:/tmp # rpm -e apt apt-devel +> root@canarsie:/tmp # rm -rf /etc/apt /var/cache/apt /var/state/apt +> root@canarsie:/tmp # rpm -ivh apt-0.5.4cnc7-fr1.i386.rpm apt-devel-0.5.4cnc7-fr1.i386.rpm +> warning: apt-0.5.4cnc7-fr1.i386.rpm: V3 DSA signature: NOKEY, key ID +> e42d547b +> Preparing... ########################################### [100%] +> 1:apt ########################################### [ 50%] +> 2:apt-devel ########################################### [100%] +> root@canarsie:/tmp # apt-get update +> Ign http://apt.freshrpms.net redhat/8.0/en/i386 release +> Get:1 http://apt.freshrpms.net redhat/8.0/en/i386/os pkglist [1276kB] +> Get:2 http://apt.freshrpms.net redhat/8.0/en/i386/os release [108B] +> Get:3 http://apt.freshrpms.net redhat/8.0/en/i386/updates pkglist [14B] +> Get:4 http://apt.freshrpms.net redhat/8.0/en/i386/updates release [113B] +> Get:5 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms pkglist +> [57.1kB] +> Get:6 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms release +> [125B] +> Get:7 http://apt.freshrpms.net redhat/8.0/en/i386/os srclist [152kB] +> Get:8 http://apt.freshrpms.net redhat/8.0/en/i386/updates srclist [14B] +> Get:9 http://apt.freshrpms.net redhat/8.0/en/i386/freshrpms srclist +> [14.4kB] +> Fetched 1500kB in 11s (125kB/s) +> Reading Package Lists... Done +> root@canarsie:/tmp # apt-get install xmms-mp3 +> Reading Package Lists... Done +> Building Dependency Tree... Done +> E: Couldn't find package xmms-mp3 +> root@canarsie:/tmp # apt-cache search xmms +> root@canarsie:/tmp # +> +> +> Beats me.. +> +> -SteveK +> +> +> +> -- +> Steve Kann - Chief Engineer - 520 8th Ave #2300 NY 10018 - (212) 533-1775 +> HorizonLive.com - collaborate . interact . learn +> "The box said 'Requires Windows 95, NT, or better,' so I installed Linux." + +-- + Steve Kann - Chief Engineer - 520 8th Ave #2300 NY 10018 - (212) 533-1775 + HorizonLive.com - collaborate . interact . learn + "The box said 'Requires Windows 95, NT, or better,' so I installed Linux." + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1395.923c820448824387b21877293d3d1462 b/machine-learning-ex6/ex6/easy_ham/1395.923c820448824387b21877293d3d1462 new file mode 100644 index 0000000..76e29c6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1395.923c820448824387b21877293d3d1462 @@ -0,0 +1,84 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 22:42:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E77A916F16 + for ; Wed, 9 Oct 2002 22:41:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:02 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99KJVK19998 for + ; Wed, 9 Oct 2002 21:19:32 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99KA3f07032; Wed, 9 Oct 2002 22:10:03 + +0200 +Received: from wintermute.sr.unh.edu (wintermute.sr.unh.edu + [132.177.241.100]) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g99K8sf06876 for ; Wed, 9 Oct 2002 22:08:54 +0200 +Received: (from tjb@localhost) by wintermute.sr.unh.edu (8.11.6/8.11.6) id + g99K8mg26434; Wed, 9 Oct 2002 16:08:48 -0400 +X-Authentication-Warning: wintermute.sr.unh.edu: tjb set sender to + tjb@unh.edu using -f +Subject: Apt 0.3 and 0.5 +From: "Thomas J. Baker" +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1034194128.19400.49.camel@wintermute.sr.unh.edu> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 09 Oct 2002 16:08:48 -0400 +Date: 09 Oct 2002 16:08:48 -0400 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +Should I expect problems if my apt server is running RH 7.3/Apt 0.3 and +some clients are coming on line and will be running RH 8.0/Apt 0.5? Do +the two different version interoperate? + +Thanks, + +tjb +-- +======================================================================= +| Thomas Baker email: tjb@unh.edu | +| Systems Programmer | +| Research Computing Center voice: (603) 862-4490 | +| University of New Hampshire fax: (603) 862-1761 | +| 332 Morse Hall | +| Durham, NH 03824 USA http://wintermute.sr.unh.edu/~tjb | +======================================================================= + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1396.70a22c019be6a7cb4949e015fedb8bf0 b/machine-learning-ex6/ex6/easy_ham/1396.70a22c019be6a7cb4949e015fedb8bf0 new file mode 100644 index 0000000..689c376 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1396.70a22c019be6a7cb4949e015fedb8bf0 @@ -0,0 +1,86 @@ +From rpm-list-admin@freshrpms.net Wed Oct 9 22:42:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5C3BD16F6E + for ; Wed, 9 Oct 2002 22:41:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 22:41:09 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g99L3YK21522 for + ; Wed, 9 Oct 2002 22:03:34 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g99Kn2f25952; Wed, 9 Oct 2002 22:49:02 + +0200 +Received: from python (80-24-132-206.uc.nombres.ttd.es [80.24.132.206]) + (authenticated) by egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id + g99Klvf22559 for ; Wed, 9 Oct 2002 22:47:57 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: Apt 0.3 and 0.5 +Message-Id: <20021009224706.5996f983.matthias@rpmforge.net> +In-Reply-To: <1034194128.19400.49.camel@wintermute.sr.unh.edu> +References: <1034194128.19400.49.camel@wintermute.sr.unh.edu> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 22:47:06 +0200 +Date: Wed, 9 Oct 2002 22:47:06 +0200 +X-Spam-Status: No, hits=-17.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_RFCI,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_SHORT_SPARSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Thomas wrote : + +> Should I expect problems if my apt server is running RH 7.3/Apt 0.3 and +> some clients are coming on line and will be running RH 8.0/Apt 0.5? Do +> the two different version interoperate? + +No problems whatsoever. Currently apt.freshrpms.net is running 7.3 with apt +0.3 and many 8.0 clients with 0.5 are using it. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10 +Load : 0.10 0.11 0.10, AC on-line, battery charging: 100% (1:47) + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1397.75ebdbdb545c2376e9869203c0c612a8 b/machine-learning-ex6/ex6/easy_ham/1397.75ebdbdb545c2376e9869203c0c612a8 new file mode 100644 index 0000000..948f8cf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1397.75ebdbdb545c2376e9869203c0c612a8 @@ -0,0 +1,94 @@ +From rpm-list-admin@freshrpms.net Thu Oct 10 12:32:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 89A4216F17 + for ; Thu, 10 Oct 2002 12:32:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:32:36 +0100 (IST) +Received: from egwn.net (ns2.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9AAcvK18611 for + ; Thu, 10 Oct 2002 11:38:57 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g9AAV7f31601; Thu, 10 Oct 2002 12:31:07 + +0200 +Received: from smtp012.mail.yahoo.com (smtp012.mail.yahoo.com + [216.136.173.32]) by egwn.net (8.11.6/8.11.6/EGWN) with SMTP id + g9AAUQf27490 for ; Thu, 10 Oct 2002 12:30:27 +0200 +Received: from unknown (HELO ?192.168.0.100?) (salimma1@212.18.241.211 + with plain) by smtp.mail.vip.sc5.yahoo.com with SMTP; 10 Oct 2002 10:30:25 + -0000 +Subject: dvd::rip on Red Hat 8.0? +From: =?ISO-8859-1?Q?Mich=E8l?= Alexandre Salim +To: rpm-zzzlist@freshrpms.net +Content-Type: text/plain; charset=UTF-8 +X-Mailer: Ximian Evolution 1.0.8 (1.0.8-10) +Message-Id: <1034245825.2222.11.camel@sahib> +MIME-Version: 1.0 +X-Mailscanner: Found to be clean, Found to be clean +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by egwn.net id + g9AAUQf27490 +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 10 Oct 2002 11:30:24 +0100 +Date: 10 Oct 2002 11:30:24 +0100 +X-Spam-Status: No, hits=-0.5 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_FROM_ENDS_IN_NUMS1,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +Hello, + +Has anyone made a working source RPM for dvd::rip for Red Hat 8.0? +Matthias has a spec file on the site for 0.46, and there are a couple of +spec files lying around on the dvd::rip website, including one I patched +a while ago, but it appears that the Makefile automatically generated is +trying to install the Perl libraries into the system's, and also at the +moment dvd::rip needs to be called with PERLIO=stdio as it seems to not +work with PerlIO on RH8's Perl. + +Not too sure what the cleanest way to fix this is - anyone working on +this? + +Thanks, + +-- +Michèl Alexandre Salim +Web: http://salimma.freeshell.org +GPG/PGP key: http://salimma.freeshell.org/files/crypto/publickey.asc + +__________________________________________________ +Do You Yahoo!? +Everything you'll ever need on one web page +from News and Sport to Email and Music Charts +http://uk.my.yahoo.com + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1398.02fd0caad73d10ee02aebd13b761f135 b/machine-learning-ex6/ex6/easy_ham/1398.02fd0caad73d10ee02aebd13b761f135 new file mode 100644 index 0000000..6e6ac10 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1398.02fd0caad73d10ee02aebd13b761f135 @@ -0,0 +1,87 @@ +From rpm-list-admin@freshrpms.net Thu Oct 10 12:32:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2CB5A16F03 + for ; Thu, 10 Oct 2002 12:32:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:32:38 +0100 (IST) +Received: from egwn.net (auth02.nl.egwn.net [193.172.5.4]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9ABErK19809 for + ; Thu, 10 Oct 2002 12:14:53 +0100 +Received: from auth02.nl.egwn.net (localhost [127.0.0.1]) by egwn.net + (8.11.6/8.11.6/EGWN) with ESMTP id g9ABD1f22826; Thu, 10 Oct 2002 13:13:01 + +0200 +Received: from python (gw01.es3.egwn.net [212.9.66.13]) (authenticated) by + egwn.net (8.11.6/8.11.6/EGWN) with ESMTP id g9ABCAf22717 for + ; Thu, 10 Oct 2002 13:12:10 +0200 +From: Matthias Saou +To: rpm-zzzlist@freshrpms.net +Subject: Re: dvd::rip on Red Hat 8.0? +Message-Id: <20021010131209.1b3fc024.matthias@rpmforge.net> +In-Reply-To: <1034245825.2222.11.camel@sahib> +References: <1034245825.2222.11.camel@sahib> +Organization: freshrpms.net / rpmforge.net +X-Mailer: Sylpheed version 0.8.3claws (GTK+ 1.2.10; i386-redhat-linux) +X-Operating-System: Red Hat GNU/Linux forever! +X-Subliminal-Message: Use Linux... use Linux... use Linux... +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +X-Mailscanner: Found to be clean, Found to be clean +Sender: rpm-zzzlist-admin@freshrpms.net +Errors-To: rpm-zzzlist-admin@freshrpms.net +X-Beenthere: rpm-zzzlist@freshrpms.net +X-Mailman-Version: 2.0.11 +Precedence: bulk +Reply-To: rpm-zzzlist@freshrpms.net +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Freshrpms RPM discussion list +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 10 Oct 2002 13:12:09 +0200 +Date: Thu, 10 Oct 2002 13:12:09 +0200 +X-Spam-Status: No, hits=-25.7 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_SPARSE,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100, + T_QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +Once upon a time, Michèl wrote : + +> Has anyone made a working source RPM for dvd::rip for Red Hat 8.0? + +I don't think I've tried yet, but if I did, I probably moved on to another +package after having bumped into one of the problems you mention. + +If anyone sends me a patch to my spec file and eventually needed patches +etc., I'd be more than glad to make a new build available. + +Matthias + +-- +Clean custom Red Hat Linux rpm packages : http://freshrpms.net/ +Red Hat Linux release 7.3 (Valhalla) running Linux kernel 2.4.18-10acpi +Load : 0.13 0.09 0.09 + +_______________________________________________ +RPM-List mailing list +http://lists.freshrpms.net/mailman/listinfo/rpm-list + + diff --git a/machine-learning-ex6/ex6/easy_ham/1399.5ee3b9902af076cc63e0c4e612f99ba0 b/machine-learning-ex6/ex6/easy_ham/1399.5ee3b9902af076cc63e0c4e612f99ba0 new file mode 100644 index 0000000..41f1abc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1399.5ee3b9902af076cc63e0c4e612f99ba0 @@ -0,0 +1,160 @@ +From nobody@dogma.slashnull.org Fri Aug 23 12:20:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D1C5843F99 + for ; Fri, 23 Aug 2002 07:20:27 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 12:20:27 +0100 (IST) +Received: (from mail@localhost) by dogma.slashnull.org (8.11.6/8.11.6) id + g7NB9oq21542; Fri, 23 Aug 2002 12:09:50 +0100 +Date: Fri, 23 Aug 2002 12:09:50 +0100 +Message-Id: <200208231109.g7NB9oq21542@dogma.slashnull.org> +From: nobody@dogma.slashnull.org +Subject: blogged item +To: yyyy+blogged@example.com +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=0.3 required=7.0 + tests=NO_REAL_NAME,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +BlogStart: + +**Dublin**: something from the archives. Daev Walsh forwards an article from +The Irish Digest about ''Billy in the Bowl''. This story is also immortalised +in an old Dublin song, which in turn was mentioned in a Pogues track. Billy +was a legless beggar in the alleys of Stoneybatter and Grangegorman (where I +now live) during the 18th century, who discovered a new, but not entirely +legal, way to make money. + +BlogEnd: +LinkText: Billy in the Bowl + +From: daev +Subject: The Case of the Stoneybatter Strangler + +A story of my new neighbourhood... + + +The Irish Digest July 1964 + + +The Case of the Stoneybatter Strangler + +The handsome, deformed Billy in the Bowl evolved a plan to rob his donors. +Then, one night, he made the biggest mistake of his life + +DUBLIN in the eighteenth century was noted for two things - the +architectural beauty of its public buildings and the large number of +beggars who sought alms in its maze of streets and lanes. Many of these +beggars relied on visitors and the gentry for their coin, but there was one +who campaigned among the working class. This was "Billy In The Bowl" + +The strange appellation was derived from the fact that Billy's sole means +of transport was a large bowl-shaped car with wheels. Seated in this " +bowl ", the beggar would propel himself along by pushing against the ground +with wooden plugs, one in each hand. + +Billy's unusual means of conveyance was vitally necessary, as he had been +born without legs. Nature, however, had compensated for this by endowing +him with powerful arms and shoulders and, what was most important, an +unusually handsome face. + +This was Billy's greatest asset in his daily routine of separating +sympathetic passers-by from their small change. + +The cunning young beggar would wait at a convenient spot on one of the many +lonely roads or lanes which were a feature of eighteenth century +Grangegorman and Stoneybatter, until a servant girl or an old lady would +come along. + +He would then put on is most attractive smile which, together with his +black curly hair, never failed to halt the females. The fact that such a +handsome young man was so terribly handicapped physically always evoked pity. + +"Billy in the Bowl", however, wasn't satisfied with becoming the daily +owner of a generous number of small coins; what his greed demanded were +substantial sums of money. The more he managed to get the more he could +indulge in his pet vices - gambling and drinking. + +As a result the beggar evolved a plan to rob unsuspecting sympathisers. +The first time lie put his plan into operation was on a cold March evening +as dusk, was falling. The victim was a middle aged woman who was passing +through Grangegorman Lane on her way to visit friends in Queen Street - on +Dublin's North Quays. + +When Billy heard the woman's footsteps, he hid behind some bushes in a +ditch which skirted the lane. As his unsuspecting victim drew close, the +beggar moaned and shouted, and cried out for help. + +Trembling with excitement, the woman dashed to the spot where Billy lay +concealed. She bent down to help the beggar out of the ditch, when two +powerful arms closed around her throat and pulled her into the bushes. + +In a few minutes it was all over. The woman lay in a dead faint, and Billy +was travelling at a fast rate down the lane in his " bowl ", his victirn's +purse snug in his coat pocket. An hour after the robbery the woman was +found in a distracted condition, but failed to give a description of her +assailant. And, as "Billy in the Bowl" had figured, nobody would suspect a +deformed beggar. + +Again and again the beggar carried out his robbery plan, always shifting +the place of attack to a different part of Grangegorman or Stoneybatter. + +On one occasion " Billy in "the Bowl " tried his tactics on a sturdy +servant girl who put up such a vigorous resistance that he was forced to +strangle her. The incident became known as the 11 Grangegorman Lane Murder +and caused a great stir. + +Hundred.s flocked to the scene of the crime and for a couple of months +"Billy in the Bowl" was forced to desert his usual haunts. Around this +period, Dublin's first-ever police force was been mobilised, and the first +case they were confronted with was the Grangegorman lane murder. + +Months passed and "Billy in the Bowl" reverted once again to his old +pasttime. A number of young servant girls were lured into ditches and +robbed, and the police were inundated with so many complaints that a +nightly patrol was placed on the district. But the beggar still rolled +along in his "bowl" pitied and unsuspected. Then came the night that +finished Billy's career of crime. + +Two stoudy built female cooks, trudging back to their places of employment +after a night out in the city, were surprised and not a little shocked to +hear shouts for help. Rushing over, they came upon a huddled figure in the +ditch. + +Billy, thinking there was only one woman, grabbed one of the cooks and +tried to pull her into the ditch. She proved much too strong for him, +however) and while resisting tore 'at his face with her sharp finger-nails. + +Meanwhile, her companion acted with speed and daring. Pulling out her +large hatpin she made .for the beggar, and plunged the pin into his right eye. + +The screams and howls of the wounded beggar reverberated throughout the +district and brought people dashing to the scene. Among them was a member +of the nightly police patrol who promptly arrested the groaning Billy. + +"Billy in the Bowl" was tried and sentenced for robbery with violence, but +they could never prove it was he who had strangled the servant girl. The +Grangegorman-Stoneybatter district became once again a quiet, attractive +Dublin suburb where old ladies strolled, and carefree servant girls laughed +and giggled as they wended their way home at night. + + + +daev + +_______________________________ +Rev. Dave 'daev' Walsh, daev@fringeware.com +Home: http://www.fringeware.com/hell +Weekly Rant: http://www.nua.ie/blather +'Is it about a bicycle?'-Sgt.Pluck, +'The Third Policeman', by Flann O'Brien +________________________________ +Holistic Pet Detective, Owl Worrier, Snark Hunter +________________________________ + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1400.2e82a3803e51f420c6398d963052469f b/machine-learning-ex6/ex6/easy_ham/1400.2e82a3803e51f420c6398d963052469f new file mode 100644 index 0000000..a7385b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1400.2e82a3803e51f420c6398d963052469f @@ -0,0 +1,87 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 11:06:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 328704415C + for ; Fri, 23 Aug 2002 06:04:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MM9TZ27056 for ; Thu, 22 Aug 2002 23:09:29 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hzvv-0004ra-00; Thu, + 22 Aug 2002 14:56:03 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17hzvJ-0007dk-00 for + ; Thu, 22 Aug 2002 14:55:26 -0700 +Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id + g7MLtNi02178 for razor-users@lists.sf.net; Thu, 22 Aug 2002 14:55:23 -0700 +From: Vipul Ved Prakash +To: razor-users@example.sourceforge.net +Message-Id: <20020822145523.A2125@rover.vipul.net> +Reply-To: mail@vipul.net +Mail-Followup-To: razor-users@lists.sf.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +X-Operating-System: Linux rover.vipul.net 2.4.18 +X-Privacy: If possible, encrypt your reply. Key at http://vipul.net/ +Subject: [Razor-users] honor is not in csl +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 14:55:23 -0700 +Date: Thu, 22 Aug 2002 14:55:23 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.0 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +Folks, + +Some of you seem to have hardcoded honor as the default catalogue server. +There are three catalogue only servers running now, and honor is acting +as a nomination only server. Tonight we will be completely turning off +catalogue support on honor, so if you are specifying honor with the -rs +option, please take it out and let the agents discover a closeby +catalogue server. + +cheers, +vipul. + + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1401.2d453d45aa06dec5a5a98bba8d81fdc5 b/machine-learning-ex6/ex6/easy_ham/1401.2d453d45aa06dec5a5a98bba8d81fdc5 new file mode 100644 index 0000000..cfadab4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1401.2d453d45aa06dec5a5a98bba8d81fdc5 @@ -0,0 +1,57 @@ +From craig@deersoft.com Fri Aug 23 11:07:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 31B4044166 + for ; Fri, 23 Aug 2002 06:05:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:05:15 +0100 (IST) +Received: from mclean.mail.mindspring.net (mclean.mail.mindspring.net + [207.69.200.57]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7N5rgZ12375 for ; Fri, 23 Aug 2002 06:53:42 +0100 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by mclean.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17i7OE-00023R-00; Fri, 23 Aug 2002 01:53:46 -0400 +Received: from balam.hughes-family.org (balam.hughes-family.org + [10.0.240.3]) by belphegore.hughes-family.org (Postfix) with ESMTP id + 63E8D71672; Thu, 22 Aug 2002 22:53:44 -0700 (PDT) +Date: Thu, 22 Aug 2002 22:53:44 -0700 +Subject: Re: results for giant mass-check (phew) +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: yyyy@example.com (Justin Mason), + "Malte S. Stretz" , + SpamAssassin Talk ML +To: Scott A Crosby +From: "Craig R.Hughes" +In-Reply-To: +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +I never claimed it could learn *all* combinatorial +possibilities, but it certainly can learn some. + +C + +On Thursday, August 22, 2002, at 07:21 PM, Scott A Crosby wrote: + +> On Thu, 22 Aug 2002 09:20:05 -0700, Craig R.Hughes +> writes: +> +>> It *can* learn combinatorial stuff in a more subtle way. Imagine +> +> No it can't.. +> +> It can learn a few examples that happen to be linearily seperable, +> like those you gave. It cannot learn the example I gave below, which +> is not linearily seperable. + + diff --git a/machine-learning-ex6/ex6/easy_ham/1402.e74c8db27ea79025c2afa3b7298d8ebb b/machine-learning-ex6/ex6/easy_ham/1402.e74c8db27ea79025c2afa3b7298d8ebb new file mode 100644 index 0000000..b2d80cd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1402.e74c8db27ea79025c2afa3b7298d8ebb @@ -0,0 +1,82 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Aug 23 11:12:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C273A4416F + for ; Fri, 23 Aug 2002 06:08:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:09 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MHunZ18548 for ; Thu, 22 Aug 2002 18:56:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hw7o-0006wn-00; Thu, + 22 Aug 2002 10:52:04 -0700 +Received: from c35123.upc-c.chello.nl ([212.187.35.123] + helo=router.besmart.nu) by usw-sf-list1.sourceforge.net with smtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17hw7S-0003Tt-00 for + ; Thu, 22 Aug 2002 10:51:42 + -0700 +Received: (qmail 97944 invoked from network); 22 Aug 2002 17:51:43 -0000 +Received: from erik.besmart.nu (HELO erik) (192.168.1.4) by 0 with SMTP; + 22 Aug 2002 17:51:43 -0000 +From: "Erik Rudolfs" +To: +Message-Id: <002601c24a04$8eea9ca0$0401a8c0@erik> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2616 +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [SAdev] Spam-Assassin nightly build 22-8-02 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 19:51:35 +0200 +Date: Thu, 22 Aug 2002 19:51:35 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_02_03,SUBJECT_HAS_DATE + version=2.40-cvs +X-Spam-Level: + +Hello all, +I get problems with the latest nightly build from Spamassassin with +VMailMgr + OMail-Admin. +It scans the mail and gives it an : + + X-Spam-Status: No, hits=11.4 required=7.0 + +Can someone look at the code for it? Maybe because option -F is gone? + + +Greetings +Erik Rudolfs + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1403.344e5c5b7eb1469d645c1840552a3bf7 b/machine-learning-ex6/ex6/easy_ham/1403.344e5c5b7eb1469d645c1840552a3bf7 new file mode 100644 index 0000000..087b729 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1403.344e5c5b7eb1469d645c1840552a3bf7 @@ -0,0 +1,85 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 216BF47C93 + for ; Fri, 23 Aug 2002 06:08:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MI1nZ18649 for ; Thu, 22 Aug 2002 19:01:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwGX-0007qg-00; Thu, + 22 Aug 2002 11:01:05 -0700 +Received: from p995.as3.adl.dublin.eircom.net ([159.134.231.227] + helo=mandark.labs.netnoteinc.com) by usw-sf-list1.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwG9-0005es-00 for + ; Thu, 22 Aug 2002 11:00:42 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7MHxv800975; Thu, 22 Aug 2002 18:59:57 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 1E6E343F99; Thu, 22 Aug 2002 13:58:06 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 197A733D8C; + Thu, 22 Aug 2002 18:58:06 +0100 (IST) +To: "Craig R.Hughes" +Cc: yyyy@example.com (Justin Mason), + Justin Shore , + SpamAssassin List +Subject: Re: [SAtalk] Highest-scoring false positive +In-Reply-To: Message from + "Craig R.Hughes" + of + "Thu, 22 Aug 2002 10:50:57 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +Message-Id: <20020822175806.1E6E343F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 18:58:01 +0100 +Date: Thu, 22 Aug 2002 18:58:01 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + OPT_IN,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + + +"Craig R.Hughes" said: + +> Are you filtering the nonspamtrap for spam when those +> newsletters sold your address to someone you didn't sign up +> with? You should probably manually verify that all the mail in +> the trap is in fact nonspam! + +Yep. so far it's all opt-in stuff, no "affiliate deals" etc. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1404.13ba0bfb3c92baa1b877b04c8da350c3 b/machine-learning-ex6/ex6/easy_ham/1404.13ba0bfb3c92baa1b877b04c8da350c3 new file mode 100644 index 0000000..494fb2c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1404.13ba0bfb3c92baa1b877b04c8da350c3 @@ -0,0 +1,103 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F158444176 + for ; Fri, 23 Aug 2002 06:08:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:19 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MI4YZ18720 for ; Thu, 22 Aug 2002 19:04:35 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwIR-00006R-00; Thu, + 22 Aug 2002 11:03:03 -0700 +Received: from neo.pittstate.edu ([198.248.208.13]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwHb-0005o2-00 for ; + Thu, 22 Aug 2002 11:02:12 -0700 +Received: from [198.248.208.11] (macdaddy.pittstate.edu [198.248.208.11]) + by neo.pittstate.edu (8.12.2/8.12.2) with ESMTP id g7MI1QW7000365; + Thu, 22 Aug 2002 13:01:27 -0500 +MIME-Version: 1.0 +Message-Id: +In-Reply-To: +References: +To: "Craig R.Hughes" , + jm@jmason.org (Justin Mason) +From: Justin Shore +Subject: Re: [SAtalk] Highest-scoring false positive +Cc: SpamAssassin List +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 13:01:51 -0500 +Date: Thu, 22 Aug 2002 13:01:51 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.3 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_05_08 + version=2.40-cvs +X-Spam-Level: + +Like an alias for each list that points to the nonspamtrap address. + +J + + +At 10:50 AM -0700 8/22/02, Craig R.Hughes wrote: +>Are you filtering the nonspamtrap for spam when those newsletters +>sold your address to someone you didn't sign up with? You should +>probably manually verify that all the mail in the trap is in fact +>nonspam! +> +>C +> +>On Thursday, August 22, 2002, at 07:59 AM, Justin Mason wrote: +> +>> +>>Justin Shore said: +>> +>>>I just ran across a false positive that scored 8.6. The message was +>>>a solicited ad from Apple.com on educator deals. I can send a copy +>>>if anyone wants it. +>> +>>Yes, please do send it on, and I'll add it to the non-spam corpus. +>> +>>To date, the scores evolved by SpamAssassin are very biased towards +>>non-HTML, non-newsletter-ish mail. This release should be different, as +>>I've been spending the last month signing up a "nonspamtrap" to every +>>legit newsletter I can find ;) +>> +>>This should mean that tests which match common-enough newsletter practices +>>will no longer get such high scores once we re-run the GA. + +-- + +-- +Justin Shore, ES-SS ES-SSR Pittsburg State University +Network & Systems Manager http://www.pittstate.edu/ois/ + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1405.d33d54d33d52ebf10870baeb7a03999c b/machine-learning-ex6/ex6/easy_ham/1405.d33d54d33d52ebf10870baeb7a03999c new file mode 100644 index 0000000..1c824e4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1405.d33d54d33d52ebf10870baeb7a03999c @@ -0,0 +1,88 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1446344175 + for ; Fri, 23 Aug 2002 06:08:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:18 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MI2nZ18679 for ; Thu, 22 Aug 2002 19:02:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwHW-00087x-00; Thu, + 22 Aug 2002 11:02:06 -0700 +Received: from server1.shellworld.net ([64.39.15.178]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwHF-0005mI-00 for + ; Thu, 22 Aug 2002 11:01:49 -0700 +Received: from localhost (admin@localhost) by server1.shellworld.net + (8.11.1/8.11.1) with ESMTP id g7MI1ic24484 for + ; Thu, 22 Aug 2002 13:01:44 -0500 + (CDT) (envelope-from admin@shellworld.net) +From: Ken Scott +To: spamassassin-talk@example.sourceforge.net +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [SAtalk] Some Stupid Questions +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 13:01:44 -0500 (CDT) +Date: Thu, 22 Aug 2002 13:01:44 -0500 (CDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.3 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_03_05, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +As the subject line indicates, I'm sure these are stupid questions, but +I'm having trouble getting SA working like I understand it should work, +and have about given up on trying to figure it out myself. + +If a user has a line like: + +whitelist_from *@yahoogroups.com + +in his .spamassassin/user_prefs file, does that line not, in effect, +tell the program to take no action at all against any mail coming in from +yahoogroups.com, or is there still checking being done against it? And if +the latter, what does he need to place in user_prefs to cause such mail +to be ignored? I'm testing SA here with a few users who happen to be on +yahoogroups lists, before deploying it system-wide, and although the above +line has been added to their user_prefs files, much of their list mail is +still going to the spam folder due to all the usual things you would +expect to trigger SA. + +Thanks in advance for any help. + +-- +Ken Scott, +admin@shellworld.net + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1406.8be30026528bc5fabe63b16b834d426f b/machine-learning-ex6/ex6/easy_ham/1406.8be30026528bc5fabe63b16b834d426f new file mode 100644 index 0000000..3ab54f3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1406.8be30026528bc5fabe63b16b834d426f @@ -0,0 +1,123 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B566847C66 + for ; Fri, 23 Aug 2002 06:08:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:21 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MIAvZ19008 for ; Thu, 22 Aug 2002 19:10:57 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwPF-0002MC-00; Thu, + 22 Aug 2002 11:10:05 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwOY-0000GN-00 for ; + Thu, 22 Aug 2002 11:09:22 -0700 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g7MI97Q22397; Thu, 22 Aug 2002 14:09:07 -0400 +From: Theo Van Dinter +To: Ken Scott +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Some Stupid Questions +Message-Id: <20020822180907.GE16421@kluge.net> +References: +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="lteA1dqeVaWQ9QQl" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 14:09:07 -0400 +Date: Thu, 22 Aug 2002 14:09:07 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--lteA1dqeVaWQ9QQl +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Thu, Aug 22, 2002 at 01:01:44PM -0500, Ken Scott wrote: +> whitelist_from *@yahoogroups.com +>=20 +> in his .spamassassin/user_prefs file, does that line not, in effect, +> tell the program to take no action at all against any mail coming in from +> yahoogroups.com, or is there still checking being done against it? And if + +It still gets checked, but a negative score is added in. And it doesn't +mean "coming in from" it means "From: address is @yahoogroups.com". +There's a Yahoo Groups compensation rule in 2.40 though. :) + +> the latter, what does he need to place in user_prefs to cause such mail +> to be ignored? I'm testing SA here with a few users who happen to be on + +ignored completely? you can't do that, put in a procmail rule. + +> yahoogroups lists, before deploying it system-wide, and although the above +> line has been added to their user_prefs files, much of their list mail is +> still going to the spam folder due to all the usual things you would +> expect to trigger SA. + +You'd want to either add your own compensation rule or up (negatively) +the whitelist score. + +--=20 +Randomly Generated Tagline: +There are perfectly good answers to those questions, but they'll have + to wait for another night. +=20 + -- Homer Simpson + Homers Barbershop Quartet + +--lteA1dqeVaWQ9QQl +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9ZSjDAuOQUeWAs2MRAk7zAKDCQJ8EQx5520TfLqgL+AogSqPOGwCg9fG4 +XMAdFMmo1slLu/d8Sqj44U0= +=QHHd +-----END PGP SIGNATURE----- + +--lteA1dqeVaWQ9QQl-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1407.883b440a7cb776b7ae2ee632f4244cf9 b/machine-learning-ex6/ex6/easy_ham/1407.883b440a7cb776b7ae2ee632f4244cf9 new file mode 100644 index 0000000..6e72fa7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1407.883b440a7cb776b7ae2ee632f4244cf9 @@ -0,0 +1,102 @@ +From spamassassin-commits-admin@lists.sourceforge.net Fri Aug 23 11:12:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EE31A44160 + for ; Fri, 23 Aug 2002 06:08:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MIDuZ19065 for ; Thu, 22 Aug 2002 19:13:57 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwT4-000488-00; Thu, + 22 Aug 2002 11:14:02 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwSc-0002Kq-00 for ; + Thu, 22 Aug 2002 11:13:34 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17hwSc-0008Es-00 for + ; Thu, 22 Aug 2002 11:13:34 + -0700 +Received: from hughescr by usw-pr-cvs1.sourceforge.net with local (Exim + 3.22 #1 (Debian)) id 17hwSa-00007M-00 for + ; Thu, 22 Aug 2002 11:13:32 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Craig Hughes +Subject: [SACVS] CVS: spamassassin/masses mass-check,1.67,1.67.2.1 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 11:13:32 -0700 +Date: Thu, 22 Aug 2002 11:13:32 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF, + SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/masses +In directory usw-pr-cvs1:/tmp/cvs-serv440/masses + +Modified Files: + Tag: b2_4_0 + mass-check +Log Message: +Fixes, additions to mass-check + +Index: mass-check +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/masses/mass-check,v +retrieving revision 1.67 +retrieving revision 1.67.2.1 +diff -b -w -u -d -r1.67 -r1.67.2.1 +--- mass-check 20 Aug 2002 12:29:32 -0000 1.67 ++++ mass-check 22 Aug 2002 18:13:30 -0000 1.67.2.1 +@@ -96,6 +96,7 @@ + + print "# mass-check results from $who\@$where, on $when\n"; + print "# M:SA version ".$spamtest->Version()."\n"; ++print '# CVS tag: $Name$',"\n"; + $iter->set_function (\&wanted); + $iter->run (@ARGV); + exit; +@@ -132,6 +133,8 @@ + my $tests = $status->get_names_of_tests_hit(); + + $tests = join(',', sort(split(/,/, $tests))); ++ ++ $id =~ s/\s/_/g; + + printf "%s %2d %s %s\n", + ($yorn ? 'Y' : '.'), + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1408.c202263092b223a607078977ed7aa6c3 b/machine-learning-ex6/ex6/easy_ham/1408.c202263092b223a607078977ed7aa6c3 new file mode 100644 index 0000000..eb3f65e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1408.c202263092b223a607078977ed7aa6c3 @@ -0,0 +1,100 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8B0F247C68 + for ; Fri, 23 Aug 2002 06:08:35 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:35 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MILwZ19409 for ; Thu, 22 Aug 2002 19:21:58 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwZs-0005oO-00; Thu, + 22 Aug 2002 11:21:04 -0700 +Received: from tisch.mail.mindspring.net ([207.69.200.157]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwYx-0003zN-00; Thu, 22 Aug 2002 11:20:07 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by tisch.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17hwYo-00005D-00; Thu, 22 Aug 2002 14:19:58 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id 9A465B5CE; + Thu, 22 Aug 2002 11:19:57 -0700 (PDT) +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: SpamAssassin-talk@example.sourceforge.net, + SpamAssassin-devel@lists.sourceforge.net +To: yyyy@example.com (Justin Mason) +From: "Craig R.Hughes" +In-Reply-To: <20020822164954.699E343F99@phobos.labs.netnoteinc.com> +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Subject: [SAtalk] Re: [SAdev] 2.40 RELEASE PROCESS: mass-check status, folks? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 11:19:57 -0700 +Date: Thu, 22 Aug 2002 11:19:57 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +I think with the confusion and all, we should give these folks +until the end of the day to get fixed logs uploaded :) + +Justin, on a related note -- I didn't include the spamtrap stuff +from the corpus directory on your server in my logs, but that +should definitely be in there -- don't know if you'd included it +in yours or not. I think it's from Kelsey's mailtraps... + +C + +On Thursday, August 22, 2002, at 09:49 AM, Justin Mason wrote: + +> Files that are out of date (as far as I can tell -- they have no date +> comment), and will be ignored: +> +> nonspam-danielp.log +> nonspam-danielr.log +> nonspam-duncan.log +> nonspam-james.log +> nonspam-laager.log +> nonspam-messagelabs.log +> nonspam-msquadrat.log +> nonspam-olivier.log +> nonspam-oliviern.log +> nonspam-quinlan.log +> nonspam-rodbegbie.log +> nonspam-sean.log +> nonspam-theo.log + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1409.9c1ef3088d2c1f8b9d458f0d516ce435 b/machine-learning-ex6/ex6/easy_ham/1409.9c1ef3088d2c1f8b9d458f0d516ce435 new file mode 100644 index 0000000..34c8b9d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1409.9c1ef3088d2c1f8b9d458f0d516ce435 @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0CDFE44171 + for ; Fri, 23 Aug 2002 06:08:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:33 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MIJaZ19382 for ; Thu, 22 Aug 2002 19:19:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwWx-0005Rd-00; Thu, + 22 Aug 2002 11:18:03 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwWD-0003Gh-00 for ; + Thu, 22 Aug 2002 11:17:17 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17hwWA-0006e8-00; Thu, 22 Aug 2002 14:17:14 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id 29C06A002E; + Thu, 22 Aug 2002 11:17:13 -0700 (PDT) +Subject: Re: [SAtalk] German spam corpus / foreign language spam +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: SAtalk +To: yyyy@example.com (Justin Mason) +From: "Craig R.Hughes" +In-Reply-To: <20020822163653.7246343F99@phobos.labs.netnoteinc.com> +Message-Id: <62593AC6-B5FB-11D6-A91E-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 11:17:14 -0700 +Date: Thu, 22 Aug 2002 11:17:14 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Thursday, August 22, 2002, at 09:36 AM, Justin Mason wrote: + +> +> "Craig R.Hughes" said: +> +>> I thought we'd sort of decided that after 2.40 we'd switch the +>> meaning of the "lang" prefix to actually mean "run these rules +>> if language matches", where "language" is what TextCat spits out +>> for a message, as opposed to using the locale which is how +>> things currently work. +> +> ah, right -- I'd forgotten that. :( +> +> doesn't help with the finding-broken-rules QA case though... + +It does, if you have a corpus of german spam and nonspam to feed +it, and you're not in a de locale. + +C + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1410.8a6f57da7baff41f04a9d273a8dcf8c6 b/machine-learning-ex6/ex6/easy_ham/1410.8a6f57da7baff41f04a9d273a8dcf8c6 new file mode 100644 index 0000000..b178559 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1410.8a6f57da7baff41f04a9d273a8dcf8c6 @@ -0,0 +1,100 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Aug 23 11:12:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7CE7947C95 + for ; Fri, 23 Aug 2002 06:08:39 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:08:39 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MIO2Z19435 for ; Thu, 22 Aug 2002 19:24:02 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hwbn-00061y-00; Thu, + 22 Aug 2002 11:23:03 -0700 +Received: from granger.mail.mindspring.net ([207.69.200.148]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hwbi-00051w-00 for ; + Thu, 22 Aug 2002 11:22:58 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by granger.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17hwbe-00064r-00; Thu, 22 Aug 2002 14:22:54 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id E47379CB1B; + Thu, 22 Aug 2002 11:22:44 -0700 (PDT) +Subject: Re: [SAtalk] Re: SA In The News +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: Scott A Crosby , + Matthew Cline , + SpamAssassin Talk ML +To: "Tony L. Svanstrom" +From: "Craig R.Hughes" +In-Reply-To: <20020822190440.Q66093-100000@moon.campus.luth.se> +Message-Id: <2635D258-B5FC-11D6-A91E-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 11:22:43 -0700 +Date: Thu, 22 Aug 2002 11:22:43 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_08_13, + SUBJECT_IS_NEWS,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +So do you know my public key? Does the guy who wants to buy +10,000 licenses of SpamAssassin Pro? Do I really want to lose +email from either of you? + +C + +On Thursday, August 22, 2002, at 10:13 AM, Tony L. Svanstrom wrote: + +> On Thu, 22 Aug 2002 the voices made Craig R.Hughes write: +> +>> Trouble is, you don't necessarily know ahead of time who's +>> wanting to send +>> you stuff. I don't have your PGP public key on my keychain. +>> You can do all +>> the signing you want, it's not going to help. However, if you +>> stick a Habeas +>> header in your mail, I can (hopefully) be reasonably sure that +>> you're not +>> trying to spam me. It is going to be all about enforcement +>> though; we'll +>> have to see how they do on enforcement. +> +> Signing messages to someone ('s public key) isn't impossible, +> using some +> creative scripting you could even do it with OpenPGP-compatible +> software... + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1411.a455fcdcc40a1a29551cc0153a9450bf b/machine-learning-ex6/ex6/easy_ham/1411.a455fcdcc40a1a29551cc0153a9450bf new file mode 100644 index 0000000..a8a6fce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1411.a455fcdcc40a1a29551cc0153a9450bf @@ -0,0 +1,100 @@ +Replied: Mon, 26 Aug 2002 16:43:19 +0100 +Replied: Luiz Felipe Ceglia +Replied: spamassassin-talk@example.sourceforge.net +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 15:41:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7FD8F47C83 + for ; Mon, 26 Aug 2002 10:33:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:33:48 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NII1Z03061 for ; Fri, 23 Aug 2002 19:18:01 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iIzY-0005we-00; Fri, + 23 Aug 2002 11:17:04 -0700 +Received: from firenze.terenet.com.br ([200.255.3.10]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iIyp-00080m-00 for ; + Fri, 23 Aug 2002 11:16:19 -0700 +Received: from [200.255.3.123] (marconi.terenet.com.br [200.255.3.30]) by + firenze.terenet.com.br (Postfix) with ESMTP id 94D2B33610F for + ; Fri, 23 Aug 2002 15:16:13 -0300 + (BRT) +MIME-Version: 1.0 +X-Sender: lceglia@pop.terenet.com.br +Message-Id: +To: spamassassin-talk@example.sourceforge.net +From: Luiz Felipe Ceglia +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Subject: [SAtalk] help with postfix + spamassassin +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 15:15:06 -0300 +Date: Fri, 23 Aug 2002 15:15:06 -0300 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.8 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +Hi Folks, + +I have just installed spamassassin 2.31 in my postfix MTA server. + +At first, I would like to test it just in my email account before +applying it to the wole site. + +I configured just as in the INSTALL file: + + 5. Create a .forward... + "|IFS=' ' && exec /usr/bin/procmail -f- || exit 75 #user" + 6. create a .procmailrc + :0fw + | /usr/bin/spamassassin -c + /etc/mail/spamassassin/rules + +But the spams get trought it untouched. When I run it by the hand: + +cat sample-spam.txt | /usr/bin/spamassassin -c + /etc/mail/spamassassin/rules + +it does tag it as spam and send me the email. + +what should I look at? + +Thank you, + + +-- +Luiz Felipe Ceglia - Staff TereNet +lceglia@terenet.com.br - +55-21-9135-3679 + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1412.ef6317e6ede59d84a07d10de6891ac37 b/machine-learning-ex6/ex6/easy_ham/1412.ef6317e6ede59d84a07d10de6891ac37 new file mode 100644 index 0000000..e28eb2f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1412.ef6317e6ede59d84a07d10de6891ac37 @@ -0,0 +1,96 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:46:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8EFB743F9B + for ; Mon, 26 Aug 2002 11:46:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:43 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFYmZ29979 for ; Mon, 26 Aug 2002 16:34:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jLsW-00028t-00; Mon, + 26 Aug 2002 08:34:08 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jLrz-0004I3-00 for + ; Mon, 26 Aug 2002 08:33:35 -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7QFXLMg097715 for ; + Mon, 26 Aug 2002 17:33:21 +0200 (CEST) (envelope-from tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Spamassassin-talk@example.sourceforge.net +Message-Id: <20020826173313.T97541-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [SAtalk] Version 1.1.11 of the DCC (fwd) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 17:33:21 +0200 (CEST) +Date: Mon, 26 Aug 2002 17:33:21 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.3 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +---------- Forwarded message ---------- +From: Vernon Schryver +To: dcc@calcite.rhyolite.com +Date: Mon, 26 Aug 2002 09:09:05 -0600 (MDT) +Subject: Version 1.1.11 of the DCC + +ersion 1.1.11 of the DCC source is in +http://www.rhyolite.com/anti-spam/dcc/source/dccd.tar.Z and +http://www.dcc-servers.net/dcc/source/dccd.tar.Z + +http://www.rhyolite.com/anti-spam/dcc/dcc-tree/CHANGES and +http://www.dcc-servers.net/dcc/dcc-tree/CHANGES start with + + fix dccm bugs with handling a non-responsive server. + change misc/hackmc to modify sendmail.cf to reject unauthorized relay + attempts with a temporary failure when they are supposed to be sent + to the DCC but dccm is not running. This prevents leaking relay + relay spam. You must use the new hackmc script to install this + change in sendmail.cf. + remove "# whitelisted" from `cdcc stats` output to give more room + for totals. + prevent empty dccproc log files as noted by Krzysztof Snopek. + even fatal errors should cause dccproc to exit with 0 to avoid + rejecting mail, as noted by Krzysztof Snopek. + When server hostnames have common IP addresses, prefer the server + with the non-anonymous client-ID, noted by Krzysztof Snopek. + + +Vernon Schryver vjs@rhyolite.com +_______________________________________________ +DCC mailing list DCC@rhyolite.com +http://www.rhyolite.com/mailman/listinfo/dcc + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1413.2d82c3f6a31f15ead58a64ed3c122f71 b/machine-learning-ex6/ex6/easy_ham/1413.2d82c3f6a31f15ead58a64ed3c122f71 new file mode 100644 index 0000000..2ca5b94 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1413.2d82c3f6a31f15ead58a64ed3c122f71 @@ -0,0 +1,106 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:47:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7FFB144159 + for ; Mon, 26 Aug 2002 11:46:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:45 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFYmZ29978 for ; Mon, 26 Aug 2002 16:34:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jLsS-00026y-00; Mon, + 26 Aug 2002 08:34:04 -0700 +Received: from tisch.mail.mindspring.net ([207.69.200.157]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jLrj-0004FI-00 for ; + Mon, 26 Aug 2002 08:33:19 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by tisch.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17jLrg-0001cc-00; Mon, 26 Aug 2002 11:33:16 -0400 +Received: from balam.hughes-family.org (balam.hughes-family.org + [10.0.240.3]) by belphegore.hughes-family.org (Postfix) with ESMTP id + 6DD56A4D20; Mon, 26 Aug 2002 08:33:15 -0700 (PDT) +Subject: Re: Whitelisting (Re: [SAtalk] SA In The News) +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: SpamAssassin Talk ML +To: Bart Schaefer +From: "Craig R.Hughes" +In-Reply-To: +Message-Id: <25C208FC-B909-11D6-9F1A-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 08:33:19 -0700 +Date: Mon, 26 Aug 2002 08:33:19 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.8 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05, + SUBJECT_IS_NEWS,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +There is a whitelist RBL now! Ironport's Bonded Sender is +basically a whitelist RBL where you post a bond to get on the +list, and then lose the bond if you end up spamming from that IP +address (or something like that). http://www.bondedsender.org/ + +C + +On Sunday, August 25, 2002, at 07:58 PM, Bart Schaefer wrote: + +>> 4. DNSBL: Only certifies an ip address, not who is using it. As it is +>> currently used, DNSBL allows you to look up if some IP address +>> has been +>> blacklisted by someone. What I haven't seen is a service that +>> provides a +>> DNS based whitelist. +> +> There's a practical reason for that: Any DNS list (white or +> black) works +> only for a limited number of IPs; the set of unlisted IPs is +> much larger +> than the set in the DNS list. If you have to make a binary decision to +> accept or reject, you'll be wrong less often if you reject the +> blacklist +> and accept everything else, rather than accept the whitelist and reject +> everything else. +> +> A whitelist is only helpful when (a) you only want mail from a limited +> number of known sources, or (b) you can use a secondary system +> like SA to +> decide what to do with the vast unlisted masses. Most MTAs still make +> only the binary decision, because the secondary computation is +> expensive. +> +> With SA's cooperation, though, it might be worth a try. Even better if +> one could get commercial anti-spam outfits to agree to factor it in. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1414.c9aa0ebdc370411948a0c8bf4a7e6b14 b/machine-learning-ex6/ex6/easy_ham/1414.c9aa0ebdc370411948a0c8bf4a7e6b14 new file mode 100644 index 0000000..8aecf4b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1414.c9aa0ebdc370411948a0c8bf4a7e6b14 @@ -0,0 +1,112 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Aug 26 16:47:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E36A74415A + for ; Mon, 26 Aug 2002 11:46:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFa2Z30094 for ; Mon, 26 Aug 2002 16:36:04 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jLtR-0002O9-00; Mon, + 26 Aug 2002 08:35:05 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jLt4-0005Pf-00 for + ; Mon, 26 Aug 2002 08:34:42 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17jLtd-0006g2-00; Mon, 26 Aug 2002 08:35:17 -0700 +Message-Id: <3D6A4A75.6070608@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Justin Mason , + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] Re: several messages +References: <20020826150231.3DD4E43F99@phobos.labs.netnoteinc.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 08:34:13 -0700 +Date: Mon, 26 Aug 2002 08:34:13 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.0 required=7.0 + tests=FOR_FREE,GAPPY_TEXT,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_05_08,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Political news T R U T H O U T uses it too. + +Justin Mason wrote: +>>>> 0.978 0.540 1.184 0.31 -1.00 FWD_MSG +>>> +>>>I'm a bit surprised that any spams hit this one. Did somebody forward a +>>>spam that then went into a corpus? +>> +>>My corpus is quite clean and I get spam hits. +> +> +> yes, it's being frequently forged already. +> +> +>>>> 1.582 2.226 1.279 0.64 0.39 GAPPY_TEXT +>>> +>>>Gappy text in a non-spam? It must be a H E A D L I N E or something. +>>>Maybe just remove space from the list of "gap" characters? +>> +>>For 2.50, we could try to figure out which nonspams are hitting and +>>improve the rule. +> +> +> BTW I subscribe to the Media Unspun newsletter, and it and a few others +> regularly use that H E A D L I N E thing. +> +> splitting it into 2, one that matches gappy text with punctuation chars, +> one that matches spaces between the chars, would probably help. if +> anyone's bothered, I'd suggest filing a bug. +> +> --j. +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Spamassassin-devel mailing list +> Spamassassin-devel@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/spamassassin-devel +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1415.92155ef4a4f97a787d636892dd1a0219 b/machine-learning-ex6/ex6/easy_ham/1415.92155ef4a4f97a787d636892dd1a0219 new file mode 100644 index 0000000..d3ede3f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1415.92155ef4a4f97a787d636892dd1a0219 @@ -0,0 +1,94 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:47:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2D9704415B + for ; Mon, 26 Aug 2002 11:46:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:49 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFl3Z31460 for ; Mon, 26 Aug 2002 16:47:03 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jM46-00065G-00; Mon, + 26 Aug 2002 08:46:06 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jM3R-0002us-00 for ; + Mon, 26 Aug 2002 08:45:26 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7QFjJ500738; Mon, 26 Aug 2002 16:45:19 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 2AD6043F99; Mon, 26 Aug 2002 11:43:19 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 258D733D8B; + Mon, 26 Aug 2002 16:43:19 +0100 (IST) +To: Luiz Felipe Ceglia +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] help with postfix + spamassassin +In-Reply-To: Message from Luiz Felipe Ceglia of + "Fri, 23 Aug 2002 15:15:06 -0300." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020826154319.2AD6043F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 16:43:14 +0100 +Date: Mon, 26 Aug 2002 16:43:14 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-24.7 required=7.0 + tests=FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + + +Luiz Felipe Ceglia said: + +> :0fw +> | /usr/bin/spamassassin -c +> /etc/mail/spamassassin/rules + +are you using exactly that -- with the line break -- or is it like this: + + :0fw + | /usr/bin/spamassassin -c /etc/mail/spamassassin/rules + +all on one line? it should be the latter. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1416.651cdba6e04f9c3593f6d634a70312e8 b/machine-learning-ex6/ex6/easy_ham/1416.651cdba6e04f9c3593f6d634a70312e8 new file mode 100644 index 0000000..3b3720c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1416.651cdba6e04f9c3593f6d634a70312e8 @@ -0,0 +1,110 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:47:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3D4894415C + for ; Mon, 26 Aug 2002 11:46:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:46:50 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFm0Z31475 for ; Mon, 26 Aug 2002 16:48:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jM51-0006HM-00; Mon, + 26 Aug 2002 08:47:03 -0700 +Received: from mail.mike-leone.com ([216.158.26.254]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jM3x-000380-00 for ; + Mon, 26 Aug 2002 08:45:57 -0700 +Received: from localhost (localhost [127.0.0.1]) by mail.mike-leone.com + (Postfix) with ESMTP id E8DAB1D83 for + ; Mon, 26 Aug 2002 11:43:33 -0400 + (EDT) +Received: from mail.mike-leone.com ([127.0.0.1]) by localhost + (mail.mike-leone.com [127.0.0.1]) (amavisd-new) with SMTP id 09089-01 for + ; Mon, 26 Aug 2002 11:43:29 -0000 + (EDT) +Received: from mike-leone.com (localhost [127.0.0.1]) by + mail.mike-leone.com (Postfix) with ESMTP id AF7D61D4C for + ; Mon, 26 Aug 2002 11:43:28 -0400 + (EDT) +Received: from 208.171.240.67 (SquirrelMail authenticated user turgon) by + www.mike-leone.com with HTTP; Mon, 26 Aug 2002 11:43:28 -0400 (EDT) +Message-Id: <65385.208.171.240.67.1030376608.squirrel@www.mike-leone.com> +Subject: Re: [SAtalk] Re: Other uses for SA? +From: "Michael Leone" +To: +In-Reply-To: +References: + +X-Priority: 3 +Importance: Normal +X-Msmail-Priority: Normal +X-Mailer: SquirrelMail (version 1.2.7) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +X-Virus-Scanned: by amavisd-new (amavisd-new-20020630) +X-Razor-Id: 7c5a099d13e788787898dee16cf30a6843ace4c9 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 11:43:28 -0400 (EDT) +Date: Mon, 26 Aug 2002 11:43:28 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.8 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,MISSING_MIMEOLE, + MISSING_OUTLOOK_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + + +Brian R. Melcer said: +>> I've got spamassassin installed and tested on MacOS X 10.1.5, +>> although there are issues with spamd still. So in addition to +>> looking for new and different uses for SA, I'd like to hear +>> from folks using it under MacOS X. +> +> I just recently converted our SA setup to use Amavisd into our Postfix + +Amavisd or Amavisd-new? If the latter, you don't need spamd running, since +amavisd-new calls SA functions directly. + +-- +PGP Fingerprint: 0AA8 DC47 CB63 AE3F C739 6BF9 9AB4 1EF6 5AA5 BCDF +Member, LEAF Project AIM: MikeLeone +Public Key - + +Some days you're the pigeon; some days you're the statue. + + + + +Random Thought: +-------------- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1417.cc31f571d364ed7214cdcc48917f97f4 b/machine-learning-ex6/ex6/easy_ham/1417.cc31f571d364ed7214cdcc48917f97f4 new file mode 100644 index 0000000..c33e58a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1417.cc31f571d364ed7214cdcc48917f97f4 @@ -0,0 +1,83 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:57:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B491743F99 + for ; Mon, 26 Aug 2002 11:57:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:57:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFopZ31540 for ; Mon, 26 Aug 2002 16:50:51 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jM71-0006j9-00; Mon, + 26 Aug 2002 08:49:07 -0700 +Received: from adsl-209-204-188-196.sonic.net ([209.204.188.196] + helo=sidebone.sidney.com) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jM6Y-0003PI-00 for ; + Mon, 26 Aug 2002 08:48:38 -0700 +Received: from siddhi (siddhi.sidney.com [192.168.93.20]) by + sidebone.sidney.com (8.12.5/8.12.5) with SMTP id g7QFmVCp013874 for + ; Mon, 26 Aug 2002 08:48:31 -0700 +Message-Id: <009901c24d18$0777a2b0$145da8c0@sidney.com> +From: "Sidney Markowitz" +To: +References: + +Subject: Re: [SAtalk] 2.40 RELEASE: oops -- newer freqs. +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Scanned-BY: MIMEDefang 2.19 (www . roaringpenguin . com / mimedefang) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 08:48:31 -0700 +Date: Mon, 26 Aug 2002 08:48:31 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.6 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +Daniel Quinlan wrote: +> Exactly, except that I think you may be too optimistic +> about the reporting, the timeframe, and the accuracy. + +That's another argument for a "HLL" (Habeas Licensee List) which would be less +inclusive than a test for the mark of for HIL, but more timely and accurate. When an +ip address is on the HLL it could get a huge negative score, bigger than the Habeas +mark alone. + + -- sidney + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1418.5c36d043127ec0c29964b54b5ba4173c b/machine-learning-ex6/ex6/easy_ham/1418.5c36d043127ec0c29964b54b5ba4173c new file mode 100644 index 0000000..f5a3fed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1418.5c36d043127ec0c29964b54b5ba4173c @@ -0,0 +1,103 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 16:57:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B5CBF44157 + for ; Mon, 26 Aug 2002 11:57:05 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 16:57:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QFoqZ31545 for ; Mon, 26 Aug 2002 16:50:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jM70-0006iM-00; Mon, + 26 Aug 2002 08:49:06 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jM6V-0003PE-00 for ; + Mon, 26 Aug 2002 08:48:36 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7QFmQ500742; Mon, 26 Aug 2002 16:48:26 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 542CD43F99; Mon, 26 Aug 2002 11:46:26 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4C96933D8B; + Mon, 26 Aug 2002 16:46:26 +0100 (IST) +To: "Craig R.Hughes" +Cc: Bart Schaefer , + spamassassin-talk@lists.sourceforge.net +Subject: Re: [SAtalk] 2.40 RELEASE: oops -- newer freqs. +In-Reply-To: Message from + "Craig R.Hughes" + of + "Mon, 26 Aug 2002 08:31:03 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020826154626.542CD43F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 16:46:21 +0100 +Date: Mon, 26 Aug 2002 16:46:21 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-25.7 required=7.0 + tests=FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + + +"Craig R.Hughes" said: + +> The GA run on the current corpus is yielding an average (mean) +> score for false-positives of about 10 points, which is higher +> than before. There's some tweaking to be done yet (rule +> elimination and such), so that will likely fall, but -15 might +> not be enough of a correction in many situations. I will set +> the scores for the Habeas stuff and the Ironport stuff to be +> sensible given: +> +> a) estimated likeliness of compliance with Habeas/Bonded sender +> rules, and +> b) score correction level needed to achieve purposes of those projects. + +Using the score-ranges stuff and my aggressive anti-FP evaluation code, +BTW, yielded an average FP of 5.7 points, with 0.67% FPs and 96.57% +overall accuracy -- but I notice you went back to the other method. +Just pointing this out ;) + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1419.21567426907fe2711bcb2cbff50a46e8 b/machine-learning-ex6/ex6/easy_ham/1419.21567426907fe2711bcb2cbff50a46e8 new file mode 100644 index 0000000..56c6718 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1419.21567426907fe2711bcb2cbff50a46e8 @@ -0,0 +1,92 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Aug 26 18:01:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3581544155 + for ; Mon, 26 Aug 2002 13:01:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 18:01:19 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QGqbZ01326 for ; Mon, 26 Aug 2002 17:52:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jN4z-0003Tk-00; Mon, + 26 Aug 2002 09:51:05 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jN4q-00078h-00 for + ; Mon, 26 Aug 2002 09:50:57 + -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7QGocMg098330; Mon, 26 Aug 2002 18:50:38 +0200 (CEST) (envelope-from + tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: bugzilla-daemon@hughes-family.org +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] [Bug 735] spamassassin -t lies +In-Reply-To: <20020826163323.6940CA4D25@belphegore.hughes-family.org> +Message-Id: <20020826184926.B97541-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 18:50:38 +0200 (CEST) +Date: Mon, 26 Aug 2002 18:50:38 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002 the voices made bugzilla-daemon@hughes-family.org write: + +> http://www.hughes-family.org/bugzilla/show_bug.cgi?id=735 + +> ------- Additional Comments From br+spamassassin@panix.com 2002-08-26 09:33 ------- +> Just because it's documented doesn't mean it's a good thing. +> +> I work for an ISP. We provide SpamAssassin to our customers. I got email +> today from a support tech saying that "spamassassin -t" reports that a +> message is probably spam even when it's not, and why is this, and can we +> change it? I thought about why it is, and the only answer I could come up +> with was, "it was easier for the programmer that way". That's an answer, I +> guess, but her point was that this is going to generate support calls, and +> support calls cost us time and money. + + Why would a customer use `spamassassin -t` without understanding what it does? + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1420.6954e3e5e7c772dc859c47d42ff4a085 b/machine-learning-ex6/ex6/easy_ham/1420.6954e3e5e7c772dc859c47d42ff4a085 new file mode 100644 index 0000000..2848232 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1420.6954e3e5e7c772dc859c47d42ff4a085 @@ -0,0 +1,82 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 18:01:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 037BD44157 + for ; Mon, 26 Aug 2002 13:01:23 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 18:01:23 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QGroZ01354 for ; Mon, 26 Aug 2002 17:53:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jN6t-00043a-00; Mon, + 26 Aug 2002 09:53:03 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jN5x-0008MY-00 for + ; Mon, 26 Aug 2002 09:52:05 -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7QGppMg098356; Mon, 26 Aug 2002 18:51:51 +0200 (CEST) (envelope-from + tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: CertaintyTech +Cc: satalk +Subject: Re: [SAtalk] From: and To: are my address +In-Reply-To: <003501c24d1c$25a83980$6400a8c0@pnt004> +Message-Id: <20020826185114.J97541-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 18:51:51 +0200 (CEST) +Date: Mon, 26 Aug 2002 18:51:51 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +On Mon, 26 Aug 2002 the voices made CertaintyTech write: + +> Recently I have been receiving Spam where both the From: and To: address are +> set to my address therefore getting thru due to AWL. Any suggestions on +> this one? I could turn off AWL but it does have advantages. BTW, I use a +> site-wide AWL. + + Use cron to remove your address from the AWL daily...?! + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1421.de48021cb7ef96adfb4ead44c1f0f37e b/machine-learning-ex6/ex6/easy_ham/1421.de48021cb7ef96adfb4ead44c1f0f37e new file mode 100644 index 0000000..d16932d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1421.de48021cb7ef96adfb4ead44c1f0f37e @@ -0,0 +1,62 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Aug 26 19:13:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 529E143F9B + for ; Mon, 26 Aug 2002 14:13:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 19:13:51 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QICYZ04038 for ; Mon, 26 Aug 2002 19:12:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jOKR-00015W-00; Mon, + 26 Aug 2002 11:11:07 -0700 +Received: from [62.242.231.193] (helo=pdcwexoe.wexoe.dk) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jOKG-0008J8-00 for ; + Mon, 26 Aug 2002 11:10:56 -0700 +Received: by PDCWEXOE with Internet Mail Service (5.5.2653.19) id + ; Mon, 26 Aug 2002 20:11:00 +0200 +Message-Id: <196A8818B3B5D611AC8D0008024505DB14A8@PDCWEXOE> +From: admin +To: Spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Subject: [SAtalk] Test spam +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 20:11:00 +0200 +Date: Mon, 26 Aug 2002 20:11:00 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +Hi, does anyone have a collection of real-world-spam, that I could use to +test my setup? + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1422.c9ae8a81f72163d979f52510f5efb82c b/machine-learning-ex6/ex6/easy_ham/1422.c9ae8a81f72163d979f52510f5efb82c new file mode 100644 index 0000000..fb1357a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1422.c9ae8a81f72163d979f52510f5efb82c @@ -0,0 +1,93 @@ +From spamassassin-commits-admin@lists.sourceforge.net Tue Aug 27 10:36:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 81BB643F9B + for ; Tue, 27 Aug 2002 05:35:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 10:35:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7R9VsZ01596 for ; Tue, 27 Aug 2002 10:31:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jchf-0006n9-00; Tue, + 27 Aug 2002 02:32:03 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jchB-00045l-00 for ; + Tue, 27 Aug 2002 02:31:33 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17jchA-0005L6-00 for + ; Tue, 27 Aug 2002 02:31:32 + -0700 +Received: from msquadrat by usw-pr-cvs1.sourceforge.net with local (Exim + 3.22 #1 (Debian)) id 17jch9-00063J-00 for + ; Tue, 27 Aug 2002 02:31:31 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: "Malte S. Stretz" +Subject: [SACVS] CVS: spamassassin/debian spamassassin.README.Debian,1.1,1.2 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 27 Aug 2002 02:31:31 -0700 +Date: Tue, 27 Aug 2002 02:31:31 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF, + SPAM_PHRASE_03_05 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/debian +In directory usw-pr-cvs1:/tmp/cvs-serv23243/debian + +Modified Files: + spamassassin.README.Debian +Log Message: +removed -P + +Index: spamassassin.README.Debian +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/debian/spamassassin.README.Debian,v +retrieving revision 1.1 +retrieving revision 1.2 +diff -b -w -u -d -r1.1 -r1.2 +--- spamassassin.README.Debian 21 Jun 2002 02:46:50 -0000 1.1 ++++ spamassassin.README.Debian 27 Aug 2002 09:31:29 -0000 1.2 +@@ -2,7 +2,7 @@ + you wish to use spamd (the Daemon version of spamassassin), please edit + /etc/default/spamassassin. + +-'spamc' is equivalent to 'spamassassin -P' and you should use it instead if ++'spamc' is equivalent to 'spamassassin' and you should use it instead if + (and only if) you enabled 'spamd' (and you've installed the spamc package) + + To add rules, change scores, edit the template, edit + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1423.e988ffdfe0c87956e90f32a59aea6d9e b/machine-learning-ex6/ex6/easy_ham/1423.e988ffdfe0c87956e90f32a59aea6d9e new file mode 100644 index 0000000..8038fb7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1423.e988ffdfe0c87956e90f32a59aea6d9e @@ -0,0 +1,80 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Aug 27 17:34:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2BD7243F99 + for ; Tue, 27 Aug 2002 12:34:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 17:34:50 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7RGY2Z16880 for ; Tue, 27 Aug 2002 17:34:02 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jjHB-0005VG-00; Tue, + 27 Aug 2002 09:33:09 -0700 +Received: from sccrmhc01.attbi.com ([204.127.202.61]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jjH1-0003Lw-00 for ; + Tue, 27 Aug 2002 09:33:00 -0700 +Received: from localhost ([12.229.66.144]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020827163251.TXZR11061.sccrmhc01.attbi.com@localhost> for + ; Tue, 27 Aug 2002 16:32:51 +0000 +Subject: Re: [SAtalk] where can I find the Habeas patent (application)? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Brian McNett +To: spamassassin-talk@example.sourceforge.net +Content-Transfer-Encoding: 7bit +In-Reply-To: <20020827144927.C4830-100000@moon.campus.luth.se> +Message-Id: <954123A6-B9DA-11D6-AD60-003065C182B0@radparker.com> +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 27 Aug 2002 09:32:31 -0700 +Date: Tue, 27 Aug 2002 09:32:31 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.3 required=7.0 + tests=EMAIL_ATTRIBUTION,FOR_FREE,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_02_03, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Tuesday, August 27, 2002, at 06:03 AM, Tony L. Svanstrom wrote: + +> Where can I find it, I was searching online without any luck... =( + +You can't, because there isn't one, yet. Habeas is using a +combination of copyright and trademark law to protect their +sender warranties. They hope to patent the system, but they +have not been ISSUED a patent. + +--B + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1424.99bed488956252e02c4ec7ff578c42d5 b/machine-learning-ex6/ex6/easy_ham/1424.99bed488956252e02c4ec7ff578c42d5 new file mode 100644 index 0000000..68cdbbd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1424.99bed488956252e02c4ec7ff578c42d5 @@ -0,0 +1,87 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Aug 27 17:34:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8689D44155 + for ; Tue, 27 Aug 2002 12:34:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 27 Aug 2002 17:34:51 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7RGYLZ16888 for ; Tue, 27 Aug 2002 17:34:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jjGE-0004va-00; Tue, + 27 Aug 2002 09:32:10 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jjFg-0003AV-00 for + ; Tue, 27 Aug 2002 09:31:36 -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7RGV2Mg007050; Tue, 27 Aug 2002 18:31:02 +0200 (CEST) (envelope-from + tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Matt Sergeant +Cc: "Craig R.Hughes" , + "Malte S. Stretz" , + +Subject: MacOS X (Re: [SAtalk] [OT] Habeas-talk (was: 2.40 RELEASE: oops + -- newer freqs.)) +In-Reply-To: <3D6B9BFD.9040307@startechgroup.co.uk> +Message-Id: <20020827182710.A6871-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 27 Aug 2002 18:31:02 +0200 (CEST) +Date: Tue, 27 Aug 2002 18:31:02 +0200 (CEST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +On Tue, 27 Aug 2002 the voices made Matt Sergeant write: + +> I've got 6C115 (I think) the current developer release (though not the same +> as gold). + + The only difference AFAIK is the path to a single helpfile, which we don't use +anyways, right? *G* + + + /Tony +PS I also have a problem with that stupid helpprogram crasching whenever I +search for "windows"; not sure if that's a feature or not. =) +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1425.7ed3569c34399b07b158eaead1c85cc8 b/machine-learning-ex6/ex6/easy_ham/1425.7ed3569c34399b07b158eaead1c85cc8 new file mode 100644 index 0000000..a43ce12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1425.7ed3569c34399b07b158eaead1c85cc8 @@ -0,0 +1,63 @@ +From jason-exp-1031164464.7f11b3@mastaler.com Wed Aug 28 10:44:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2D36643F99 + for ; Wed, 28 Aug 2002 05:44:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:44:12 +0100 (IST) +Received: from sclp3.sclp.com (qmailr@sclp3.sclp.com [209.196.61.66]) by + dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g7RIYRZ20977 for + ; Tue, 27 Aug 2002 19:34:27 +0100 +Received: (qmail 17779 invoked from network); 27 Aug 2002 18:34:35 -0000 +Received: from localhost (HELO hrothgar.la.mastaler.com) (jason@127.0.0.1) + by localhost with SMTP; 27 Aug 2002 18:34:35 -0000 +Received: (qmail 85116 invoked by uid 666); 27 Aug 2002 18:34:24 -0000 +Mail-Followup-To: spamassassin-talk@example.sourceforge.net, + tmda-users@tmda.net, jm@jmason.org +To: yyyy@example.com (Justin Mason) +Cc: spamassassin-talk@example.sourceforge.net, tmda-users@tmda.net +Subject: Re: patent on TMDA-like system +References: <20020827144541.3236B43F99@phobos.labs.netnoteinc.com> +Mail-Copies-To: never +X-Face: #JN"K)p-Mky0,q4z-q'nx@2'jKW&-H6Zd#yI{`^`.V[o.>Y\p0-^3n$@'_py$QXPq'}cwKS + Rox9%`#q><8pXIR[yl\O%Dt!2"IO!ky$:F'{Q'%,6@;VRJPQ6UNLQ_8/'_+p4/Kft6 + t=LIV%py%Z=Y6>c)p6>}>UV!)'hy(?U&#+v@68]f,COd8\sjfnl9y(BP1:^28|)QEr*LN/t{2%=1`h + 9\lX,WxIjiCQ<3c7:>5!XIM7owXdaI:6SO`T2h^T,,Lq{8P=2]}4n3ZiT<@!9`j$R|wM52S+|DAj +Date: Tue, 27 Aug 2002 12:34:23 -0600 +In-Reply-To: <20020827144541.3236B43F99@phobos.labs.netnoteinc.com> + (jm@jmason.org's message of + "Tue, 27 Aug 2002 15:45:36 +0100") +Message-Id: +Lines: 16 +User-Agent: Gnus/5.090008 (Oort Gnus v0.08) XEmacs/21.4 (Informed + Management, i386-unknown-freebsd4.6) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +From: "Jason R. Mastaler" +X-Delivery-Agent: TMDA/0.61 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.1 required=7.0 + tests=EMAIL_ATTRIBUTION,FROM_HAS_MIXED_NUMS,IN_REP_TO, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,USER_AGENT + version=2.40-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> Sounds a lot like TMDA to me. :( Filing date is July 26, 2001, +> granted May 16, 2002. +> +> TMDAers, have you seen this before? + +No, but thanks for pointing it out. + +> I'd presume TMDA is prior art, but still, it could be troublesome... + +Yup. TMDA's core functionality was fully established before even the +filing date. + +Anyone with experience in this area have a recommendation on whether +this should be pursued or not? + diff --git a/machine-learning-ex6/ex6/easy_ham/1426.f6c783d5599675879265d4dc80fe0776 b/machine-learning-ex6/ex6/easy_ham/1426.f6c783d5599675879265d4dc80fe0776 new file mode 100644 index 0000000..e2a9a29 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1426.f6c783d5599675879265d4dc80fe0776 @@ -0,0 +1,49 @@ +From quinlan@pathname.com Wed Aug 28 10:45:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 00F6F4415B + for ; Wed, 28 Aug 2002 05:44:48 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:44:48 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7RLjPZ27063 for + ; Tue, 27 Aug 2002 22:45:25 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17jo9X-00072t-00; Tue, 27 Aug 2002 14:45:35 -0700 +To: yyyy@example.com (Justin Mason) +Cc: Matt Sergeant , + spamassassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] SpamAssassin POP3 proxy +References: <20020827121720.1A37C43F99@phobos.labs.netnoteinc.com> +From: Daniel Quinlan +Date: 27 Aug 2002 14:45:35 -0700 +In-Reply-To: yyyy@example.com's message of "Tue, 27 Aug 2002 13:17:15 +0100" +Message-Id: +Lines: 15 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> Actually, I want to avoid that -- I've already removed spamproxyd +> from the distro for 2.40. Here's why: +> +> When they're in the distro, *we* have to support them -- which is +> not necessarily a good thing when we didn't write them in the first +> place, or when the coder in question may not *want* us to maintain +> them. :( + +I would be in favor of creating new SpamAssassin CVS modules and +Bugzilla categories for other clients (provided there is sufficient +interest and a maintainer). + +Dan + diff --git a/machine-learning-ex6/ex6/easy_ham/1427.db4dce8eaebc4a3d836d2328137c7ac0 b/machine-learning-ex6/ex6/easy_ham/1427.db4dce8eaebc4a3d836d2328137c7ac0 new file mode 100644 index 0000000..2b38dda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1427.db4dce8eaebc4a3d836d2328137c7ac0 @@ -0,0 +1,51 @@ +From jm@jmason.org Wed Aug 28 10:45:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BA90F44156 + for ; Wed, 28 Aug 2002 05:45:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:45:28 +0100 (IST) +Received: (from apache@localhost) by dogma.slashnull.org (8.11.6/8.11.6) + id g7RNBat30404; Wed, 28 Aug 2002 00:11:36 +0100 +X-Authentication-Warning: dogma.slashnull.org: apache set sender to + jmmail@jmason.org using -f +Received: from 194.125.220.138 (SquirrelMail authenticated user yyyymail) by + jmason.org with HTTP; Wed, 28 Aug 2002 00:11:36 +0100 (IST) +Message-Id: <33038.194.125.220.138.1030489896.squirrel@example.com> +Date: Wed, 28 Aug 2002 00:11:36 +0100 (IST) +Subject: Re: [SAdev] SpamAssassin POP3 proxy +From: "Justin Mason" +To: quinlan@pathname.com +In-Reply-To: +References: +Cc: yyyy@example.com, msergeant@startechgroup.co.uk, + spamassassin-devel@lists.sourceforge.net +X-Mailer: SquirrelMail (version 1.0.6) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=IN_REP_TO,QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + X_AUTH_WARNING + version=2.40-cvs +X-Spam-Level: + + +> I would be in favor of creating new SpamAssassin CVS modules and +> Bugzilla categories for other clients (provided there is sufficient +> interest and a maintainer). + +yeah, I'd be with that -- as long as they have a maintainer ;) + +however regarding CVS, I'd say many projects might find it easier +to just sign up as a new proj with sf.net -- it might save them having +to go through us (not sure, depends on what sf.net's procedures +are like). + +--j. + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1428.5b9b341ac8488e65419bd551ce99b23d b/machine-learning-ex6/ex6/easy_ham/1428.5b9b341ac8488e65419bd551ce99b23d new file mode 100644 index 0000000..f63d1f3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1428.5b9b341ac8488e65419bd551ce99b23d @@ -0,0 +1,83 @@ +From felicity@kluge.net Wed Aug 28 10:46:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B23AB4415D + for ; Wed, 28 Aug 2002 05:45:41 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:45:41 +0100 (IST) +Received: from eclectic.kluge.net + (IDENT:8D4+93loqH1uP9+nnpXx+6aPzB2y7pYQ@eclectic.kluge.net [66.92.69.221]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7S1aCZ06126 for + ; Wed, 28 Aug 2002 02:36:12 +0100 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g7S1aMk07018; Tue, 27 Aug 2002 21:36:22 -0400 +Date: Tue, 27 Aug 2002 21:36:22 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: mark@mlucas.net, spamassassin-talk@example.sourceforge.net +Subject: Re: FAQ: taint warnings from SA in /etc/procmailrc +Message-Id: <20020828013622.GD30677@kluge.net> +References: <20020827224738.GA30677@kluge.net> + <33052.194.125.220.138.1030490064.squirrel@jmason.org> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="wLAMOaPNJ0fu1fTG" +Content-Disposition: inline +In-Reply-To: <33052.194.125.220.138.1030490064.squirrel@example.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=IN_REP_TO,MULTIPART_SIGNED,PGP_SIGNATURE,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--wLAMOaPNJ0fu1fTG +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Wed, Aug 28, 2002 at 12:14:24AM +0100, Justin Mason wrote: +> actually, I think procmail supports this directly. use DROPPRIVS=3Dyes +> at the top of the /etc/procmailrc. + +Hey, look at that! + + DROPPRIVS If set to `yes' procmail will drop all privileges + it might have had (suid or sgid). This is only + useful if you want to guarantee that the bottom half + of the /etc/procmailrc file is executed on behalf + of the recipient. + +Of course, removing setuid/gid bits on programs that don't need it is +always a good idea. A general rule of system administration: don't give +out permissions unless you absolutely need to. ;) + +--=20 +Randomly Generated Tagline: +"The cardinal rule at our school is simple. No shooting at teachers. If + you have to shoot a gun, shoot it at a student or an administrator." + - "Word Smart II", from Princeton Review Pub. + +--wLAMOaPNJ0fu1fTG +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9bCkWAuOQUeWAs2MRAr+iAJ9cVLx61vWsC5KFDLYv9/T7FaZmxACgzUpC +f235rrVr6cI8LvPC+IeIss0= +=BsCM +-----END PGP SIGNATURE----- + +--wLAMOaPNJ0fu1fTG-- + diff --git a/machine-learning-ex6/ex6/easy_ham/1429.3c60313af6a2a5c79bb97e06855a4af7 b/machine-learning-ex6/ex6/easy_ham/1429.3c60313af6a2a5c79bb97e06855a4af7 new file mode 100644 index 0000000..daa860c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1429.3c60313af6a2a5c79bb97e06855a4af7 @@ -0,0 +1,93 @@ +From rlfrank@paradigm-omega.com Wed Aug 28 10:46:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7DAEE44158 + for ; Wed, 28 Aug 2002 05:46:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:46:04 +0100 (IST) +Received: from commander (168-215-122-205.gen.twtelecom.net + [168.215.122.205]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7S3irZ09415 for ; Wed, 28 Aug 2002 04:44:53 +0100 +Received: from 65.91.218.127 [65.91.218.127] by commander with SMTPBeamer + v3.30 ; Tue, 27 Aug 2002 23:33:47 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + 3E3E04C288 for ; Tue, 27 Aug 2002 20:44:34 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-1" +Organization: Paradigm-Omega, LLC +To: yyyy@example.com (Justin Mason), + SpamAssassin-talk@lists.sourceforge.net +Subject: Re: patent on TMDA-like system +Date: Tue, 27 Aug 2002 20:43:59 -0700 +X-Mailer: KMail [version 1.3.1] +Cc: tmda-users@tmda.net +References: <20020827144541.3236B43F99@phobos.labs.netnoteinc.com> +In-Reply-To: <20020827144541.3236B43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1030506273.18567.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.61 +Reply-To: Robin Lynn Frank +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=IN_REP_TO,NOSPAM_INC,PGP_MESSAGE,QUOTED_EMAIL_TEXT, + RCVD_IN_OSIRUSOFT_COM,REFERENCES,SPAM_PHRASE_02_03, + TO_HAS_SPACES,X_OSIRU_DUL + version=2.40-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +On Tuesday 27 August 2002 07:45 am, Justin Mason wrote: +> Tony Svanstrom, on SpamAssassin-talk, noted this US patent: +> +> http://appft1.uspto.gov/netacgi/nph-Parser?Sect1=PTO2&Sect2=HITOFF&u=/netah +>tml/PTO/search-adv.html&r=62&f=G&l=50&d=PG01&s1=spam&p=2&OS=haiku&RS=spam +> +> Method of anti-spam +> +> Abstract +> +> A method of anti-spam is to set an optional trustcode, or a trustlist, or +> at least a trustweb based on online mail delivery at a recipient's e-mail +> address. A mail sender is compelled at the first time to deliver a mail +> by way of: taking the way of "Visiting trustweb and sending online", or +> enclosing the recipient's trustcode in the mail and sending in another way +> other than the mentioned. After the sender's e-mail address has been stored +> automatically in the recipient's trustlist, the sender may send mails to +> the same recipient in whatever the ways feasible. +> +> +> Sounds a lot like TMDA to me. :( Filing date is July 26, 2001, granted +> May 16, 2002. +> +> TMDAers, have you seen this before? I'd presume TMDA is prior art, but +> still, it could be troublesome... +> +> +I took a bit of time to review what is on the above URL. If I were a news +editor, the headline would be: + +"Inventor" from country that ignores patents and copyrights, seeks patent for +inventing the wheel! +- -- +- ------------------------------------------------------------------------ +Robin Lynn Frank---Director of Operations---Paradigm, Omega, LLC +http://paradigm-omega.com http://paradigm-omega.net +© 2002. All rights reserved. No duplication/dissemination permitted. +Use of PGP/GPG encrypted mail preferred. No HTML/attachments accepted. +Fingerprint: 08E0 567C 63CC 5642 DB6D D490 0F98 D7D3 77EA 3714 +Key Server: http://paradigm-omega.com/keymaster.html +- ------------------------------------------------------------------------ +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9bEcKD5jX03fqNxQRAmTfAKDM6BDsePbg8fb9Ore0XuS5jB4t1wCfbTcw +/PBXqXO7Pei1f9lIj4gd0/c= +=PNJx +-----END PGP SIGNATURE----- + diff --git a/machine-learning-ex6/ex6/easy_ham/1430.340721c84f45f79eeef6fcae18c82f20 b/machine-learning-ex6/ex6/easy_ham/1430.340721c84f45f79eeef6fcae18c82f20 new file mode 100644 index 0000000..2624eee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1430.340721c84f45f79eeef6fcae18c82f20 @@ -0,0 +1,111 @@ +From brian@unearthed.com Wed Aug 28 10:56:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0C9E044156 + for ; Wed, 28 Aug 2002 05:56:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:56:15 +0100 (IST) +Received: from mx-out.daemonmail.net (mx-out.daemonmail.net + [216.104.160.37]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7RIteZ21552 for ; Tue, 27 Aug 2002 19:55:41 +0100 +Received: from mx0.emailqueue.net (localhost.daemonmail.net [127.0.0.1]) + by mx-out.daemonmail.net (8.9.3/8.9.3) with SMTP id LAA11209; + Tue, 27 Aug 2002 11:55:49 -0700 (PDT) (envelope-from brian@unearthed.com) +Received: from brianmay (brianmay [64.52.135.194]) by mail.unearthed.com + with ESMTP id bu207z82 Tue, 27 Aug 2002 11:55:48 -0700 (PDT) +Message-Id: <001101c24dfb$61b7a2f0$8801020a@brianmay> +From: "Brian May" +To: "Justin Mason" , + "Jason R. Mastaler" +Cc: , +References: <20020827144541.3236B43F99@phobos.labs.netnoteinc.com> + +Subject: Re: [SAtalk] Re: patent on TMDA-like system +Date: Tue, 27 Aug 2002 11:55:58 -0700 +Organization: UnEarthed.Com +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.1 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_02_03, + USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +>>From tmda.net/history.html: + +The first release of TMDA in April 2001 was essentially a rewrite of TMS in +Python, + +April 2001 is earlier than July 26, 2001... prior art.. + +from http://tmda.net/releases/old/ + Parent Directory 19-Aug-2002 16:14 - + README.MD5SUM 19-Aug-2002 16:14 4k + tmda-0.01.tgz 22-Apr-2001 15:59 11k + tmda-0.02.tgz 26-Apr-2001 12:06 12k + tmda-0.02.txt 26-Apr-2001 12:50 1k + tmda-0.10.tgz 27-Apr-2001 21:14 39k + tmda-0.10.txt 30-Apr-2001 11:36 3k + tmda-0.11.tgz 02-May-2001 17:17 38k + tmda-0.11.txt 02-May-2001 17:06 3k + tmda-0.12.tgz 10-May-2001 19:50 39k + tmda-0.12.txt 10-May-2001 19:48 1k + tmda-0.13.tgz 17-May-2001 15:53 39k + tmda-0.13.txt 17-May-2001 15:57 2k + tmda-0.14.tgz 24-May-2001 16:43 46k + tmda-0.14.txt 24-May-2001 16:40 4k + tmda-0.15.tgz 28-May-2001 15:20 47k + tmda-0.15.txt 28-May-2001 15:20 1k + tmda-0.20.tgz 06-Jun-2001 17:52 49k + tmda-0.20.txt 06-Jun-2001 18:46 6k + tmda-0.21.tgz 18-Jun-2001 18:32 51k + tmda-0.21.txt 18-Jun-2001 18:31 2k + +TMDA was already at 0.21 8 days before filing for a patent.. + +----- Original Message ----- +From: "Jason R. Mastaler" +To: "Justin Mason" +Cc: ; +Sent: Tuesday, August 27, 2002 11:34 AM +Subject: [SAtalk] Re: patent on TMDA-like system + + +jm@jmason.org (Justin Mason) writes: + +> Sounds a lot like TMDA to me. :( Filing date is July 26, 2001, +> granted May 16, 2002. +> +> TMDAers, have you seen this before? + +No, but thanks for pointing it out. + +> I'd presume TMDA is prior art, but still, it could be troublesome... + +Yup. TMDA's core functionality was fully established before even the +filing date. + +Anyone with experience in this area have a recommendation on whether +this should be pursued or not? + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1431.dbd1ebf9ac8e49dd42b0ee206a8d309c b/machine-learning-ex6/ex6/easy_ham/1431.dbd1ebf9ac8e49dd42b0ee206a8d309c new file mode 100644 index 0000000..eac037c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1431.dbd1ebf9ac8e49dd42b0ee206a8d309c @@ -0,0 +1,70 @@ +From tony@svanstrom.com Wed Aug 28 10:56:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5927743F9B + for ; Wed, 28 Aug 2002 05:56:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 10:56:37 +0100 (IST) +Received: from moon.campus.luth.se (root@moon.campus.luth.se + [130.240.202.158]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7RJIqZ22179 for ; Tue, 27 Aug 2002 20:18:52 +0100 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7RJJ2Mg007856; Tue, 27 Aug 2002 21:19:02 +0200 (CEST) (envelope-from + tony@svanstrom.com) +Date: Tue, 27 Aug 2002 21:19:02 +0200 (CEST) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: "Jason R. Mastaler" +Cc: Justin Mason , + , +Subject: Re: [SAtalk] Re: patent on TMDA-like system +In-Reply-To: +Message-Id: <20020827211008.Y6871-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=IN_REP_TO,QUOTED_EMAIL_TEXT,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Tue, 27 Aug 2002 the voices made Jason R. Mastaler write: + +> jm@jmason.org (Justin Mason) writes: +> +> > Sounds a lot like TMDA to me. :( Filing date is July 26, 2001, +> > granted May 16, 2002. +> > +> > TMDAers, have you seen this before? +> +> No, but thanks for pointing it out. +> +> > I'd presume TMDA is prior art, but still, it could be troublesome... +> +> Yup. TMDA's core functionality was fully established before even the +> filing date. +> +> Anyone with experience in this area have a recommendation on whether +> this should be pursued or not? + + If you think you can survive it, please fight... When I found that patent I +found others that were just common sense, things that any geek could implement +with his script/shell-language of choice; and it's time for someone to get the +medias attention on what's going on. + Basically this is the new wave of "namenappers"; it used to be domainnames, +not it's all the basic general ideas they can think off/find on the web that +they're patenting. + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + diff --git a/machine-learning-ex6/ex6/easy_ham/1432.0b1b8088c9a4e04cff33f6919f340402 b/machine-learning-ex6/ex6/easy_ham/1432.0b1b8088c9a4e04cff33f6919f340402 new file mode 100644 index 0000000..512da84 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1432.0b1b8088c9a4e04cff33f6919f340402 @@ -0,0 +1,91 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 15:18:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D83EB44155 + for ; Wed, 28 Aug 2002 10:18:45 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:18:45 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SEDmZ27853 for ; Wed, 28 Aug 2002 15:13:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k3ZA-0005Cm-00; Wed, + 28 Aug 2002 07:13:04 -0700 +Received: from mailout05.sul.t-online.com ([194.25.134.82]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k3Yz-0002fU-00 for ; + Wed, 28 Aug 2002 07:12:53 -0700 +Received: from fwd11.sul.t-online.de by mailout05.sul.t-online.com with + smtp id 17k3Yw-0000zP-01; Wed, 28 Aug 2002 16:12:50 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[62.226.214.25]) by fmrl11.sul.t-online.com with esmtp + id 17k3Yf-1fYYwCC; Wed, 28 Aug 2002 16:12:33 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 8F78B3B1 for ; Wed, 28 Aug 2002 16:12:36 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] test +User-Agent: KMail/1.4.3 +References: <3D6BB631.F6C4E1E3@mychipdesign.com> +In-Reply-To: <3D6BB631.F6C4E1E3@mychipdesign.com> +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +X-Foo: Bar +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281615.18731@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 16:15:18 +0200 +Date: Wed, 28 Aug 2002 16:15:18 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-28.2 required=7.0 + tests=FORGED_RCVD_TRAIL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_KMAIL, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +On Tuesday 27 August 2002 19:26 CET Leroy B. wrote: +> Ignore... + +Can't. + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1433.164926797999228bbd4fae986a02ae4d b/machine-learning-ex6/ex6/easy_ham/1433.164926797999228bbd4fae986a02ae4d new file mode 100644 index 0000000..02a368d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1433.164926797999228bbd4fae986a02ae4d @@ -0,0 +1,77 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 15:50:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 696F343F99 + for ; Wed, 28 Aug 2002 10:50:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:50:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SEksZ29122 for ; Wed, 28 Aug 2002 15:46:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k458-0002KL-00; Wed, + 28 Aug 2002 07:46:06 -0700 +Received: from popeye.apexvoice.com ([64.52.111.15]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k44T-0003kk-00 for ; + Wed, 28 Aug 2002 07:45:25 -0700 +Received: from winxp (lsanca1-ar16-4-46-103-175.lsanca1.dsl-verizon.net + [4.46.103.175]) (authenticated bits=0) by popeye.apexvoice.com + (8.12.3/8.12.3) with ESMTP id g7SEjLEE008972 for + ; Wed, 28 Aug 2002 07:45:21 -0700 +From: "Steve Thomas" +To: +Subject: RE: [SAtalk] Too funny +Message-Id: <000801c24ea1$8a8023f0$af672e04@winxp> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +In-Reply-To: <20020828143332.GE9486@kluge.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 07:45:18 -0700 +Date: Wed, 28 Aug 2002 07:45:18 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +| +| 0 hits here. :( +| + +I also get a lot of them. I think they're using the domain registry +database to pull their victims' addresses. + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1434.a626ce397e7a295eea36a996cdaa5f40 b/machine-learning-ex6/ex6/easy_ham/1434.a626ce397e7a295eea36a996cdaa5f40 new file mode 100644 index 0000000..4589d43 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1434.a626ce397e7a295eea36a996cdaa5f40 @@ -0,0 +1,110 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 15:50:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6C63C43F9B + for ; Wed, 28 Aug 2002 10:50:09 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 15:50:09 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SEliZ29140 for ; Wed, 28 Aug 2002 15:47:45 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k455-0002Jh-00; Wed, + 28 Aug 2002 07:46:03 -0700 +Received: from mailout01.sul.t-online.com ([194.25.134.80]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k447-00035k-00 for ; + Wed, 28 Aug 2002 07:45:03 -0700 +Received: from fwd08.sul.t-online.de by mailout01.sul.t-online.com with + smtp id 17k444-0005vp-03; Wed, 28 Aug 2002 16:45:00 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[62.226.214.25]) by fmrl08.sul.t-online.com with esmtp + id 17k43g-0O9HIeC; Wed, 28 Aug 2002 16:44:36 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 80DE73B1 for ; Wed, 28 Aug 2002 16:44:40 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Too funny +User-Agent: KMail/1.4.3 +References: + <200208281620.52895@malte.stretz.eu.org> <20020828143332.GE9486@kluge.net> +In-Reply-To: <20020828143332.GE9486@kluge.net> +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +X-Foo: Bar +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281647.22637@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 16:47:22 +0200 +Date: Wed, 28 Aug 2002 16:47:22 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-29.7 required=7.0 + tests=FORGED_RCVD_TRAIL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +On Wednesday 28 August 2002 16:33 CET Theo Van Dinter wrote: +> On Wed, Aug 28, 2002 at 04:20:52PM +0200, Malte S. Stretz wrote: +> > I get about 3 of these per week. A google for trafficmagnet convinces +> > me that they're worth their own rule... +> +> 0 hits here. :( + +I recently cleaned my spam corpus from them but these are my current +results: + OVERALL SPAM NONSPAM NAME + 13929 995 12934 (all messages) + 13 13 0 T_TRAFFICMAGNET + +I put it into cvs_rules_under_test, let's see what the 2.41 GA run thinks +about it :) + +Malte + +-- +-- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1435.450895e9e4b9c337afe2e04809840143 b/machine-learning-ex6/ex6/easy_ham/1435.450895e9e4b9c337afe2e04809840143 new file mode 100644 index 0000000..9f5a63a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1435.450895e9e4b9c337afe2e04809840143 @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 16:11:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8117143F99 + for ; Wed, 28 Aug 2002 11:11:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 16:11:56 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SFACZ30072 for ; Wed, 28 Aug 2002 16:10:13 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k4PQ-0004c3-00; Wed, + 28 Aug 2002 08:07:04 -0700 +Received: from sense-sea-megasub-1-583.oz.net ([216.39.146.75] + helo=mail.sial.org) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17k4Oe-0001G5-00 + for ; Wed, 28 Aug 2002 08:06:16 + -0700 +Received: from darkness.sial.org (localhost. [IPv6:::1]) by mail.sial.org + (8.12.5/8.12.5) with ESMTP id g7SF6EQK002946 for + ; Wed, 28 Aug 2002 08:06:14 -0700 + (PDT) +Received: (from yyyyates@localhost) by darkness.sial.org + (8.12.5/8.12.2/Submit) id g7SF6EcW002945 for + spamassassin-talk@lists.sourceforge.net; Wed, 28 Aug 2002 08:06:14 -0700 + (PDT) +From: Jeremy Mates +To: spamassassin-talk@example.sourceforge.net +Message-Id: <20020828150614.GB98808@darkness.sial.org> +Mail-Followup-To: Jeremy Mates , + spamassassin-talk@lists.sourceforge.net +References: <20020828143332.GE9486@kluge.net> + <000801c24ea1$8a8023f0$af672e04@winxp> +MIME-Version: 1.0 +Content-Type: text/plain; charset=utf-8 +Content-Disposition: inline +In-Reply-To: <000801c24ea1$8a8023f0$af672e04@winxp> +User-Agent: Mutt/1.4i +Subject: [SAtalk] Re: Too funny +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 08:06:14 -0700 +Date: Wed, 28 Aug 2002 08:06:14 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.7 required=7.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT + version=2.40-cvs +X-Spam-Level: + +* Steve Thomas [2002-08-28T07:52-0700]: +> I also get a lot of them. I think they're using the domain registry +> database to pull their victims' addresses. + +Along with the usual webmaster@* and probably a dash of web harvesting +on the side from the ones I have seen. + +A recent conversation in two lines: + +Me: Okay, trafficmagnet is being access mapped off now. +Junior admin [catching up on email after conference]: Thank God! + +-- +Jeremy Mates http://www.sial.org/ + +OpenPGP: 0x11C3D628 (4357 1D47 FF78 24BB 0FBF 7AA8 A846 9F86 11C3 D628) + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1436.b6274330d7d8fd92eb9cfc2f999555cb b/machine-learning-ex6/ex6/easy_ham/1436.b6274330d7d8fd92eb9cfc2f999555cb new file mode 100644 index 0000000..219ef01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1436.b6274330d7d8fd92eb9cfc2f999555cb @@ -0,0 +1,103 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 16:22:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B3DF743F9B + for ; Wed, 28 Aug 2002 11:22:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 16:22:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SFEgZ30284 for ; Wed, 28 Aug 2002 16:14:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k4WG-0006sj-00; Wed, + 28 Aug 2002 08:14:08 -0700 +Received: from mailout02.sul.t-online.com ([194.25.134.17]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k4Vn-0002lw-00 for ; + Wed, 28 Aug 2002 08:13:39 -0700 +Received: from fwd00.sul.t-online.de by mailout02.sul.t-online.com with + smtp id 17k4Vg-0006RZ-03; Wed, 28 Aug 2002 17:13:32 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[62.226.214.25]) by fmrl00.sul.t-online.com with esmtp + id 17k4VV-0f9prMC; Wed, 28 Aug 2002 17:13:21 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 4DBA33B1 for ; Wed, 28 Aug 2002 17:13:23 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Too funny +User-Agent: KMail/1.4.3 +References: <000801c24ea1$8a8023f0$af672e04@winxp> +In-Reply-To: <000801c24ea1$8a8023f0$af672e04@winxp> +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +X-Foo: Bar +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281716.06506@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:16:06 +0200 +Date: Wed, 28 Aug 2002 17:16:06 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-29.7 required=7.0 + tests=FORGED_RCVD_TRAIL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +On Wednesday 28 August 2002 16:45 CET Steve Thomas wrote: +> | 0 hits here. :( +> +> I also get a lot of them. I think they're using the domain registry +> database to pull their victims' addresses. + +They are crawling through the pages and send their "offers" to all addresses +they find. Theo won't every receive any offers as he doesn't publish his +address there ;-) + +Malte + +-- +-- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1437.8bf8819fa24490f892b73ba41821d950 b/machine-learning-ex6/ex6/easy_ham/1437.8bf8819fa24490f892b73ba41821d950 new file mode 100644 index 0000000..7fa7d71 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1437.8bf8819fa24490f892b73ba41821d950 @@ -0,0 +1,88 @@ +From spamassassin-devel-admin@lists.sourceforge.net Wed Aug 28 17:25:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D70D844155 + for ; Wed, 28 Aug 2002 12:25:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:25:56 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SGJ2Z32605 for ; Wed, 28 Aug 2002 17:19:02 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k5VQ-0000Y1-00; Wed, + 28 Aug 2002 09:17:20 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k5U7-0006sG-00 for ; + Wed, 28 Aug 2002 09:15:59 -0700 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17k5U6-0002Kz-00 for + spamassassin-devel@lists.sourceforge.net; Wed, 28 Aug 2002 12:15:58 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 950A8A3CB0; Wed, 28 Aug 2002 09:15:57 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: CC +Message-Id: <20020828161557.950A8A3CB0@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 777] tests to find hand-written HTML +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 09:15:57 -0700 (PDT) +Date: Wed, 28 Aug 2002 09:15:57 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=BUGZILLA_BUG,FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY, + JAVASCRIPT_UNSAFE,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=777 + + + + + +------- Additional Comments From daniel@roe.ch 2002-08-28 09:15 ------- +3. usage of

just like
(ie. without

) which is obsolete + (not sure whether some mailers still produce such broken html) +4. tag argument values sometimes enclosed in "", sometimes not +5. colour args without # in front of hex rgb code +6. colour args with non-6-digit rgb code (typo) +7. onMouseOver et al in nonconsistent case throughout the document + +Mind, those are just ideas. I'm pretty sure some or even most of them +are not working in practice, but they might be worth checking out. + + + + +------- You are receiving this mail because: ------- +You are on the CC list for the bug, or are watching someone who is. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1438.d20859908f11db2377bf6829f79066b3 b/machine-learning-ex6/ex6/easy_ham/1438.d20859908f11db2377bf6829f79066b3 new file mode 100644 index 0000000..eec5821 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1438.d20859908f11db2377bf6829f79066b3 @@ -0,0 +1,77 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Aug 28 17:56:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0FCED44159 + for ; Wed, 28 Aug 2002 12:56:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:56:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SGtrZ01595 for ; Wed, 28 Aug 2002 17:55:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k66u-0005dV-00; Wed, + 28 Aug 2002 09:56:04 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k66B-0000HA-00 for ; + Wed, 28 Aug 2002 09:55:19 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17k66B-0006wv-00 for + ; Wed, 28 Aug 2002 09:55:19 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17k66A-0001hO-00 for + ; Wed, 28 Aug 2002 09:55:18 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/masses evolve.cxx,1.28,NONE +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 09:55:18 -0700 +Date: Wed, 28 Aug 2002 09:55:18 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/masses +In directory usw-pr-cvs1:/tmp/cvs-serv6501/masses + +Removed Files: + Tag: b2_4_0 + evolve.cxx +Log Message: +removed old evolver + +--- evolve.cxx DELETED --- + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1439.6ed10d0d0a15ece643b718880874a713 b/machine-learning-ex6/ex6/easy_ham/1439.6ed10d0d0a15ece643b718880874a713 new file mode 100644 index 0000000..cb45f6d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1439.6ed10d0d0a15ece643b718880874a713 @@ -0,0 +1,92 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Aug 28 17:56:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1473844158 + for ; Wed, 28 Aug 2002 12:56:51 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 17:56:51 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SGtrZ01594 for ; Wed, 28 Aug 2002 17:55:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k66u-0005d9-00; Wed, + 28 Aug 2002 09:56:04 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k66B-0000H6-00 for ; + Wed, 28 Aug 2002 09:55:19 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17k66B-0006wn-00 for + ; Wed, 28 Aug 2002 09:55:19 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17k66A-0001hE-00 for + ; Wed, 28 Aug 2002 09:55:18 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin MANIFEST,1.100.2.11,1.100.2.12 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 09:55:18 -0700 +Date: Wed, 28 Aug 2002 09:55:18 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin +In directory usw-pr-cvs1:/tmp/cvs-serv6501 + +Modified Files: + Tag: b2_4_0 + MANIFEST +Log Message: +removed old evolver + +Index: MANIFEST +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/MANIFEST,v +retrieving revision 1.100.2.11 +retrieving revision 1.100.2.12 +diff -b -w -u -d -r1.100.2.11 -r1.100.2.12 +--- MANIFEST 28 Aug 2002 13:50:15 -0000 1.100.2.11 ++++ MANIFEST 28 Aug 2002 16:55:16 -0000 1.100.2.12 +@@ -50,7 +50,6 @@ + masses/CORPUS_POLICY + masses/CORPUS_SUBMIT + masses/craig-evolve.c +-masses/evolve.cxx + masses/freqdiff + masses/hit-frequencies + masses/lib/Mail/ArchiveIterator.pm + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1440.d7c632e28e33a2bdfd9afd121319277d b/machine-learning-ex6/ex6/easy_ham/1440.d7c632e28e33a2bdfd9afd121319277d new file mode 100644 index 0000000..377fe83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1440.d7c632e28e33a2bdfd9afd121319277d @@ -0,0 +1,114 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 19:30:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2CD9244155 + for ; Wed, 28 Aug 2002 14:30:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 19:30:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SIW0Z05462 for ; Wed, 28 Aug 2002 19:32:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7Zs-0008QL-00; Wed, + 28 Aug 2002 11:30:04 -0700 +Received: from libadm.ucr.edu ([138.23.89.79] helo=library.ucr.edu) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k7ZG-0008RR-00 for ; + Wed, 28 Aug 2002 11:29:26 -0700 +Received: by library.ucr.edu (Postfix, from userid 33) id 68DE17D32; + Wed, 28 Aug 2002 11:29:27 -0700 (PDT) +Received: from dragonball.ucr.edu ([138.23.89.42]) (SquirrelMail + authenticated user simonian) by library.ucr.edu with HTTP; Wed, + 28 Aug 2002 11:29:27 -0700 (PDT) +Message-Id: <36033.138.23.89.42.1030559367.squirrel@library.ucr.edu> +Subject: Re: [SAtalk] Too funny +From: "Tanniel Simonian" +To: +In-Reply-To: <5.1.0.14.0.20020828133216.00b48160@192.168.50.2> +References: <000801c24ea1$8a8023f0$af672e04@winxp> + <000801c24ea1$8a8023f0$af672e04@winxp> + <5.1.0.14.0.20020828133216.00b48160@192.168.50.2> +X-Priority: 3 +Importance: Normal +X-Msmail-Priority: Normal +Reply-To: simonian@library.ucr.edu +X-Mailer: SquirrelMail (version 1.2.6) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:29:27 -0700 (PDT) +Date: Wed, 28 Aug 2002 11:29:27 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,MISSING_MIMEOLE, + MISSING_OUTLOOK_NAME,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + + +Well if you're talking about epiphany, which is in January, then yes it is +5 months.Some people do celebrate Christmas on january 6th, or even the 13th. + +But I am certain that what you are thinking is the correct thought. + +Please don't flame me. Just trying to be humerous =) + + +Matt Kettler said: +> On an unrelated, but similarly amusing note, a spam I received (and was +> tagged by SA) today began with: +> +> +> > I bet you haven't even realized that Christmas is just 5 months away, +> > +> did you? +> +> +> Strangely, no I wasn't aware that Christmas was 5 months away. Here in +> the US Christmas is a bit less than 4 months away. Where exactly is +> the "international month line" anyway? I've never seen the -74400 +> timezone before, but I bet it qualifies as INVALID_DATE_TZ_ABSURD :) +> +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: Jabber - The world's fastest growing +> real-time communications platform! Don't just IM. Build it in! +> http://www.jabber.com/osdn/xim +> _______________________________________________ +> Spamassassin-talk mailing list +> Spamassassin-talk@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1441.8344939e17984af793af15791dc9ffb8 b/machine-learning-ex6/ex6/easy_ham/1441.8344939e17984af793af15791dc9ffb8 new file mode 100644 index 0000000..c081d88 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1441.8344939e17984af793af15791dc9ffb8 @@ -0,0 +1,65 @@ +From prlawrence@lehigh.edu Thu Aug 29 11:06:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B877D44163 + for ; Thu, 29 Aug 2002 06:04:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:54 +0100 (IST) +Received: from cc.lehigh.edu (ironmail1.cc.lehigh.edu [128.180.39.26]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7SKpLZ09799 for + ; Wed, 28 Aug 2002 21:51:21 +0100 +Received: from ([128.180.39.20]) by ironmail1.cc.lehigh.edu with ESMTP + with TLS; Wed, 28 Aug 2002 16:49:47 -0400 (EDT) +Received: from lehigh.edu (Roamer052031.dept.Lehigh.EDU [128.180.52.31]) + by rain.CC.Lehigh.EDU (8.12.5/8.12.5) with ESMTP id g7SKnlMS021052; + Wed, 28 Aug 2002 16:49:47 -0400 +Message-Id: <3D6D3763.3060300@lehigh.edu> +Date: Wed, 28 Aug 2002 16:49:39 -0400 +From: Phil R Lawrence +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020513 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Justin Mason +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] testing the install +References: <20020815174924.951B743C34@phobos.labs.netnoteinc.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.2 required=7.0 + tests=QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Justin Mason wrote: +> Phil R Lawrence said: +> +> +>>>something to watch out for is to use "nomime" => 1 in the Mail::Audit +>>>ctor; the M:A folks changed the API there. +>> +>>What has MIME to do with it? I read in perldoc M:A that your suggestion +>>is less expensive, but how does that help S:A? +> +> +> M:A, for some reason, changes its base class depending on whether the +> incoming message is mime or not. Therefore the Mail::Internet methods +> suddenly become unavailable for MIME messages... +> +> (you do *not* want to know what I thought of that when I found it ;) + +As a new user of SA, I guess I'm having trouble connecting the dots. If +I understand you: If I don't use the "nomime" => 1 option and I recieve +MIME mail, the Mail::Internet modules become unavailable. + +Unavailable for which? MA? SA? What do these methods do? Does this +mean my incoming MIME mail won't be checked by SA unless I specify +"nomime" => 1? + +Thanks, +Phil + + diff --git a/machine-learning-ex6/ex6/easy_ham/1442.08dc076440caf003ba9842983b8c9ed4 b/machine-learning-ex6/ex6/easy_ham/1442.08dc076440caf003ba9842983b8c9ed4 new file mode 100644 index 0000000..8ff6171 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1442.08dc076440caf003ba9842983b8c9ed4 @@ -0,0 +1,86 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:05:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8FAB94416B + for ; Thu, 29 Aug 2002 06:04:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:32 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SIkRZ06007 for ; Wed, 28 Aug 2002 19:46:28 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7oP-0004m4-00; Wed, + 28 Aug 2002 11:45:05 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k7o6-0001F3-00 for ; + Wed, 28 Aug 2002 11:44:47 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7SIid502061 for ; + Wed, 28 Aug 2002 19:44:39 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 399CE43F99; Wed, 28 Aug 2002 14:42:18 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 34ABE33D8B for + ; Wed, 28 Aug 2002 19:42:18 +0100 (IST) +To: SpamAssassin-devel@example.sourceforge.net +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Image-Url: http://example.com/me.jpg +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com> +Subject: [SAdev] 2.40: ready for release? +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 19:42:13 +0100 +Date: Wed, 28 Aug 2002 19:42:13 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-22.2 required=7.0 + tests=HABEAS_SWE,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +OK guys -- I reckon it's now Good Enough, modulo some minor score +tweaking, or commenting of some more broken/high-FP-ing rules. + +What do you all think? are we ready to go? anyone run into any trouble +with the new autoconf code, or found a bug from the merge of that spamc +BSMTP-support patch? + +I expect there *will* be a 2.41 BTW. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1443.f5558679d8d2abd2165d96149a4de59b b/machine-learning-ex6/ex6/easy_ham/1443.f5558679d8d2abd2165d96149a4de59b new file mode 100644 index 0000000..0d845c9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1443.f5558679d8d2abd2165d96149a4de59b @@ -0,0 +1,154 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EC3AA4415E + for ; Thu, 29 Aug 2002 06:04:33 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:33 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SIpXZ06083 for ; Wed, 28 Aug 2002 19:51:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7sK-0005nc-00; Wed, + 28 Aug 2002 11:49:08 -0700 +Received: from email.uah.edu ([146.229.1.200]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k7s7-0005Tn-00 for ; + Wed, 28 Aug 2002 11:48:55 -0700 +Received: from email.uah.edu ([146.229.5.22]) by email.uah.edu + (8.11.2/8.11.2) with ESMTP id g7SImrs21805 for + ; Wed, 28 Aug 2002 13:48:53 -0500 + (CDT) +Message-Id: <3D6D1AB2.DEDDDC0C@email.uah.edu> +From: Jim McCullars +X-Mailer: Mozilla 4.7 [en] (Win98; U) +X-Accept-Language: en,pdf +MIME-Version: 1.0 +To: spamassassin-talk@example.sourceforge.net +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Subject: [SAtalk] Compile error under Digital Unix +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 13:47:14 -0500 +Date: Wed, 28 Aug 2002 13:47:14 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.9 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Hi, I'm trying to build SA under Digital Unix 4.0f and am receiving a +compile error (and many warnings) for spamc. The "perl Makefile.PL" +does OK, but when I do the make, I get this: + +cc -std -fprm d -ieee -D_INTRINSICS -I/usr/local/include -DLANGUAGE_C +-O4 spamd +/spamc.c -o spamd/spamc -L/usr/local/lib -lbind -ldbm -ldb -lm -liconv +-lutil +cc: Error: spamd/spamc.c, line 50: In this declaration, "in_addr_t" has +no linka +ge and has a prior declaration in this scope at line number 592 in file +/usr/inc +lude/sys/types.h. (nolinkage) +typedef unsigned long in_addr_t; /* base type for internet +address */ +------------------------^ +cc: Warning: spamd/spamc.c, line 169: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"unsigned ch +ar". (ptrmismatch) + if((bytes = full_read (in, msg_buf, max_size+1024, max_size+1024)) > +max_size) +-----------------------------^ +cc: Warning: spamd/spamc.c, line 174: In this statement, the referenced +type of +the pointer value "header_buf" is "char", which is not compatible with +"const un +signed char". (ptrmismatch) + full_write (out,header_buf,bytes2); +--------------------^ +cc: Warning: spamd/spamc.c, line 202: In this statement, the referenced +type of +the pointer value "header_buf" is "char", which is not compatible with +"const un +signed char". (ptrmismatch) + full_write (out,header_buf,bytes2); +--------------------^ +cc: Warning: spamd/spamc.c, line 203: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"const unsig +ned char". (ptrmismatch) + full_write (out,msg_buf,bytes); +--------------------^ +cc: Warning: spamd/spamc.c, line 306: In this statement, the referenced +type of +the pointer value "buf" is "char", which is not compatible with +"unsigned char". + (ptrmismatch) + if(full_read (in,buf,2,2) != 2 || !('\r' == buf[0] && '\n' == +buf[1])) +---------------------------^ +cc: Warning: spamd/spamc.c, line 321: In this statement, the referenced +type of +the pointer value "buf" is "char", which is not compatible with +"unsigned char". + (ptrmismatch) + while((bytes=full_read (in,buf,8192, 8192)) > 0) +-------------------------------^ +cc: Warning: spamd/spamc.c, line 348: In this statement, the referenced +type of +the pointer value "out_buf" is "char", which is not compatible with +"const unsig +ned char". (ptrmismatch) + full_write (out, out_buf, out_index); +-----------------------^ +cc: Warning: spamd/spamc.c, line 497: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"const unsig +ned char". (ptrmismatch) + full_write (STDOUT_FILENO,msg_buf,amount_read); +--------------------------------^ +cc: Warning: spamd/spamc.c, line 512: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"const unsig +ned char". (ptrmismatch) + full_write(STDOUT_FILENO,msg_buf,amount_read); +-------------------------------^ +*** Exit 1 +Stop. + +Can anyone suggest a way to get around this? TIA... + +Jim McCullars +The University of Alabama in Huntsville + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1444.9c769de9af58bfba4b3e6b0ca034f2b8 b/machine-learning-ex6/ex6/easy_ham/1444.9c769de9af58bfba4b3e6b0ca034f2b8 new file mode 100644 index 0000000..2d5f3f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1444.9c769de9af58bfba4b3e6b0ca034f2b8 @@ -0,0 +1,102 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4911C4415F + for ; Thu, 29 Aug 2002 06:04:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SIpYZ06088 for ; Wed, 28 Aug 2002 19:51:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7sJ-0005n7-00; Wed, + 28 Aug 2002 11:49:07 -0700 +Received: from 168-215-122-205.gen.twtelecom.net ([168.215.122.205] + helo=commander) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7s1-0005S3-00 + for ; Wed, 28 Aug 2002 11:48:49 + -0700 +Received: from 65.91.222.7 [65.91.222.7] by commander with SMTPBeamer + v3.30 ; Wed, 28 Aug 2002 14:37:32 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + 7EF3E4C33A for ; Wed, + 28 Aug 2002 11:48:31 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-15" +Organization: Paradigm-Omega, LLC +To: spamassassin-talk@example.sourceforge.net +X-Mailer: KMail [version 1.3.1] +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1030560510.17408.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.61 +Reply-To: Robin Lynn Frank +Subject: [SAtalk] O.T. Habeus -- Why? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:48:12 -0700 +Date: Wed, 28 Aug 2002 11:48:12 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=0.5 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,NOSPAM_INC, + PGP_MESSAGE,RCVD_IN_OSIRUSOFT_COM,SPAM_PHRASE_01_02, + X_OSIRU_DUL + version=2.40-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +I may be dense, but why would anyone want to utilize Habeus? To me, it looks +like a potential backdoor to anyone's defenses against spam. + +If I were a spammer, I'd simply set up a server, send out my spam with the +Habeus headers and continue till I was reasonably certain I'd been reported. +Then I'd simply reconfigure the server and reconnect to a different IP. As +long as no one can establish my connection to the web sites my spam is +directing people to, I'm home free. + +Since I can set up spamassassin to I don't "lose" any email, what do I gain +by making it easier for spam to get through?? +- -- +- ------------------------------------------------------------------------ +Robin Lynn Frank---Director of Operations---Paradigm, Omega, LLC +http://paradigm-omega.com http://paradigm-omega.net +© 2002. All rights reserved. No duplication/dissemination permitted. +Use of PGP/GPG encrypted mail preferred. No HTML/attachments accepted. +Fingerprint: 08E0 567C 63CC 5642 DB6D D490 0F98 D7D3 77EA 3714 +Key Server: http://paradigm-omega.com/keymaster.html +- ------------------------------------------------------------------------ +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9bRrzD5jX03fqNxQRAjQnAJsE55BZGj0MGZdLTuBTUZqTGeQLwQCfXPzV +qfH+nyAg+m+ZKNvLi2BcJGI= +=YsRI +-----END PGP SIGNATURE----- + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1445.57f9856f348cda1656331372731701eb b/machine-learning-ex6/ex6/easy_ham/1445.57f9856f348cda1656331372731701eb new file mode 100644 index 0000000..36fd75f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1445.57f9856f348cda1656331372731701eb @@ -0,0 +1,184 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:05:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0FE664416C + for ; Thu, 29 Aug 2002 06:04:38 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:38 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SIw0Z06358 for ; Wed, 28 Aug 2002 19:58:01 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k7z3-00009a-00; Wed, + 28 Aug 2002 11:56:05 -0700 +Received: from dsl092-072-213.bos1.dsl.speakeasy.net ([66.92.72.213] + helo=blazing.arsecandle.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k7yt-0006FT-00 for ; + Wed, 28 Aug 2002 11:55:56 -0700 +Received: (qmail 478 invoked from network); 28 Aug 2002 18:53:06 -0000 +Received: from localhost (HELO RAGING) (rod@127.0.0.1) by localhost with + SMTP; 28 Aug 2002 18:53:06 -0000 +Message-Id: <008c01c24ec4$83eab9b0$b554a8c0@RAGING> +From: "rODbegbie" +To: , + "Justin Mason" +References: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com> +Subject: Re: [SAdev] 2.40: ready for release? *NO* +Organization: Arsecandle Industries, Inc. +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Type: multipart/signed; + boundary="----=_NextPart_000_0088_01C24EA2.FC21D7A0"; + micalg=SHA1; + protocol="application/x-pkcs7-signature" +X-Priority: 1 +X-Msmail-Priority: High +X-Mailer: Microsoft Outlook Express 6.00.2800.1050 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1050 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 14:55:43 -0400 +Date: Wed, 28 Aug 2002 14:55:43 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-27.3 required=7.0 + tests=FORGED_RCVD_TRAIL,HABEAS_SWE,KNOWN_MAILING_LIST, + MULTIPART_SIGNED,NOSPAM_INC,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT_OE,X_MSMAIL_PRIORITY_HIGH, + X_PRIORITY_HIGH + version=2.40-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. + +------=_NextPart_000_0088_01C24EA2.FC21D7A0 +Content-Type: text/plain; + charset="Windows-1252" +Content-Transfer-Encoding: 7bit + +Justin Mason wrote: +> OK guys -- I reckon it's now Good Enough, modulo some minor score +> tweaking, or commenting of some more broken/high-FP-ing rules. +> +> What do you all think? are we ready to go? anyone run into any trouble +> with the new autoconf code, or found a bug from the merge of that spamc +> BSMTP-support patch? + +I just checked out b2_4_0 from CVS and 'make test' fails horribly. + +It seems to be looking in my site_perl SpamAssassin code, not the build +directory. + +Example error: + +Failed to run FROM_AND_TO_SAME_5 SpamAssassin test, skipping: + (Can't locate object method "check_for_from_to_same" via package +"Mail::SpamAssassin::PerMsgStatus" at +/usr/local/lib/perl5/site_perl/5.8.0/Mail/SpamAssassin/PerMsgStatus.pm line +1701. +) + +Anyone else seeing this? + +rOD. + +-- +"If you're dumb, surround yourself with smart people; + and if you're smart, surround yourself with smart people + who disagree with you." + +Doing the blogging thang again at http://www.groovymother.com/ << + +------=_NextPart_000_0088_01C24EA2.FC21D7A0 +Content-Type: application/x-pkcs7-signature; + name="smime.p7s" +Content-Transfer-Encoding: base64 +Content-Disposition: attachment; + filename="smime.p7s" + +MIAGCSqGSIb3DQEHAqCAMIACAQExCzAJBgUrDgMCGgUAMIAGCSqGSIb3DQEHAQAAoIIJIjCCAnow +ggHjoAMCAQICARcwDQYJKoZIhvcNAQEFBQAwUzELMAkGA1UEBhMCVVMxHDAaBgNVBAoTE0VxdWlm +YXggU2VjdXJlIEluYy4xJjAkBgNVBAMTHUVxdWlmYXggU2VjdXJlIGVCdXNpbmVzcyBDQS0xMB4X +DTAyMDQxODE1MjkzN1oXDTIwMDQxMzE1MjkzN1owTjELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdl +b1RydXN0IEluYy4xJzAlBgNVBAMTHkdlb1RydXN0IFRydWUgQ3JlZGVudGlhbHMgQ0EgMjCBnzAN +BgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAspcspZISpYX/aJqWoYcSyyGqFby3OvsepRzLRU0ENDJR +wJo7DwFpirRFOUQkTkKXsY6BQzX/CeCRrn9i4ny5gcXuI2JSyrSmDwobbwl52n5cPEbHGcebybWd +KfAf8vvkxYUnTmDZPtt2ob5RNpJTeTiq9MpNCB/5G7Ocr1hEljcCAwEAAaNjMGEwDgYDVR0PAQH/ +BAQDAgHGMB0GA1UdDgQWBBQig0tNIAIMMfR8WrAaTRXIeF0RSTAPBgNVHRMBAf8EBTADAQH/MB8G +A1UdIwQYMBaAFEp4MlIR21kWNl7fwRQ2QGpHfEyhMA0GCSqGSIb3DQEBBQUAA4GBACmw3z+sLsLS +fAfdECQJPfiZFzJzSPQKLwY7vHnNWH2lAKYECbtAFHBpdyhSPkrj3KghXeIJnKyMFjsK6xd1k1Yu +wMXrauUH+HIDuZUg4okBwQbhBTqjjEdo/cCHILQsaLeU2kM+n5KKrpb0uvrHrocGffRMrWhz9zYB +lxoq0/EEMIICgjCCAeugAwIBAgIBBDANBgkqhkiG9w0BAQQFADBTMQswCQYDVQQGEwJVUzEcMBoG +A1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1c2lu +ZXNzIENBLTEwHhcNOTkwNjIxMDQwMDAwWhcNMjAwNjIxMDQwMDAwWjBTMQswCQYDVQQGEwJVUzEc +MBoGA1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1 +c2luZXNzIENBLTEwgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBAM4vGbwXt3fek6lfWg0XTzQa +DJj0ItlZ1MRoRvC0NcWFAyDGr0WlIVFFQesWWDYyb+JQYmT5/VGcqiTZ9J2DKocKIdMSODRsjQBu +WqDZQu4aIZX5UkxVWsUPOE9G+m34LjXWHXzr4vCwdYDIqROsvojvOm6rXyo4YgKwEnv+j6YDAgMB +AAGjZjBkMBEGCWCGSAGG+EIBAQQEAwIABzAPBgNVHRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFEp4 +MlIR21kWNl7fwRQ2QGpHfEyhMB0GA1UdDgQWBBRKeDJSEdtZFjZe38EUNkBqR3xMoTANBgkqhkiG +9w0BAQQFAAOBgQB1W6ibAxHm6VZMzfmpTMANmvPMZWnmJXbMWbfWVMMdzZmsGd20hdXgPfxiIKeE +S1hl8eL5lSE/9dR+WB5Hh1Q+WKG1tfgq73HnvMP2sUlG4tega+VWeponmHxGYhTnyfxuAxJ5gDgd +SIKN/Bf+KpYrtWKmpj29f5JZzVoqgrI3eTCCBBowggODoAMCAQICAxAAdTANBgkqhkiG9w0BAQQF +ADBOMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNR2VvVHJ1c3QgSW5jLjEnMCUGA1UEAxMeR2VvVHJ1 +c3QgVHJ1ZSBDcmVkZW50aWFscyBDQSAyMB4XDTAyMDgwNzE3MzA1NloXDTAzMDgyMTE3MzA1Nlow +ggHQMQswCQYDVQQGEwJVUzFJMEcGA1UEChNAR2VvVHJ1c3QgVHJ1ZSBDcmVkZW50aWFscyBDdXN0 +b21lciAtIE9yZ2FuaXphdGlvbiBub3QgdmFsaWRhdGVkLjE/MD0GA1UECxM2Q1BTIHRlcm1zIGlu +Y29ycG9yYXRlZCBieSByZWZlcmVuY2UgbGlhYmlsaXR5IGxpbWl0ZWQuMUkwRwYDVQQLE0BTZWUg +VHJ1ZSBDcmVkZW50aWFscyBFeHByZXNzIENQUyB3d3cuZ2VvdHJ1c3QuY29tL3Jlc291cmNlcy9D +UFMuMS0wKwYDVQQLEyRFbWFpbCBjb250cm9sIHZhbGlkYXRlZCBieSBHZW9UcnVzdC4xPzA9BgNV +BAsTNklkZW50aXR5IGF1dGhlbnRpY2F0ZWQgYnkgUmVnaXN0cmF0aW9uIEF1dGhvcml0eSAoUkEp +LjFCMEAGA1UECxQ5UmVnaXN0cmF0aW9uIEF1dGhvcml0eSAoUkEpIC0gcm9kLWdlb3RydXN0QGFy +c2VjYW5kbGUub3JnMRMwEQYDVQQDEwpyT0QgQmVnYmllMSEwHwYJKoZIhvcNAQkBFhJyT0RAYXJz +ZWNhbmRsZS5vcmcwgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBAMXm5uxWzmnY4QqgZrm7Y0Hp +CRnHrXk8zcYCYwTO4Jsh3wdeUEzzAXLuU+kkGduVA8QXWWNb61zlXwNhVMAuazPlLTmdce6GSFVO +zCOYViHcuXnF4gj6ptYXTYReKrIznwYW50r7iKRrnsAeVqMMo9D9oM9bS+ySFcQhIBZZl+0lAgMB +AAGjgYEwfzARBglghkgBhvhCAQEEBAMCBaAwDgYDVR0PAQH/BAQDAgXgMDkGA1UdHwQyMDAwLqAs +oCqGKGh0dHA6Ly9jcmwuZ2VvdHJ1c3QuY29tL2NybHMvZ3R0Y2NhMi5jcmwwHwYDVR0jBBgwFoAU +IoNLTSACDDH0fFqwGk0VyHhdEUkwDQYJKoZIhvcNAQEEBQADgYEAeZyTyjFzabynSLBSiQTLxPgp +0YoEvrYnCGdioATy99A0TpmWwR+h6hO2iJPTersqPg4iUJrK5douLHjwrjmJCscFRACsQXuOh+wG +oilcCkXEMbqx+ShedO+rthR41RM/l06T45p1lgLJQyYPjy9jpzf8XY0K8GXPK/rtt323fOYxggG4 +MIIBtAIBATBVME4xCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1HZW9UcnVzdCBJbmMuMScwJQYDVQQD +Ex5HZW9UcnVzdCBUcnVlIENyZWRlbnRpYWxzIENBIDICAxAAdTAJBgUrDgMCGgUAoIG6MBgGCSqG +SIb3DQEJAzELBgkqhkiG9w0BBwEwHAYJKoZIhvcNAQkFMQ8XDTAyMDgyODE4NTU0M1owIwYJKoZI +hvcNAQkEMRYEFNak2UdcsftBLpLOYcXm92WzUklRMFsGCSqGSIb3DQEJDzFOMEwwCgYIKoZIhvcN +AwcwDgYIKoZIhvcNAwICAgCAMA0GCCqGSIb3DQMCAgFAMAcGBSsOAwIHMA0GCCqGSIb3DQMCAgEo +MAcGBSsOAwIdMA0GCSqGSIb3DQEBAQUABIGAIDfmdXpwHOS7ho3C1cjFGuaNQ3AJde7lsx5t93sS +7wp8Cdu/OO0o9v+9ogALhzyFNn+z3NPmOud2Sl1ycqV35ZBqzjUPZGdlLYyN2KYyDl/F6yZ3WoQ/ +ZGNRR4NLUQxOsNGd5/M+SfD4uLcFRWwut6br/uadzUsSUkDy55MqyvMAAAAAAAA= + +------=_NextPart_000_0088_01C24EA2.FC21D7A0-- + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1446.bc3115f3d75b0ce0461b74a9c136831b b/machine-learning-ex6/ex6/easy_ham/1446.bc3115f3d75b0ce0461b74a9c136831b new file mode 100644 index 0000000..58a83b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1446.bc3115f3d75b0ce0461b74a9c136831b @@ -0,0 +1,77 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 112EC4416D + for ; Thu, 29 Aug 2002 06:04:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:43 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SJ10Z06383 for ; Wed, 28 Aug 2002 20:01:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k82v-0001mF-00; Wed, + 28 Aug 2002 12:00:05 -0700 +Received: from esarhaddon.ability.net ([216.3.3.68]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k822-0006Ys-00 for ; + Wed, 28 Aug 2002 11:59:10 -0700 +Received: from [10.0.1.100] (66.safeclick.net [63.119.245.66]) by + esarhaddon.ability.net (8.11.6/8.11.6) with ESMTP id g7SIx7R01854; + Wed, 28 Aug 2002 14:59:07 -0400 +MIME-Version: 1.0 +X-Sender: mclark@mail.cdtmail.org +Message-Id: +To: spamassassin-talk@example.sourceforge.net +From: Michael Clark +Content-Type: text/plain; charset="us-ascii" ; format="flowed" +Subject: [SAtalk] updating SA +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 14:57:39 -0400 +Date: Wed, 28 Aug 2002 14:57:39 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +To update spamassasin, all I need to do is install the new tar.gz +file as if it were a new installation? I don't need to stop incoming +mail or anything like that? Thanks, Mike + + +-- +Michael Clark, Webmaster +Center for Democracy and Technology +1634 Eye Street NW, Suite 1100 +Washington, DC 20006 +voice: 202-637-9800 +http://www.cdt.org/ + +Join our Activist Network! Your participation can make a difference! +http://www.cdt.org/join/ + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1447.fda5fab9b91617921e5b7d5097214c6c b/machine-learning-ex6/ex6/easy_ham/1447.fda5fab9b91617921e5b7d5097214c6c new file mode 100644 index 0000000..e9e2314 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1447.fda5fab9b91617921e5b7d5097214c6c @@ -0,0 +1,79 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7A71E44161 + for ; Thu, 29 Aug 2002 06:04:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SK15Z08404 for ; Wed, 28 Aug 2002 21:01:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k8w3-0004y2-00; Wed, + 28 Aug 2002 12:57:03 -0700 +Received: from adsl-64-175-246-157.dsl.sntc01.pacbell.net + ([64.175.246.157] helo=vife.vamos-wentworth.org) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17k8vO-0002n5-00 for + ; Wed, 28 Aug 2002 12:56:23 -0700 +Received: from husi (husi.vamos-wentworth.org [192.168.2.37]) + (authenticated (0 bits)) by vife.vamos-wentworth.org + (Switch-2.2.0/Switch-2.2.0) with ESMTP id g7SJuAm18267 for + ; Wed, 28 Aug 2002 12:56:11 -0700 +From: "Rossz Vamos-Wentworth" +To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Subject: Re: [SAtalk] custom score for a given domain? +Reply-To: rossz@vamos-wentworth.org +Message-Id: <3D6CC86A.3542.DD1064@localhost> +Priority: normal +In-Reply-To: <3D6CE817.20608@sciences.univ-nantes.fr> +X-Mailer: Pegasus Mail for Windows (v4.01) +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7BIT +Content-Description: Mail message body +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 12:56:10 -0800 +Date: Wed, 28 Aug 2002 12:56:10 -0800 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +> the number 1 ISP in France and the third ISP in +> Europe Wanadoo.fr is using non RFC2822 compliant +> mail servers: + +Wanadoo.fr is notorious for being unresponsive to spam abuse +complaints. Some of the more militant admins have blocked them +completely. + +Rossz + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1448.deb1e7a1f52da85e25ff1462d4f87089 b/machine-learning-ex6/ex6/easy_ham/1448.deb1e7a1f52da85e25ff1462d4f87089 new file mode 100644 index 0000000..9b38085 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1448.deb1e7a1f52da85e25ff1462d4f87089 @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9C6EA44162 + for ; Thu, 29 Aug 2002 06:04:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKURZ09244 for ; Wed, 28 Aug 2002 21:30:27 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9R2-000138-00; Wed, + 28 Aug 2002 13:29:04 -0700 +Received: from yrex.com ([216.40.247.31] helo=host.yrex.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k9QQ-0002eH-00 for ; + Wed, 28 Aug 2002 13:28:26 -0700 +Received: (qmail 14249 invoked from network); 28 Aug 2002 20:28:21 -0000 +Received: from mgm.dsl.xmission.com (HELO opus) (204.228.152.186) by + yrex.com with SMTP; 28 Aug 2002 20:28:21 -0000 +From: "Michael Moncur" +To: +Subject: RE: [SAtalk] O.T. Habeus -- Why? +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-15" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +In-Reply-To: <1030560510.17408.TMDA@omega.paradigm-omega.net> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 14:28:16 -0600 +Date: Wed, 28 Aug 2002 14:28:16 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_03_05,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +> I may be dense, but why would anyone want to utilize Habeus? To +> me, it looks like a potential backdoor to anyone's defenses against spam. + +You're not dense. I'm going to zero the habeas scores on my copy of +SpamAssassin. I think they were added to SA quite prematurely. To me it's +simple: + +1. People who send me legitimate email have absolutely no motivation to use +Habeas, at least until it gets lots more press, and even then only +bulk-mailing companies like Amazon or eBay are going to bother, and I +already whitelist them. Individuals won't bother. + +2. Spammers have lots of motivation to forge the Habeas headers, and a good +percentage of them are completely out of the legal reach of Habeas. + +I think it should be subjected to the same testing and scrutiny as any other +potential new rule. When I test against my corpus here's what I get: + +OVERALL SPAM NONSPAM S/O SCORE NAME + 13851 8919 4932 0.64 0.00 (all messages) + 0 0 0 0.00 -1.00 HABEAS_SWE + +The score of -1.0 is pretty harmless right now, but it still looks like a +useless rule so far. + +-- +Michael Moncur mgm at starlingtech.com http://www.starlingtech.com/ +"Never interrupt your enemy when he is making a mistake." --Napoleon + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1449.2dcf4336cc70654def986dda89e9821f b/machine-learning-ex6/ex6/easy_ham/1449.2dcf4336cc70654def986dda89e9821f new file mode 100644 index 0000000..e45b47c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1449.2dcf4336cc70654def986dda89e9821f @@ -0,0 +1,79 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:05:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2F96B44160 + for ; Thu, 29 Aug 2002 06:04:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:46 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKSEZ09225 for ; Wed, 28 Aug 2002 21:28:14 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9P7-0000PI-00; Wed, + 28 Aug 2002 13:27:05 -0700 +Received: from lerlaptop.iadfw.net ([206.66.13.21]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9Od-0001xH-00 for + ; Wed, 28 Aug 2002 13:26:35 -0700 +Received: from localhost (localhost [127.0.0.1]) by lerlaptop.iadfw.net + (8.12.5/8.12.5) with ESMTP id g7SKQINK036905; Wed, 28 Aug 2002 15:26:19 + -0500 (CDT) (envelope-from ler@lerctr.org) +Subject: Re: [SAtalk] updating SA +From: Larry Rosenman +To: Michael Clark +Cc: spamassassin-talk@example.sourceforge.net +In-Reply-To: +References: +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1030566379.469.47.camel@lerlaptop.iadfw.net> +MIME-Version: 1.0 +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 15:26:18 -0500 +Date: 28 Aug 2002 15:26:18 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.4 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Wed, 2002-08-28 at 13:57, Michael Clark wrote: +> To update spamassasin, all I need to do is install the new tar.gz +> file as if it were a new installation? I don't need to stop incoming +> mail or anything like that? Thanks, Mike +If you are using spamd, you will have to stop/restart it. + +-- +Larry Rosenman http://www.lerctr.org/~ler +Phone: +1 972-414-9812 E-Mail: ler@lerctr.org +US Mail: 1905 Steamboat Springs Drive, Garland, TX 75044-6749 + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1450.c0ce160e1b285899424541ccd82b71b1 b/machine-learning-ex6/ex6/easy_ham/1450.c0ce160e1b285899424541ccd82b71b1 new file mode 100644 index 0000000..c4ddd65 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1450.c0ce160e1b285899424541ccd82b71b1 @@ -0,0 +1,113 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:06:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4BB1F4415A + for ; Thu, 29 Aug 2002 06:04:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:50 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKUiZ09249 for ; Wed, 28 Aug 2002 21:30:44 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9R0-00012Q-00; Wed, + 28 Aug 2002 13:29:02 -0700 +Received: from host10390-1830.kpnqwest.es ([193.127.103.90] + helo=reypastor.hispalinux.es) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9Q0-0002Z0-00 for + ; Wed, 28 Aug 2002 13:28:00 + -0700 +Received: by reypastor.hispalinux.es (Postfix, from userid 1019) id + 479B35B9C0; Wed, 28 Aug 2002 22:27:56 +0200 (CEST) +From: Jesus Climent +To: SpamAssassin-devel@example.sourceforge.net +Subject: Re: [SAdev] 2.40: ready for release? *NO* +Message-Id: <20020828202756.GE8161@reypastor.hispalinux.es> +Mail-Followup-To: SpamAssassin-devel@example.sourceforge.net +References: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="k3qmt+ucFURmlhDS" +Content-Disposition: inline +In-Reply-To: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com> +User-Agent: Mutt/1.3.28i +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 22:27:56 +0200 +Date: Wed, 28 Aug 2002 22:27:56 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.3 required=7.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + MULTIPART_SIGNED,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + + +--k3qmt+ucFURmlhDS +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Wed, Aug 28, 2002 at 07:42:13PM +0100, Justin Mason wrote: +> OK guys -- I reckon it's now Good Enough, modulo some minor score +> tweaking, or commenting of some more broken/high-FP-ing rules. +>=20 + +Some make test errors here, too: + +Failed 6/20 test scripts, 70.00% okay. 17/182 subtests failed, 90.66% okay. + +J + +--=20 +Jesus Climent | Unix System Admin | Helsinki, Finland. +http://www.HispaLinux.es/~data/ | data.pandacrew.org +------------------------------------------------------ +Please, encrypt mail address to me: GnuPG ID: 86946D69 +FP: BB64 2339 1CAA 7064 E429 7E18 66FC 1D7F 8694 6D69 +------------------------------------------------------ +Registered Linux user #66350 Debian 3.0 & Linux 2.4.19 + +Look at my fingers: four stones, four crates. Zero stones? ZERO CRATES! + --Zorg (The Fifth Element) + +--k3qmt+ucFURmlhDS +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9bTJMZvwdf4aUbWkRAkpYAKDp15ePjG0prpbb/JSMICw6X3xOegCdGsU8 +tdax7QmKey5Vul5DwFDESVc= +=lyD1 +-----END PGP SIGNATURE----- + +--k3qmt+ucFURmlhDS-- + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1451.64eda615fc56b4bbfdce6291a59c12f4 b/machine-learning-ex6/ex6/easy_ham/1451.64eda615fc56b4bbfdce6291a59c12f4 new file mode 100644 index 0000000..0967dc8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1451.64eda615fc56b4bbfdce6291a59c12f4 @@ -0,0 +1,101 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 5804843F99 + for ; Thu, 29 Aug 2002 06:04:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKb5Z09484 for ; Wed, 28 Aug 2002 21:37:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9Wq-0002UP-00; Wed, + 28 Aug 2002 13:35:04 -0700 +Received: from rwcrmhc51.attbi.com ([204.127.198.38]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k9WP-0006SE-00 for ; + Wed, 28 Aug 2002 13:34:37 -0700 +Received: from localhost ([12.229.66.144]) by rwcrmhc51.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020828203427.CHGD14185.rwcrmhc51.attbi.com@localhost> for + ; Wed, 28 Aug 2002 20:34:27 +0000 +Subject: Re: [SAtalk] O.T. Habeus -- Why? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Brian McNett +To: spamassassin-talk@example.sourceforge.net +Content-Transfer-Encoding: 7bit +In-Reply-To: <1030560510.17408.TMDA@omega.paradigm-omega.net> +Message-Id: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 13:34:11 -0700 +Date: Wed, 28 Aug 2002 13:34:11 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.3 required=7.0 + tests=EMAIL_ATTRIBUTION,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_03_05, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Wednesday, August 28, 2002, at 11:48 AM, Robin Lynn Frank wrote: + +> If I were a spammer, I'd simply set up a server, send out my +> spam with the +> Habeus headers and continue till I was reasonably certain I'd +> been reported. +> Then I'd simply reconfigure the server and reconnect to a +> different IP. As +> long as no one can establish my connection to the web sites my spam is +> directing people to, I'm home free. + +Uh... the reason is simple. Habeas runs something called the +"Habeas Infringers List", and if you use their trademark without +their permission, you'll end up on it. Then, when you send spam +with the misappropriated header, users of SA (2.40 supports +this) will tag your mail as spam, rather than let it through. +This may be done independantly of your IP address, so be +prepared to constantly change domain names, and move your +servers as fast as you send spam. + +Also, that little haiku is a copyrighted work, so not only CAN +Habeas sue, they MUST sue to protect their copyright. And since +it's a trademark as well, that's a double-whammy. Habeas has +some pretty high-powered legal people, who will gladly go to +town on violators. + +The whole point here is to give them the legal leverage they +need to put spammers out of business, and not only block mail +from them, but allow through the things that really AREN'T spam. + +--B + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1452.81f3e3d1b40f978cd3c0125e7020dd17 b/machine-learning-ex6/ex6/easy_ham/1452.81f3e3d1b40f978cd3c0125e7020dd17 new file mode 100644 index 0000000..38ad8bd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1452.81f3e3d1b40f978cd3c0125e7020dd17 @@ -0,0 +1,117 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7CA984416F + for ; Thu, 29 Aug 2002 06:04:56 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:56 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKqtZ09829 for ; Wed, 28 Aug 2002 21:52:55 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9mO-0005S1-00; Wed, + 28 Aug 2002 13:51:08 -0700 +Received: from mailman.rexus.com ([216.136.83.173] helo=Mr-Mailman) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9m2-0006tk-00 for + ; Wed, 28 Aug 2002 13:50:47 -0700 +Received: from 65.90.119.105 [65.90.119.105] by Mr-Mailman with SMTPBeamer + v3.30 ; Wed, 28 Aug 2002 16:48:10 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + 36BD44C34E for ; Wed, + 28 Aug 2002 13:50:26 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-1" +Organization: Paradigm-Omega, LLC +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +X-Mailer: KMail [version 1.3.1] +References: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> +In-Reply-To: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1030567825.3271.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.61 +Reply-To: Robin Lynn Frank +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 13:50:07 -0700 +Date: Wed, 28 Aug 2002 13:50:07 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + PGP_MESSAGE,QUOTED_EMAIL_TEXT,RCVD_IN_OSIRUSOFT_COM, + REFERENCES,SPAM_PHRASE_02_03,X_OSIRU_DUL + version=2.40-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +On Wednesday 28 August 2002 01:34 pm, Brian McNett wrote: + +> +> Uh... the reason is simple. Habeas runs something called the +> "Habeas Infringers List", and if you use their trademark without +> their permission, you'll end up on it. Then, when you send spam +> with the misappropriated header, users of SA (2.40 supports +> this) will tag your mail as spam, rather than let it through. +> This may be done independantly of your IP address, so be +> prepared to constantly change domain names, and move your +> servers as fast as you send spam. +> +> Also, that little haiku is a copyrighted work, so not only CAN +> Habeas sue, they MUST sue to protect their copyright. And since +> it's a trademark as well, that's a double-whammy. Habeas has +> some pretty high-powered legal people, who will gladly go to +> town on violators. +> +> The whole point here is to give them the legal leverage they +> need to put spammers out of business, and not only block mail +> from them, but allow through the things that really AREN'T spam. +> +> --B +> +And if a spammer forges headers??? +- -- +- ------------------------------------------------------------------------ +Robin Lynn Frank---Director of Operations---Paradigm, Omega, LLC +http://paradigm-omega.com http://paradigm-omega.net +© 2002. All rights reserved. No duplication/dissemination permitted. +Use of PGP/GPG encrypted mail preferred. No HTML/attachments accepted. +Fingerprint: 08E0 567C 63CC 5642 DB6D D490 0F98 D7D3 77EA 3714 +Key Server: http://paradigm-omega.com/keymaster.html +- ------------------------------------------------------------------------ +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9bTeHD5jX03fqNxQRArMEAJ4l1p6ToRVaG4j+Dy3R2tzfD9FNvgCfRhU3 +kZo/MbYBSLyI/m1vsN4ZYmM= +=miJB +-----END PGP SIGNATURE----- + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1453.1089ed990307329cb4527b6835b2259c b/machine-learning-ex6/ex6/easy_ham/1453.1089ed990307329cb4527b6835b2259c new file mode 100644 index 0000000..361b330 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1453.1089ed990307329cb4527b6835b2259c @@ -0,0 +1,99 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 23C0D4415B + for ; Thu, 29 Aug 2002 06:04:58 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:58 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKrBZ09839 for ; Wed, 28 Aug 2002 21:53:11 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9nM-0005YW-00; Wed, + 28 Aug 2002 13:52:08 -0700 +Received: from ironmail1.cc.lehigh.edu ([128.180.39.26] + helo=cc.lehigh.edu) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9ms-00070d-00 + for ; Wed, 28 Aug 2002 13:51:38 + -0700 +Received: from ([128.180.39.20]) by ironmail1.cc.lehigh.edu with ESMTP + with TLS; Wed, 28 Aug 2002 16:49:47 -0400 (EDT) +Received: from lehigh.edu (Roamer052031.dept.Lehigh.EDU [128.180.52.31]) + by rain.CC.Lehigh.EDU (8.12.5/8.12.5) with ESMTP id g7SKnlMS021052; + Wed, 28 Aug 2002 16:49:47 -0400 +Message-Id: <3D6D3763.3060300@lehigh.edu> +From: Phil R Lawrence +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020513 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Justin Mason +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] testing the install +References: <20020815174924.951B743C34@phobos.labs.netnoteinc.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 16:49:39 -0400 +Date: Wed, 28 Aug 2002 16:49:39 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Justin Mason wrote: +> Phil R Lawrence said: +> +> +>>>something to watch out for is to use "nomime" => 1 in the Mail::Audit +>>>ctor; the M:A folks changed the API there. +>> +>>What has MIME to do with it? I read in perldoc M:A that your suggestion +>>is less expensive, but how does that help S:A? +> +> +> M:A, for some reason, changes its base class depending on whether the +> incoming message is mime or not. Therefore the Mail::Internet methods +> suddenly become unavailable for MIME messages... +> +> (you do *not* want to know what I thought of that when I found it ;) + +As a new user of SA, I guess I'm having trouble connecting the dots. If +I understand you: If I don't use the "nomime" => 1 option and I recieve +MIME mail, the Mail::Internet modules become unavailable. + +Unavailable for which? MA? SA? What do these methods do? Does this +mean my incoming MIME mail won't be checked by SA unless I specify +"nomime" => 1? + +Thanks, +Phil + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1454.88f9d20d76cccc7f1bde4e4d0794b69d b/machine-learning-ex6/ex6/easy_ham/1454.88f9d20d76cccc7f1bde4e4d0794b69d new file mode 100644 index 0000000..7da93f9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1454.88f9d20d76cccc7f1bde4e4d0794b69d @@ -0,0 +1,89 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:06:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id A0E4244164 + for ; Thu, 29 Aug 2002 06:04:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:04:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SKt8Z09995 for ; Wed, 28 Aug 2002 21:55:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k9pF-000674-00; Wed, + 28 Aug 2002 13:54:05 -0700 +Received: from moutng.kundenserver.de ([212.227.126.185]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k9p6-0007FX-00 for ; + Wed, 28 Aug 2002 13:53:56 -0700 +Received: from [212.227.126.155] (helo=mrelayng1.kundenserver.de) by + moutng7.kundenserver.de with esmtp (Exim 3.35 #2) id 17k9p3-0001ZZ-00 for + SpamAssassin-devel@lists.sourceforge.net; Wed, 28 Aug 2002 22:53:53 +0200 +Received: from [80.129.8.19] (helo=silence.homedns.org) by + mrelayng1.kundenserver.de with asmtp (Exim 3.35 #2) id 17k9p3-0005BT-00 + for SpamAssassin-devel@lists.sourceforge.net; Wed, 28 Aug 2002 22:53:53 + +0200 +Received: (qmail 9394 invoked by uid 1000); 28 Aug 2002 20:53:52 -0000 +From: Klaus Heinz +To: SpamAssassin-devel@example.sourceforge.net +Subject: Re: [SAdev] 2.40: ready for release? +Message-Id: <20020828225352.A9191@silence.homedns.org> +Mail-Followup-To: SpamAssassin-devel@example.sourceforge.net +References: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20020828184218.399CE43F99@phobos.labs.netnoteinc.com>; + from jm@jmason.org on Wed, Aug 28, 2002 at 07:42:13PM +0100 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 22:53:52 +0200 +Date: Wed, 28 Aug 2002 22:53:52 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.8 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02 + version=2.40-cvs +X-Spam-Level: + +Justin Mason wrote: + +> What do you all think? are we ready to go? anyone run into any trouble +> with the new autoconf code, or found a bug from the merge of that spamc + +I am now preparing a small patch to configure.in for NetBSD (possibly +also useful for Open- and FreeBSD, don't know). Should be ready and +tested in the next half hour. + +If you think 2.40 is ready, I would suggest to wait just 24 hours more +for possible reports by b2_4_0 users. Not everyone can follow the +development during daytime (at work). + + +ciao + Klaus + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1455.6e48dfed80732a341f02ac33d5f93378 b/machine-learning-ex6/ex6/easy_ham/1455.6e48dfed80732a341f02ac33d5f93378 new file mode 100644 index 0000000..a9b9065 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1455.6e48dfed80732a341f02ac33d5f93378 @@ -0,0 +1,101 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 97A144415C + for ; Thu, 29 Aug 2002 06:05:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SL9jZ10361 for ; Wed, 28 Aug 2002 22:09:45 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kA2o-0000w4-00; Wed, + 28 Aug 2002 14:08:06 -0700 +Received: from [64.9.63.52] (helo=falcon.dickinson.edu) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kA2h-0000KY-00 for ; + Wed, 28 Aug 2002 14:08:00 -0700 +Received: from falcon.dickinson.edu by falcon.dickinson.edu + (8.8.8/1.1.22.3/25Feb99-0911AM) id RAA0000008029; Wed, 28 Aug 2002 + 17:07:54 -0400 (EDT) +From: Don Newcomer +To: SpamAssassin Talk list +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [SAtalk] Tru64 compile of SA +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:07:53 -0400 (EDT) +Date: Wed, 28 Aug 2002 17:07:53 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +I'm a new user (or about to be, hopefully) of SA but I've run into some +compilation errors that prevent me from installing. Rather than picking +through the code, I thought I'd avoid reinventing the wheel and ask here. +When I run the 'make', I get the following: + +cc: Error: spamd/spamc.c, line 50: In this declaration, "in_addr_t" has no +linka +ge and has a prior declaration in this scope at line number 572 in file +/usr/inc +lude/sys/types.h. (nolinkage) +typedef unsigned long in_addr_t; /* base type for internet address +*/ +------------------------^ +cc: Warning: spamd/spamc.c, line 169: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"unsigned ch +ar". (ptrmismatch) + if((bytes = full_read (in, msg_buf, max_size+1024, max_size+1024)) > +max_size) +-----------------------------^ +cc: Warning: spamd/spamc.c, line 174: In this statement, the referenced +type of +the pointer value "header_buf" is "char", which is not compatible with +"const un +signed char". (ptrmismatch) + full_write (out,header_buf,bytes2); +--------------------^ + +There are lots more where they came from. Any ideas what can be done? +Thanks in advance. + +================================================================================ +Don Newcomer Dickinson College +Associate Director, System and Network Services P.O. Box 1773 +newcomer@dickinson.edu Carlisle, PA 17013 + Phone: (717) 245-1256 + FAX: (717) 245-1690 + + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1456.c3d6fc8d95ff2e649889cefaec7920f3 b/machine-learning-ex6/ex6/easy_ham/1456.c3d6fc8d95ff2e649889cefaec7920f3 new file mode 100644 index 0000000..97320ef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1456.c3d6fc8d95ff2e649889cefaec7920f3 @@ -0,0 +1,92 @@ +From spamassassin-commits-admin@lists.sourceforge.net Thu Aug 29 11:06:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2CC6144173 + for ; Thu, 29 Aug 2002 06:05:12 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:12 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SM8rZ12141 for ; Wed, 28 Aug 2002 23:08:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kAzn-0007qD-00; Wed, + 28 Aug 2002 15:09:03 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kAzP-0002qb-00 for ; + Wed, 28 Aug 2002 15:08:39 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17kAzN-0005yr-00 for + ; Wed, 28 Aug 2002 15:08:37 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17kAzN-0006Td-00 for + ; Wed, 28 Aug 2002 15:08:37 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/masses parse-rules-for-masses,1.1.2.2,1.1.2.3 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 15:08:37 -0700 +Date: Wed, 28 Aug 2002 15:08:37 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/masses +In directory usw-pr-cvs1:/tmp/cvs-serv24879 + +Modified Files: + Tag: b2_4_0 + parse-rules-for-masses +Log Message: +fix for bug 784 + +Index: parse-rules-for-masses +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/masses/parse-rules-for-masses,v +retrieving revision 1.1.2.2 +retrieving revision 1.1.2.3 +diff -b -w -u -d -r1.1.2.2 -r1.1.2.3 +--- parse-rules-for-masses 28 Aug 2002 13:49:51 -0000 1.1.2.2 ++++ parse-rules-for-masses 28 Aug 2002 22:08:35 -0000 1.1.2.3 +@@ -28,6 +28,7 @@ + + if (!defined $outputfile) { + $outputfile = "./tmp/rules.pl"; ++ mkdir ("tmp", 0755); + } + + my $rules = { }; + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1457.8bdec7ac0e8bbe2ed09f7863a3807312 b/machine-learning-ex6/ex6/easy_ham/1457.8bdec7ac0e8bbe2ed09f7863a3807312 new file mode 100644 index 0000000..7a994b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1457.8bdec7ac0e8bbe2ed09f7863a3807312 @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8FA0344167 + for ; Thu, 29 Aug 2002 06:05:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:15 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMFiZ12380 for ; Wed, 28 Aug 2002 23:15:44 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kB4e-0001Lv-00; Wed, + 28 Aug 2002 15:14:04 -0700 +Received: from adsl-216-103-211-240.dsl.snfc21.pacbell.net + ([216.103.211.240] helo=proton.pathname.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kB4L-0006hu-00 for ; + Wed, 28 Aug 2002 15:13:45 -0700 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17kB4H-000848-00; Wed, 28 Aug 2002 15:13:41 -0700 +To: Robin Lynn Frank +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +References: <1030560510.17408.TMDA@omega.paradigm-omega.net> +From: Daniel Quinlan +In-Reply-To: Robin Lynn Frank's message of "Wed, 28 Aug 2002 11:48:12 -0700" +Message-Id: +Lines: 32 +X-Mailer: Gnus v5.7/Emacs 20.7 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 15:13:41 -0700 +Date: 28 Aug 2002 15:13:41 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.6 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05, + USER_AGENT_GNUS_XM + version=2.40-cvs +X-Spam-Level: + +Robin Lynn Frank writes: + +> I may be dense, but why would anyone want to utilize Habeus? To me, +> it looks like a potential backdoor to anyone's defenses against spam. +> +> If I were a spammer, I'd simply set up a server, send out my spam with +> the Habeus headers and continue till I was reasonably certain I'd been +> reported. Then I'd simply reconfigure the server and reconnect to a +> different IP. As long as no one can establish my connection to the +> web sites my spam is directing people to, I'm home free. + +Here is the bug I opened: + + http://www.hughes-family.org/bugzilla/show_bug.cgi?id=762 + +RBLs have the same problem, but there is no negative RBL header rule +with a -20 score that can be forged, so the problem is unique to Habeas. + +> Since I can set up spamassassin to I don't "lose" any email, what do I +> gain by making it easier for spam to get through?? + +My primary issue is the magnitude of the negative score and that it was +not determined empirically. I am also concerned that it was added after +the rules freeze, that such a major change was not discussed in advance, +etc. + +There's also no evidence that the rule will actually reduce FPs. People +who are smart enough to use the rule are probably capable of writing +email that doesn't look like spam (I'm not counting spam mailing lists +which you need to be exempted from spam filtering). + +Dan + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1458.41929f2d84553fee75ee83a78d735972 b/machine-learning-ex6/ex6/easy_ham/1458.41929f2d84553fee75ee83a78d735972 new file mode 100644 index 0000000..c39eb1c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1458.41929f2d84553fee75ee83a78d735972 @@ -0,0 +1,85 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 50D4344175 + for ; Thu, 29 Aug 2002 06:05:19 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:19 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMPTZ12720 for ; Wed, 28 Aug 2002 23:25:29 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBEK-0003ev-00; Wed, + 28 Aug 2002 15:24:04 -0700 +Received: from adsl-216-103-211-240.dsl.snfc21.pacbell.net + ([216.103.211.240] helo=proton.pathname.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kBE4-0001J7-00 for ; + Wed, 28 Aug 2002 15:23:48 -0700 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17kBE1-00088a-00; Wed, 28 Aug 2002 15:23:45 -0700 +To: Arnaud Abelard +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] custom score for a given domain? +References: <3D6CE817.20608@sciences.univ-nantes.fr> +From: Daniel Quinlan +In-Reply-To: Arnaud Abelard's message of "Wed, 28 Aug 2002 17:11:19 +0200" +Message-Id: +Lines: 20 +X-Mailer: Gnus v5.7/Emacs 20.7 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 15:23:45 -0700 +Date: 28 Aug 2002 15:23:45 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.8 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_GNUS_XM + version=2.40-cvs +X-Spam-Level: + +> MSG_ID_ADDED_BY_MTA (4.0 points) +> INVALID_MSGID (1.8 points) +> MSG_ID_ADDED_BY_MTA_2 (1.6 points) + +Here are the new scores in the 2.40 branch (they may change, but they +are better than before). + +score INVALID_MSGID 1.226 +score MSG_ID_ADDED_BY_MTA 1.696 +score MSG_ID_ADDED_BY_MTA_2 0.532 + +Total of 3.5 which is better than 7.4, I suppose. + +If they fixed their MSGID, it would help. I suppose we could allow +comments without hurting spam detection too much, but I'm reluctant +(it's pretty bizarre to put a comment after the Message-ID header). + +Can you open a bugzilla ticket for this one? + +Dan + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1459.74fc3984acd4e3e9f00e77f599d2fe27 b/machine-learning-ex6/ex6/easy_ham/1459.74fc3984acd4e3e9f00e77f599d2fe27 new file mode 100644 index 0000000..9bbaef3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1459.74fc3984acd4e3e9f00e77f599d2fe27 @@ -0,0 +1,152 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:06:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 78DD64415D + for ; Thu, 29 Aug 2002 06:05:21 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:21 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMPuZ12725 for ; Wed, 28 Aug 2002 23:25:56 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBEJ-0003eE-00; Wed, + 28 Aug 2002 15:24:03 -0700 +Received: from info.uah.edu ([146.229.5.36]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kBDn-0001Ho-00 for ; + Wed, 28 Aug 2002 15:23:31 -0700 +Received: from info.uah.edu (localhost [127.0.0.1]) by info.uah.edu + (8.12.5/8.12.5) with ESMTP id g7SMNTWI008078 for + ; Wed, 28 Aug 2002 17:23:29 -0500 + (CDT) +Received: from localhost (jim@localhost) by info.uah.edu + (8.12.5/8.12.5/Submit) with ESMTP id g7SMNT2U008075 for + ; Wed, 28 Aug 2002 17:23:29 -0500 + (CDT) +From: Jim McCullars +To: spamassassin-talk@example.sourceforge.net +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Scanned-BY: MIMEDefang 2.17 (www . roaringpenguin . com / mimedefang) +Subject: [SAtalk] Compile error under Digital Unix +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:23:29 -0500 (CDT) +Date: Wed, 28 Aug 2002 17:23:29 -0500 (CDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Hi, I'm trying to build SA under Digital Unix 4.0f and am receiving a +compile error (and many warnings) for spamc. The "perl Makefile.PL" +does OK, but when I do the make, I get this: + +cc -std -fprm d -ieee -D_INTRINSICS -I/usr/local/include -DLANGUAGE_C +-O4 spamd +/spamc.c -o spamd/spamc -L/usr/local/lib -lbind -ldbm -ldb -lm -liconv +-lutil +cc: Error: spamd/spamc.c, line 50: In this declaration, "in_addr_t" has +no linkage and has a prior declaration in this scope at line number 592 in file +/usr/include/sys/types.h. (nolinkage) +typedef unsigned long in_addr_t; /* base type for internet +address */ +------------------------^ +cc: Warning: spamd/spamc.c, line 169: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"unsigned char". (ptrmismatch) + if((bytes = full_read (in, msg_buf, max_size+1024, max_size+1024)) > +max_size) +-----------------------------^ +cc: Warning: spamd/spamc.c, line 174: In this statement, the referenced +type of +the pointer value "header_buf" is "char", which is not compatible with +"const unsigned char". (ptrmismatch) + full_write (out,header_buf,bytes2); +--------------------^ +cc: Warning: spamd/spamc.c, line 202: In this statement, the referenced +type of +the pointer value "header_buf" is "char", which is not compatible with +"const unsigned char". (ptrmismatch) + full_write (out,header_buf,bytes2); +--------------------^ +cc: Warning: spamd/spamc.c, line 203: In this statement, the referenced +type of the pointer value "msg_buf" is "char", which is not compatible +with "const unsigned char". (ptrmismatch) + full_write (out,msg_buf,bytes); +--------------------^ +cc: Warning: spamd/spamc.c, line 306: In this statement, the referenced +type of the pointer value "buf" is "char", which is not compatible with +"unsigned char". + (ptrmismatch) + if(full_read (in,buf,2,2) != 2 || !('\r' == buf[0] && '\n' == +buf[1])) +---------------------------^ +cc: Warning: spamd/spamc.c, line 321: In this statement, the referenced +type of +the pointer value "buf" is "char", which is not compatible with +"unsigned char". + (ptrmismatch) + while((bytes=full_read (in,buf,8192, 8192)) > 0) +-------------------------------^ +cc: Warning: spamd/spamc.c, line 348: In this statement, the referenced +type of +the pointer value "out_buf" is "char", which is not compatible with +"const unsigned char". (ptrmismatch) + full_write (out, out_buf, out_index); +-----------------------^ +cc: Warning: spamd/spamc.c, line 497: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"const unsigned char". (ptrmismatch) + full_write (STDOUT_FILENO,msg_buf,amount_read); +--------------------------------^ +cc: Warning: spamd/spamc.c, line 512: In this statement, the referenced +type of +the pointer value "msg_buf" is "char", which is not compatible with +"const unsigned char". (ptrmismatch) + full_write(STDOUT_FILENO,msg_buf,amount_read); +-------------------------------^ +*** Exit 1 +Stop. + +Can anyone suggest a way to get around this? TIA... + +Jim +*-------------------------------------------------------------------------* +* James H. McCullars I Phone: (256) 824-2610 * +* Director of Systems & Operations I Fax: (256) 824-6643 * +* Computer & Network Services I Internet: mccullj@email.uah.edu * +* The University of Alabama I -----------------------------------* +* in Huntsville I * +* Huntsville, AL 35899 I This space for rent - CHEAP! * +*-------------------------------------------------------------------------* + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1460.8ad306210b1538d37993a51b69544e5b b/machine-learning-ex6/ex6/easy_ham/1460.8ad306210b1538d37993a51b69544e5b new file mode 100644 index 0000000..af48600 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1460.8ad306210b1538d37993a51b69544e5b @@ -0,0 +1,72 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:07:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8EE4A44156 + for ; Thu, 29 Aug 2002 06:05:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMbHZ13057 for ; Wed, 28 Aug 2002 23:37:18 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBPx-00075K-00; Wed, + 28 Aug 2002 15:36:05 -0700 +Received: from two.fidnet.com ([216.229.64.72] helo=mail.fidnet.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kBPc-0002ov-00 for ; + Wed, 28 Aug 2002 15:35:45 -0700 +Received: (qmail 31757 invoked from network); 28 Aug 2002 22:35:43 -0000 +Received: from cable-modem-mo-145-11.rolla.fidnet.com (HELO gabriels) + (64.251.145.11) by two.fidnet.com with SMTP; 28 Aug 2002 22:35:43 -0000 +Content-Type: text/plain; charset="us-ascii" +From: Jon Gabrielson +To: spamassassin-talk@example.sourceforge.net +User-Agent: KMail/1.4.3 +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281735.33851.jon.g@directfreight.com> +Subject: [SAtalk] moving SPAM: results to bottom of message. +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:35:33 -0500 +Date: Wed, 28 Aug 2002 17:35:33 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.0 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +Is there a way to tell spamassassin to put the results at the bottom +of the message instead? If not, what is the easiest way to do this. +I found a report_header, but no equivalent report_bottom. + +Thanks, + +Jon. +jon.g@directfreight.com + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1461.7a96cf16c999d9db5e0cf0369203866d b/machine-learning-ex6/ex6/easy_ham/1461.7a96cf16c999d9db5e0cf0369203866d new file mode 100644 index 0000000..15c2617 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1461.7a96cf16c999d9db5e0cf0369203866d @@ -0,0 +1,93 @@ +From spamassassin-commits-admin@lists.sourceforge.net Thu Aug 29 11:07:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 05DC347C66 + for ; Thu, 29 Aug 2002 06:05:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMkrZ13379 for ; Wed, 28 Aug 2002 23:46:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBaa-0000px-00; Wed, + 28 Aug 2002 15:47:04 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kBa3-000655-00 for ; + Wed, 28 Aug 2002 15:46:31 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17kBa3-0006nR-00 for + ; Wed, 28 Aug 2002 15:46:31 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17kBa2-00013s-00 for + ; Wed, 28 Aug 2002 15:46:30 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/t SATest.pm,1.15.4.1,1.15.4.2 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 15:46:30 -0700 +Date: Wed, 28 Aug 2002 15:46:30 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/t +In directory usw-pr-cvs1:/tmp/cvs-serv3992/t + +Modified Files: + Tag: b2_4_0 + SATest.pm +Log Message: +ok, looks like SA can now be run even with another version installed in /usr, again + +Index: SATest.pm +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/t/SATest.pm,v +retrieving revision 1.15.4.1 +retrieving revision 1.15.4.2 +diff -b -w -u -d -r1.15.4.1 -r1.15.4.2 +--- SATest.pm 27 Aug 2002 21:44:14 -0000 1.15.4.1 ++++ SATest.pm 28 Aug 2002 22:46:28 -0000 1.15.4.2 +@@ -15,7 +15,7 @@ + my $tname = shift; + + $scr = $ENV{'SCRIPT'}; +- $scr ||= "../spamassassin"; ++ $scr ||= "perl -w ../spamassassin"; + + $spamd = $ENV{'SPAMD_SCRIPT'}; + $spamd ||= "../spamd/spamd -x"; + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1462.ef8fdbd441dade85c95fa014b058b896 b/machine-learning-ex6/ex6/easy_ham/1462.ef8fdbd441dade85c95fa014b058b896 new file mode 100644 index 0000000..ad7c5fd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1462.ef8fdbd441dade85c95fa014b058b896 @@ -0,0 +1,106 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:07:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8919E4416A + for ; Thu, 29 Aug 2002 06:05:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:32 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SMqbZ13511 for ; Wed, 28 Aug 2002 23:52:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBdV-0001CS-00; Wed, + 28 Aug 2002 15:50:05 -0700 +Received: from pimout2-ext.prodigy.net ([207.115.63.101]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kBcp-0006qL-00 for ; + Wed, 28 Aug 2002 15:49:23 -0700 +Received: from nightrealms.com (adsl-66-126-173-116.dsl.snfc21.pacbell.net + [66.126.173.116]) by pimout2-ext.prodigy.net (8.11.0/8.11.0) with SMTP id + g7SMnKa349682 for ; + Wed, 28 Aug 2002 18:49:21 -0400 +Received: (qmail 3711 invoked by uid 1001); 28 Aug 2002 22:48:23 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Matthew Cline +Organization: Night Realms +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +X-Mailer: KMail [version 1.4] +References: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> + <1030567825.3271.TMDA@omega.paradigm-omega.net> +In-Reply-To: <1030567825.3271.TMDA@omega.paradigm-omega.net> +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281548.21264.matt@nightrealms.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 15:48:21 -0700 +Date: Wed, 28 Aug 2002 15:48:21 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-34.8 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY, + HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +On Wednesday 28 August 2002 01:50 pm, Robin Lynn Frank wrote: + +> On Wednesday 28 August 2002 01:34 pm, Brian McNett wrote: +> > Also, that little haiku is a copyrighted work, so not only CAN +> > Habeas sue, they MUST sue to protect their copyright. And since +> > it's a trademark as well, that's a double-whammy. Habeas has +> > some pretty high-powered legal people, who will gladly go to +> > town on violators. + +> > The whole point here is to give them the legal leverage they +> > need to put spammers out of business, and not only block mail +> > from them, but allow through the things that really AREN'T spam. + +> And if a spammer forges headers??? + +There must be *some* way of tracking a spammer down, since they are planning +on making money from the spam. What a court would consider evidence of being +the spammer is another question. + +-- +Give a man a match, and he'll be warm for a minute, but set him on +fire, and he'll be warm for the rest of his life. + +ICQ: 132152059 | Advanced SPAM filtering software: http://spamassassin.org + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1463.92f97ef2ccc550773ac1ca0fb3feac52 b/machine-learning-ex6/ex6/easy_ham/1463.92f97ef2ccc550773ac1ca0fb3feac52 new file mode 100644 index 0000000..65e92ea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1463.92f97ef2ccc550773ac1ca0fb3feac52 @@ -0,0 +1,79 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:07:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C00134415E + for ; Thu, 29 Aug 2002 06:05:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:37 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SN6FZ14435 for ; Thu, 29 Aug 2002 00:06:15 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBs1-0003yD-00; Wed, + 28 Aug 2002 16:05:05 -0700 +Received: from moonbase.zanshin.com ([167.160.213.139]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kBqz-0003Vv-00 for + ; Wed, 28 Aug 2002 16:04:01 -0700 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g7SN40J32497 for ; Wed, + 28 Aug 2002 16:04:00 -0700 +From: Bart Schaefer +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +In-Reply-To: <200208281548.21264.matt@nightrealms.com> +Message-Id: +Mail-Followup-To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 16:04:00 -0700 (PDT) +Date: Wed, 28 Aug 2002 16:04:00 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Wed, 28 Aug 2002, Matthew Cline wrote: + +> There must be *some* way of tracking a spammer down, since they are +> planning on making money from the spam. + +Many spammers make money not from response to the spam, but from selling +the service of spamming on behalf of someone else. You might track down +whoever paid for the mailing, but tracking down the actual sender might be +more difficult, and even if they manage to recover damages from the buyer +they haven't stopped the spammer, so the benefit is strictly to Habeas, +not to the recipients of the spam. That's the main problem I have with +the whole scenario: My pain, Habeas's gain, and those most likely to be +held liable are those least likely to be the really serious abusers. + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1464.1bf98a5939c5dccf46f3e7c482e7e906 b/machine-learning-ex6/ex6/easy_ham/1464.1bf98a5939c5dccf46f3e7c482e7e906 new file mode 100644 index 0000000..29e3d6f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1464.1bf98a5939c5dccf46f3e7c482e7e906 @@ -0,0 +1,439 @@ +From spamassassin-commits-admin@lists.sourceforge.net Thu Aug 29 11:07:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E938744157 + for ; Thu, 29 Aug 2002 06:05:49 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:49 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SNTpZ15202 for ; Thu, 29 Aug 2002 00:29:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kCGA-00016L-00; Wed, + 28 Aug 2002 16:30:02 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kCFH-0007gM-00 for ; + Wed, 28 Aug 2002 16:29:07 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17kCFG-0007lf-00 for + ; Wed, 28 Aug 2002 16:29:06 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17kCFG-00041w-00 for + ; Wed, 28 Aug 2002 16:29:06 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin configure,1.1.2.1,1.1.2.2 + configure.in,1.1.2.1,1.1.2.2 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 16:29:06 -0700 +Date: Wed, 28 Aug 2002 16:29:06 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin +In directory usw-pr-cvs1:/tmp/cvs-serv15398 + +Modified Files: + Tag: b2_4_0 + configure configure.in +Log Message: +NetBSD support patch from Klaus Heinz, bug 785 + +Index: configure +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/configure,v +retrieving revision 1.1.2.1 +retrieving revision 1.1.2.2 +diff -b -w -u -d -r1.1.2.1 -r1.1.2.2 +--- configure 27 Aug 2002 23:07:13 -0000 1.1.2.1 ++++ configure 28 Aug 2002 23:29:04 -0000 1.1.2.2 +@@ -1273,18 +1273,22 @@ + cat > conftest.$ac_ext < + #include ++int main() { ++printf ("%d", SHUT_RD); return 0; ++; return 0; } + EOF +-if (eval "$ac_cpp conftest.$ac_ext") 2>&5 | +- egrep "SHUT_RD" >/dev/null 2>&1; then ++if { (eval echo configure:1283: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + shutrd=yes + else ++ echo "configure: failed program was:" >&5 ++ cat conftest.$ac_ext >&5 + rm -rf conftest* + shutrd=no + fi +-rm -f conftest* +- ++rm -f conftest*, + + fi + +@@ -1298,7 +1302,7 @@ + + + echo $ac_n "checking for socket in -lsocket""... $ac_c" 1>&6 +-echo "configure:1302: checking for socket in -lsocket" >&5 ++echo "configure:1306: checking for socket in -lsocket" >&5 + ac_lib_var=`echo socket'_'socket | sed 'y%./+-%__p_%'` + if eval "test \"`echo '$''{'ac_cv_lib_$ac_lib_var'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 +@@ -1306,7 +1310,7 @@ + ac_save_LIBS="$LIBS" + LIBS="-lsocket $LIBS" + cat > conftest.$ac_ext <&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then ++if { (eval echo configure:1325: \"$ac_link\") 1>&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then + rm -rf conftest* + eval "ac_cv_lib_$ac_lib_var=yes" + else +@@ -1345,7 +1349,7 @@ + fi + + echo $ac_n "checking for connect in -linet""... $ac_c" 1>&6 +-echo "configure:1349: checking for connect in -linet" >&5 ++echo "configure:1353: checking for connect in -linet" >&5 + ac_lib_var=`echo inet'_'connect | sed 'y%./+-%__p_%'` + if eval "test \"`echo '$''{'ac_cv_lib_$ac_lib_var'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 +@@ -1353,7 +1357,7 @@ + ac_save_LIBS="$LIBS" + LIBS="-linet $LIBS" + cat > conftest.$ac_ext <&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then ++if { (eval echo configure:1372: \"$ac_link\") 1>&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then + rm -rf conftest* + eval "ac_cv_lib_$ac_lib_var=yes" + else +@@ -1392,7 +1396,7 @@ + fi + + echo $ac_n "checking for t_accept in -lnsl""... $ac_c" 1>&6 +-echo "configure:1396: checking for t_accept in -lnsl" >&5 ++echo "configure:1400: checking for t_accept in -lnsl" >&5 + ac_lib_var=`echo nsl'_'t_accept | sed 'y%./+-%__p_%'` + if eval "test \"`echo '$''{'ac_cv_lib_$ac_lib_var'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 +@@ -1400,7 +1404,7 @@ + ac_save_LIBS="$LIBS" + LIBS="-lnsl $LIBS" + cat > conftest.$ac_ext <&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then ++if { (eval echo configure:1419: \"$ac_link\") 1>&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then + rm -rf conftest* + eval "ac_cv_lib_$ac_lib_var=yes" + else +@@ -1439,7 +1443,7 @@ + fi + + echo $ac_n "checking for dlopen in -ldl""... $ac_c" 1>&6 +-echo "configure:1443: checking for dlopen in -ldl" >&5 ++echo "configure:1447: checking for dlopen in -ldl" >&5 + ac_lib_var=`echo dl'_'dlopen | sed 'y%./+-%__p_%'` + if eval "test \"`echo '$''{'ac_cv_lib_$ac_lib_var'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 +@@ -1447,7 +1451,7 @@ + ac_save_LIBS="$LIBS" + LIBS="-ldl $LIBS" + cat > conftest.$ac_ext <&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then ++if { (eval echo configure:1466: \"$ac_link\") 1>&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then + rm -rf conftest* + eval "ac_cv_lib_$ac_lib_var=yes" + else +@@ -1489,12 +1493,12 @@ + for ac_func in socket strdup strtod strtol snprintf shutdown + do + echo $ac_n "checking for $ac_func""... $ac_c" 1>&6 +-echo "configure:1493: checking for $ac_func" >&5 ++echo "configure:1497: checking for $ac_func" >&5 + if eval "test \"`echo '$''{'ac_cv_func_$ac_func'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + cat > conftest.$ac_ext <&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then ++if { (eval echo configure:1525: \"$ac_link\") 1>&5; (eval $ac_link) 2>&5; } && test -s conftest${ac_exeext}; then + rm -rf conftest* + eval "ac_cv_func_$ac_func=yes" + else +@@ -1544,20 +1548,20 @@ + + + echo $ac_n "checking for h_errno""... $ac_c" 1>&6 +-echo "configure:1548: checking for h_errno" >&5 ++echo "configure:1552: checking for h_errno" >&5 + if eval "test \"`echo '$''{'herrno'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + + cat > conftest.$ac_ext < + int main() { + printf ("%d", h_errno); return 0; + ; return 0; } + EOF +-if { (eval echo configure:1561: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then ++if { (eval echo configure:1565: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + herrno=yes + else +@@ -1580,20 +1584,20 @@ + + + echo $ac_n "checking for optarg""... $ac_c" 1>&6 +-echo "configure:1584: checking for optarg" >&5 ++echo "configure:1588: checking for optarg" >&5 + if eval "test \"`echo '$''{'haveoptarg'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + + cat > conftest.$ac_ext < + int main() { + if (optarg == (char *) 0L) { return 0; } return 1; + ; return 0; } + EOF +-if { (eval echo configure:1597: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then ++if { (eval echo configure:1601: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + haveoptarg=yes + else +@@ -1616,20 +1620,21 @@ + + + echo $ac_n "checking for in_addr_t""... $ac_c" 1>&6 +-echo "configure:1620: checking for in_addr_t" >&5 ++echo "configure:1624: checking for in_addr_t" >&5 + if eval "test \"`echo '$''{'inaddrt'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + + cat > conftest.$ac_ext < + #include + int main() { + in_addr_t foo; return 0; + ; return 0; } + EOF +-if { (eval echo configure:1633: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then ++if { (eval echo configure:1638: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + inaddrt=yes + else +@@ -1645,12 +1650,12 @@ + echo "$ac_t""$inaddrt" 1>&6 + if test $inaddrt = no ; then + echo $ac_n "checking for in_addr_t""... $ac_c" 1>&6 +-echo "configure:1649: checking for in_addr_t" >&5 ++echo "configure:1654: checking for in_addr_t" >&5 + if eval "test \"`echo '$''{'ac_cv_type_in_addr_t'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + cat > conftest.$ac_ext < + #if STDC_HEADERS +@@ -1681,20 +1686,21 @@ + + + echo $ac_n "checking for INADDR_NONE""... $ac_c" 1>&6 +-echo "configure:1685: checking for INADDR_NONE" >&5 ++echo "configure:1690: checking for INADDR_NONE" >&5 + if eval "test \"`echo '$''{'haveinaddrnone'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + + cat > conftest.$ac_ext < + #include + int main() { + in_addr_t foo = INADDR_NONE; return 0; + ; return 0; } + EOF +-if { (eval echo configure:1698: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then ++if { (eval echo configure:1704: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + haveinaddrnone=yes + else +@@ -1717,20 +1723,23 @@ + + + echo $ac_n "checking for EX__MAX""... $ac_c" 1>&6 +-echo "configure:1721: checking for EX__MAX" >&5 ++echo "configure:1727: checking for EX__MAX" >&5 + if eval "test \"`echo '$''{'haveexmax'+set}'`\" = set"; then + echo $ac_n "(cached) $ac_c" 1>&6 + else + + cat > conftest.$ac_ext < ++#endif + #include + int main() { + int foo = EX__MAX; return 0; + ; return 0; } + EOF +-if { (eval echo configure:1734: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then ++if { (eval echo configure:1743: \"$ac_compile\") 1>&5; (eval $ac_compile) 2>&5; }; then + rm -rf conftest* + haveexmax=yes + else + +Index: configure.in +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/configure.in,v +retrieving revision 1.1.2.1 +retrieving revision 1.1.2.2 +diff -b -w -u -d -r1.1.2.1 -r1.1.2.2 +--- configure.in 27 Aug 2002 23:07:13 -0000 1.1.2.1 ++++ configure.in 28 Aug 2002 23:29:04 -0000 1.1.2.2 +@@ -26,9 +26,11 @@ + + AC_CACHE_CHECK([for SHUT_RD], + shutrd, [ +- AC_EGREP_HEADER(SHUT_RD, sys/socket.h, ++ AC_TRY_COMPILE([#include ++#include ], ++ [printf ("%d", SHUT_RD); return 0;], + [shutrd=yes], +- [shutrd=no]) ++ [shutrd=no]), + ]) + if test $shutrd = yes ; then + AC_DEFINE(HAVE_SHUT_RD) +@@ -73,7 +75,8 @@ + + AC_CACHE_CHECK([for in_addr_t], + inaddrt, [ +- AC_TRY_COMPILE([#include ], ++ AC_TRY_COMPILE([#include ++#include ], + [in_addr_t foo; return 0;], + [inaddrt=yes], + [inaddrt=no]), +@@ -86,7 +89,8 @@ + + AC_CACHE_CHECK([for INADDR_NONE], + haveinaddrnone, [ +- AC_TRY_COMPILE([#include ], ++ AC_TRY_COMPILE([#include ++#include ], + [in_addr_t foo = INADDR_NONE; return 0;], + [haveinaddrnone=yes], + [haveinaddrnone=no]), +@@ -99,7 +103,10 @@ + + AC_CACHE_CHECK([for EX__MAX], + haveexmax, [ +- AC_TRY_COMPILE([#include ], ++ AC_TRY_COMPILE([#ifdef HAVE_SYSEXITS_H ++#include ++#endif ++#include ], + [int foo = EX__MAX; return 0;], + [haveexmax=yes], + [haveexmax=no]), + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1465.1bb092b8dafbc6290d3884172d0d49c7 b/machine-learning-ex6/ex6/easy_ham/1465.1bb092b8dafbc6290d3884172d0d49c7 new file mode 100644 index 0000000..31e7372 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1465.1bb092b8dafbc6290d3884172d0d49c7 @@ -0,0 +1,80 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:07:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0872947C6B + for ; Thu, 29 Aug 2002 06:05:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:54 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SNa8Z15513 for ; Thu, 29 Aug 2002 00:36:09 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kCL2-0001Un-00; Wed, + 28 Aug 2002 16:35:04 -0700 +Received: from dogma.slashnull.org ([212.17.35.15]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kCKk-0008J2-00 for ; + Wed, 28 Aug 2002 16:34:46 -0700 +Received: (from apache@localhost) by dogma.slashnull.org (8.11.6/8.11.6) + id g7SNYIr15334; Thu, 29 Aug 2002 00:34:18 +0100 +X-Authentication-Warning: dogma.slashnull.org: apache set sender to + jmmail@jmason.org using -f +Received: from 194.125.173.10 (SquirrelMail authenticated user yyyymail) by + jmason.org with HTTP; Thu, 29 Aug 2002 00:34:17 +0100 (IST) +Message-Id: <32978.194.125.173.10.1030577657.squirrel@example.com> +Subject: Re: [SAdev] 2.40: ready for release? +From: "Justin Mason" +To: felicity@kluge.net +In-Reply-To: <20020828230545.GB6877@kluge.net> +References: <20020828230545.GB6877@kluge.net> +Cc: yyyy@example.com, SpamAssassin-devel@example.sourceforge.net +X-Mailer: SquirrelMail (version 1.0.6) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:34:17 +0100 (IST) +Date: Thu, 29 Aug 2002 00:34:17 +0100 (IST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,X_AUTH_WARNING + version=2.40-cvs +X-Spam-Level: + + +> t/db_based_whitelist.Use of bare << to mean <<"" is deprecated at +> ../lib/Mail/SpamAssassin/HTML.pm line 1. Use of bare << to mean <<"" is +> deprecated at ../lib/Mail/SpamAssassin/HTML.pm line 6. Unquoted string + +hmm, could you check your installation? those chars aren't in my +version at all. + +--j. + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1466.f7d9619d0f8ed31c43b8311a11472db5 b/machine-learning-ex6/ex6/easy_ham/1466.f7d9619d0f8ed31c43b8311a11472db5 new file mode 100644 index 0000000..dafcce1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1466.f7d9619d0f8ed31c43b8311a11472db5 @@ -0,0 +1,95 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:07:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 115D644161 + for ; Thu, 29 Aug 2002 06:05:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:05:55 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SNgEZ15659 for ; Thu, 29 Aug 2002 00:42:14 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kCOu-0002mF-00; Wed, + 28 Aug 2002 16:39:04 -0700 +Received: from adsl-216-103-211-240.dsl.snfc21.pacbell.net + ([216.103.211.240] helo=proton.pathname.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kCOD-0000uN-00 for ; + Wed, 28 Aug 2002 16:38:21 -0700 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17kCOB-0008Rl-00; Wed, 28 Aug 2002 16:38:19 -0700 +To: Matthew Cline +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +References: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> + <1030567825.3271.TMDA@omega.paradigm-omega.net> + <200208281548.21264.matt@nightrealms.com> +From: Daniel Quinlan +In-Reply-To: Matthew Cline's message of "Wed, 28 Aug 2002 15:48:21 -0700" +Message-Id: +Lines: 27 +X-Mailer: Gnus v5.7/Emacs 20.7 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 16:38:19 -0700 +Date: 28 Aug 2002 16:38:19 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_GNUS_XM + version=2.40-cvs +X-Spam-Level: + +Matthew Cline writes: + +> There must be *some* way of tracking a spammer down, since they are +> planning on making money from the spam. What a court would consider +> evidence of being the spammer is another question. + +Haha!!! + +Just a few notes: + + - It will be difficult to find, prosecute, and win money from someone + in various non-friendly countries where spam originates (China is a + good example) even if they do officially "respect" copyright law. + + - Law suits take time. Between now and conclusion of the first court + case, we could have years of spam in our mail boxes! + + - Contact information can change: phone numbers, PO boxes, stolen + cell phones, temporary email addresses, etc. + + - Spammers do not always remember to include contact information! I + don't understand it either, but nobody said they were bright. Also, + some spam is non-commercial or sent by a third-party (for example, + "pump and dump" stock scams), so contact information is not strictly + required for the spammer to get their way. + +Dan + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1467.59a3ea5497660ce75f4b6c3d794cdc33 b/machine-learning-ex6/ex6/easy_ham/1467.59a3ea5497660ce75f4b6c3d794cdc33 new file mode 100644 index 0000000..d8e1a26 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1467.59a3ea5497660ce75f4b6c3d794cdc33 @@ -0,0 +1,89 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:07:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C123A44162 + for ; Thu, 29 Aug 2002 06:06:00 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:00 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T0AMZ19081 for ; Thu, 29 Aug 2002 01:10:22 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kCqC-0004QL-00; Wed, + 28 Aug 2002 17:07:16 -0700 +Received: from sccrmhc01.attbi.com ([204.127.202.61]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kCpc-00060j-00 for ; + Wed, 28 Aug 2002 17:06:40 -0700 +Received: from localhost ([12.229.66.144]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020829000611.QMMF11061.sccrmhc01.attbi.com@localhost> for + ; Thu, 29 Aug 2002 00:06:11 +0000 +Subject: Re: [SAtalk] O.T. Habeus -- Why? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Brian McNett +To: spamassassin-talk@example.sourceforge.net +Content-Transfer-Encoding: 7bit +In-Reply-To: <1030567825.3271.TMDA@omega.paradigm-omega.net> +Message-Id: <135470FA-BAE3-11D6-AD60-003065C182B0@radparker.com> +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:05:49 -0700 +Date: Wed, 28 Aug 2002 17:05:49 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.3 required=7.0 + tests=EMAIL_ATTRIBUTION,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Wednesday, August 28, 2002, at 01:50 PM, Robin Lynn Frank wrote: + +> And if a spammer forges headers??? + +Header forgeries are trivially easy to detect. The main way that +spammers hide their originating IPs is not by forging headers, +but by sending through open proxy servers. It used to be that +spammers used open relay mailserver, but these often betray the +originating IP, and the proliferation of open relay blocklists, +and the introduction of port 25 blocking on the part of many +ISPs make open relays unattractive to spammers. + +One would think, that the combination of a forged Habeas-SWE, +and mail sent through an anonymizing open proxy would be a +fairly good indication of spam. Tracking a spammer to his +meatspace location is not as difficult as you might think, once +you have legal recourse to subpoena records. + +--B + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1468.b214bf3ffdffb1c95702580a58ae9aea b/machine-learning-ex6/ex6/easy_ham/1468.b214bf3ffdffb1c95702580a58ae9aea new file mode 100644 index 0000000..d754291 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1468.b214bf3ffdffb1c95702580a58ae9aea @@ -0,0 +1,138 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D21D244160 + for ; Thu, 29 Aug 2002 06:06:02 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T0n0Z21570 for ; Thu, 29 Aug 2002 01:49:01 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kDSh-0002yw-00; Wed, + 28 Aug 2002 17:47:03 -0700 +Received: from sccrmhc01.attbi.com ([204.127.202.61]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kDRu-0001sK-00 for ; + Wed, 28 Aug 2002 17:46:14 -0700 +Received: from localhost ([12.229.66.144]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020829004607.SVKQ11061.sccrmhc01.attbi.com@localhost> for + ; Thu, 29 Aug 2002 00:46:07 +0000 +Subject: Re: [SAtalk] O.T. Habeus -- Why? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +From: Brian McNett +To: spamassassin-talk@example.sourceforge.net +Content-Transfer-Encoding: 7bit +In-Reply-To: +Message-Id: +X-Mailer: Apple Mail (2.482) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:45:49 -0700 +Date: Wed, 28 Aug 2002 17:45:49 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.8 required=7.0 + tests=EMAIL_ATTRIBUTION,FUDGE_MULTIHOP_RELAY,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_00_01, + USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Wednesday, August 28, 2002, at 04:38 PM, Daniel Quinlan wrote: + +> Just a few notes: +> +> - It will be difficult to find, prosecute, and win money from someone +> in various non-friendly countries where spam originates (China is a +> good example) even if they do officially "respect" copyright law. + + +A lot of spam which *appears* to originate from China, and even +a lot which advertises websites hosted there, is sent by, and is +done for the benefit of, companies based in the US. The spam +often appears to originate there because it's coming from open +http, or squid proxy servers. It's hosted there because these +spammers are now persona-non-grata on all US ISPs. One hardly +needs to involve the Chinese government in a case where a US +citizen is violating US law. + + +> - Law suits take time. Between now and conclusion of the first court +> case, we could have years of spam in our mail boxes! + +The first court cases were actually concluded years ago. These +include many legal precedents which are used to protect the +rights of ISPs to block mail, and to terminate service to +spammers. + +> - Contact information can change: phone numbers, PO boxes, stolen +> cell phones, temporary email addresses, etc. + +Surprising then, how much information you can find on the +current whereabouts of long-time spammers like Alan Ralksy of +Detroit, Michigan. Ralsky is a guy who even gives interviews to +the news media. If you can connect a specific corpus of spam to +him, his street address is well known. Ralsky is a prime +candidate for lawsuits in any state with an anti-spam law. +Thomas Cowles is another long-time spammer, but last I heard +he'd been jailed for stealing computer equipment from his +business partner, Eddy Marin (also a long time spammer (You've +heard of PopLaunch, right?) + +> - Spammers do not always remember to include contact information! I +> don't understand it either, but nobody said they were bright. Also, +> some spam is non-commercial or sent by a third-party (for example, +> "pump and dump" stock scams), so contact information is not strictly +> required for the spammer to get their way. + +Back when I was working at MAPS, there was a flap over a +pump-and-dump spammer, Rodona Garst. Seems she had an open +file-share on her laptop, and when she forged the wrong domain, +the real owner hacked in and posted all her private information +on a website. Oh, look, it's still there, including the nude +photos: + +http://belps.freewebsites.com/ + +I recall this well, because the SEC was VERY interested in +confirming the validity of the information found online. There +were some "interesting" conversations. This summer, the SEC +released the following: + +http://www.sec.gov/litigation/admin/33-8113.htm + +Yes, the investigation took two years, but the financial penalty +for operating a pump-and-dump scam isn't small. The wheels of +government grind slow, but the grind very fine indeed. + +--B + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1469.792c1b929baaf14e1572437347925cc0 b/machine-learning-ex6/ex6/easy_ham/1469.792c1b929baaf14e1572437347925cc0 new file mode 100644 index 0000000..ab58ce6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1469.792c1b929baaf14e1572437347925cc0 @@ -0,0 +1,79 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 55B8D47C70 + for ; Thu, 29 Aug 2002 06:06:05 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T0ufZ21838 for ; Thu, 29 Aug 2002 01:56:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kDaS-00069z-00; Wed, + 28 Aug 2002 17:55:04 -0700 +Received: from sc-grnvl-66-169-48-229.chartersc.net ([66.169.48.229] + helo=NS.ramblernet.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17kDZU-00032I-00 for + ; Wed, 28 Aug 2002 17:54:04 -0700 +Received: from A700 (A700 [192.123.60.2]) by NS.ramblernet.com + (8.11.6/8.11.6) with SMTP id g7T0kvr27715 for + ; Wed, 28 Aug 2002 20:46:57 -0400 +Reply-To: +From: "Ken" +To: +Message-Id: <01da01c24ef6$585238a0$023c7bc0@A700> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook CWS, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Mailscanner: Found to be clean +Subject: [SAtalk] Having a problem +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 20:52:25 -0400 +Date: Wed, 28 Aug 2002 20:52:25 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=0.8 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,RCVD_IN_RFCI, + SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +Now that I have spam assassin and mailscanner working, how can I have smap +deleted rather than forwarded? + +I changed spam.actions.conf to "default delete" but it is still sending it +to the recipient. + +Thanks, +Ken + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1470.31e4ece4f510b5b908162fe1f1904ef2 b/machine-learning-ex6/ex6/easy_ham/1470.31e4ece4f510b5b908162fe1f1904ef2 new file mode 100644 index 0000000..0edf6ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1470.31e4ece4f510b5b908162fe1f1904ef2 @@ -0,0 +1,116 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3D5444415A + for ; Thu, 29 Aug 2002 06:06:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T0q6Z21641 for ; Thu, 29 Aug 2002 01:52:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kDWb-0005U3-00; Wed, + 28 Aug 2002 17:51:05 -0700 +Received: from pimout1-ext.prodigy.net ([207.115.63.77]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kDWB-0002OV-00 for ; + Wed, 28 Aug 2002 17:50:39 -0700 +Received: from nightrealms.com (adsl-66-126-173-116.dsl.snfc21.pacbell.net + [66.126.173.116]) by pimout1-ext.prodigy.net (8.11.0/8.11.0) with SMTP id + g7T0oaw210208 for ; + Wed, 28 Aug 2002 20:50:36 -0400 +Received: (qmail 5016 invoked by uid 1001); 29 Aug 2002 00:49:38 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Matthew Cline +Organization: Night Realms +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +X-Mailer: KMail [version 1.4] +References: <829DCAD0-BAC5-11D6-AD60-003065C182B0@radparker.com> + <200208281548.21264.matt@nightrealms.com> + +In-Reply-To: +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208281749.37636.matt@nightrealms.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 17:49:37 -0700 +Date: Wed, 28 Aug 2002 17:49:37 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-32.7 required=7.0 + tests=FORGED_RCVD_TRAIL,FUDGE_MULTIHOP_RELAY,HABEAS_SWE, + IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Wednesday 28 August 2002 04:38 pm, Daniel Quinlan wrote: +> Matthew Cline writes: +> > There must be *some* way of tracking a spammer down, since they are +> > planning on making money from the spam. What a court would consider +> > evidence of being the spammer is another question. + +> Haha!!! + +> Just a few notes: + +> - It will be difficult to find, prosecute, and win money from someone +> in various non-friendly countries where spam originates (China is a +> good example) even if they do officially "respect" copyright law. + +SA (and other filters) could be configured to ignore the SWE mark if it +appears to come from/through China. + +> - Spammers do not always remember to include contact information! I +> don't understand it either, but nobody said they were bright. Also, +> some spam is non-commercial or sent by a third-party (for example, +> "pump and dump" stock scams), so contact information is not strictly +> required for the spammer to get their way. + +SA could also be configured so that SWE marks are ignored in messages that +look like third-party spam (like stock scams). Of course, this would still +mean that "The U.N. is going to invade America!" spams with SWE would get +through. Probably also need to ignore SWE in messages that look like +Nigerian scams. + +-- +Give a man a match, and he'll be warm for a minute, but set him on +fire, and he'll be warm for the rest of his life. + +ICQ: 132152059 | Advanced SPAM filtering software: http://spamassassin.org + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1471.2aa0881a829097828a279ffd6ff20ed3 b/machine-learning-ex6/ex6/easy_ham/1471.2aa0881a829097828a279ffd6ff20ed3 new file mode 100644 index 0000000..faf626d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1471.2aa0881a829097828a279ffd6ff20ed3 @@ -0,0 +1,171 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 12BCA4416E + for ; Thu, 29 Aug 2002 06:06:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T3DWZ26496 for ; Thu, 29 Aug 2002 04:13:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kFh7-0004Be-00; Wed, + 28 Aug 2002 20:10:05 -0700 +Received: from [66.120.210.133] (helo=kabul.ad.skymv.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kFgw-0000QV-00 for ; + Wed, 28 Aug 2002 20:09:54 -0700 +Received: from kabul.ad.skymv.com ([192.168.1.70]) by kabul.ad.skymv.com + with Microsoft SMTPSVC(5.0.2195.2966); Wed, 28 Aug 2002 20:09:49 -0700 +Content-Class: urn:content-classes:message +Subject: RE: [SAtalk] O.T. Habeus -- Why? +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Priority: normal +Importance: normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4807.1700 +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [SAtalk] O.T. Habeus -- Why? +Thread-Index: AcJO7qte24+xcf7ESLmrGiiIRFMj4wAGlwww +From: "Dan Kohn" +To: +X-Originalarrivaltime: 29 Aug 2002 03:09:49.0231 (UTC) FILETIME=[890B3BF0:01C24F09] +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 20:09:49 -0700 +Date: Wed, 28 Aug 2002 20:09:49 -0700 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7T3DWZ26496 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-27.1 required=7.0 + tests=EMAIL_ATTRIBUTION,HABEAS_SWE,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +Guys, the Habeas Infringers List (HIL) exists explicitly to deal with +spammers while we're getting judgments against them and especially in +other countries, where those judgments are harder to get. + +Please note that nobody has ever had an incentive before to go after +regular spammers. Yes, some attorneys general have prosecuted blatant +pyramid schemes, and ISPs have won some theft of service suits, but the +vast majority of spammers go forward with out any legal hassles. So, I +can't understand how Daniel can assert that you can't track spammers +down when it's never really been tried. We can subpoena the records of +the business they spammed on behalf of. We can subpoena the records of +the ISP that provided them service, and of the credit card they used for +the whack-a-mole accounts. We can use private investigators. Yes, +these people are often lowlifes (chickenboners). But, they're not +secret agents. They're just trying to make a buck, and Habeas' whole +business is about finding them and putting them out of business + +Habeas has the incentive to pursue spammers (that use our warrant mark) +in a way that no one ever has had before. Given that our whole business +plan relies on Habeas becoming synonymous with "not spam", I can't +understand why you would assume ahead of time that we will be +unsuccessful, plan for that failure, and in so doing, remove the +potential of success, which is anti-spam filters like SA acting on the +Habeas warrant mark. + +Daniel, it's easy enough for you to change the Habeas scores yourself on +your installation. If Habeas fails to live up to its promise to only +license the warrant mark to non-spammers and to place all violators on +the HIL, then I have no doubt that Justin and Craig will quickly remove +us from the next release. But, you're trying to kill Habeas before it +has a chance to show any promise. + +At the end of the day, SpamAssassin is like the Club, in that it +encourages thieves (spammers) to just go after the next car (those +without SA) rather than yours. Habeas can play the role of LoJack (the +transmitter), in enabling the apprehension of thieves so that they don't +steal any more cars. But only if we're given a chance to succeed. + + - dan +-- +Dan Kohn + + +-----Original Message----- +From: Daniel Quinlan [mailto:quinlan@pathname.com] +Sent: Wednesday, August 28, 2002 16:38 +To: Matthew Cline +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? + + +Matthew Cline writes: + +> There must be *some* way of tracking a spammer down, since they are +> planning on making money from the spam. What a court would consider +> evidence of being the spammer is another question. + +Haha!!! + +Just a few notes: + + - It will be difficult to find, prosecute, and win money from someone + in various non-friendly countries where spam originates (China is a + good example) even if they do officially "respect" copyright law. + + - Law suits take time. Between now and conclusion of the first court + case, we could have years of spam in our mail boxes! + + - Contact information can change: phone numbers, PO boxes, stolen + cell phones, temporary email addresses, etc. + + - Spammers do not always remember to include contact information! I + don't understand it either, but nobody said they were bright. Also, + some spam is non-commercial or sent by a third-party (for example, + "pump and dump" stock scams), so contact information is not strictly + required for the spammer to get their way. + +Dan + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1472.817651cadec68cf13d9b23d336825269 b/machine-learning-ex6/ex6/easy_ham/1472.817651cadec68cf13d9b23d336825269 new file mode 100644 index 0000000..f4ea76b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1472.817651cadec68cf13d9b23d336825269 @@ -0,0 +1,83 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 200C043F99 + for ; Thu, 29 Aug 2002 06:06:11 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:11 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T3UJZ27169 for ; Thu, 29 Aug 2002 04:30:19 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kFyY-0002iz-00; Wed, + 28 Aug 2002 20:28:06 -0700 +Received: from [203.65.246.10] (helo=smtp.unet.net.ph) by + usw-sf-list1.sourceforge.net with smtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kFyO-0006PP-00 for + ; Wed, 28 Aug 2002 20:27:56 -0700 +Received: (qmail 1672 invoked from network); 29 Aug 2002 03:27:47 -0000 +Received: (qfscan 0.5. spam=2/0/0/0 remoteip=172.16.0.211): 29 Aug 2002 + 03:27:47 -0000 +Received: from unknown (HELO gor) (172.16.0.211) by dpe1.unet.net.ph with + DES-CBC3-SHA encrypted SMTP; 29 Aug 2002 03:27:47 -0000 +From: Lars Hansson +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] O.T. Habeus -- Why? +Message-Id: <20020829112725.38902390.lars@unet.net.ph> +In-Reply-To: +References: + +X-Mailer: Sylpheed version 0.8.1 (GTK+ 1.2.10; i386-unknown-openbsd3.1) +MIME-Version: 1.0 +Content-Type: text/plain; charset=US-ASCII +Content-Transfer-Encoding: 7bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 11:27:25 +0800 +Date: Thu, 29 Aug 2002 11:27:25 +0800 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.1 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Wed, 28 Aug 2002 17:45:49 -0700 +Brian McNett wrote: + +> The first court cases were actually concluded years ago. These +> include many legal precedents which are used to protect the +> rights of ISPs to block mail, and to terminate service to +> spammers. + +Yeah, but these would be different cases relating to copyright infringements, +not about ISP's blocking mail or not. + + +--- +Lars Hansson + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1473.e93e78909cb4c5fb6092e767671be761 b/machine-learning-ex6/ex6/easy_ham/1473.e93e78909cb4c5fb6092e767671be761 new file mode 100644 index 0000000..bd6eef6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1473.e93e78909cb4c5fb6092e767671be761 @@ -0,0 +1,102 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 32B8444163 + for ; Thu, 29 Aug 2002 06:06:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T4ekZ30210 for ; Thu, 29 Aug 2002 05:40:46 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kH2L-0007lN-00; Wed, + 28 Aug 2002 21:36:05 -0700 +Received: from email.med.yale.edu ([130.132.232.16] + helo=persephone.med.yale.edu) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kH1X-0006ey-00 for + ; Wed, 28 Aug 2002 21:35:15 -0700 +Received: from yale.edu (pcp01253719pcs.hamden01.ct.comcast.net + [68.63.97.130]) by email.med.yale.edu (PMDF V6.1-1 #40995) with ESMTPS id + <0H1L0WM4D8QOED@email.med.yale.edu> for + Spamassassin-talk@lists.sourceforge.net; Thu, 29 Aug 2002 00:35:12 -0400 + (EDT) +From: Rick Beebe +Subject: Re: [SAtalk] Tru64 compile of SA +To: Don Newcomer +Cc: Spamassassin-talk@example.sourceforge.net +Message-Id: <3D6DA650.2040300@yale.edu> +Organization: Yale School of Medicine +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Accept-Language: en-us, en +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1b) + Gecko/20020721 +References: +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:42:56 -0400 +Date: Thu, 29 Aug 2002 00:42:56 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.6 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Don Newcomer wrote: +> I'm a new user (or about to be, hopefully) of SA but I've run into some +> compilation errors that prevent me from installing. Rather than picking +> through the code, I thought I'd avoid reinventing the wheel and ask here. +> When I run the 'make', I get the following: +> +> cc: Error: spamd/spamc.c, line 50: In this declaration, "in_addr_t" has no +> linka +> ge and has a prior declaration in this scope at line number 572 in file +> /usr/inc +> lude/sys/types.h. (nolinkage) +> typedef unsigned long in_addr_t; /* base type for internet address +> */ + +Don't worry about the warnings. To fix the error, edit spamc.c and right +after the line that says: + +#define EX__MAX 77 + +Add: + +#if !defined __osf__ +extern char *optarg; +typedef unsigned long in_addr_t; /* base type for internet address */ +#endif + +(you're adding the two lines that start with #). + +--Rick + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1474.3de55dbbe581bcc06d4f5e2aa0f7b8c3 b/machine-learning-ex6/ex6/easy_ham/1474.3de55dbbe581bcc06d4f5e2aa0f7b8c3 new file mode 100644 index 0000000..c20151f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1474.3de55dbbe581bcc06d4f5e2aa0f7b8c3 @@ -0,0 +1,94 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 29 11:08:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 36B5E4416F + for ; Thu, 29 Aug 2002 06:06:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:15 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T4qPZ30603 for ; Thu, 29 Aug 2002 05:52:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kHGo-0002mR-00; Wed, + 28 Aug 2002 21:51:02 -0700 +Received: from adsl-209-204-188-196.sonic.net ([209.204.188.196] + helo=sidebone.sidney.com) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kHGA-00016k-00 for ; + Wed, 28 Aug 2002 21:50:22 -0700 +Received: from siddesktop ([63.150.47.99]) by sidebone.sidney.com + (8.12.5/8.12.5) with SMTP id g7T4nwCp030411; Wed, 28 Aug 2002 21:49:58 + -0700 +Message-Id: <005b01c24f17$823b1f30$fa7d940a@siddesktop> +From: "Sidney Markowitz" +To: "Theo Van Dinter" , + "Justin Mason" +Cc: +References: <20020828230545.GB6877@kluge.net> + <32978.194.125.173.10.1030577657.squirrel@jmason.org> + <20020829022418.GG6877@kluge.net> +Subject: Re: [SAdev] 2.40: ready for release? +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Scanned-BY: MIMEDefang 2.19 (www . roaringpenguin . com / mimedefang) +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 21:49:49 -0700 +Date: Wed, 28 Aug 2002 21:49:49 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.0 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +> It's this section of spamassassin.raw: +> +> <<<<<<< spamassassin.raw +[...snip] } +> =3D=3D=3D=3D=3D=3D=3D +[... snip ...] +> >>>>>>> 1.68.2.10 +[...snip...] + +This is what cvs puts in when you modify the copy of the file on your disk +and someone checks in a change and then you pull an update and cvs can't +figure out how to merge your changes and the checked in changes. The lines +between the <<<<<< and the ===== are in your file and the ones in the next +section are what have been checked in. You must have not noticed the warning +messages about conflicts that cvs gave you when you did the update, and the +"C" flag next to that file when cvs listed the files being pulled. + + -- sidney + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1475.e7844d0026786e6b2828a0434860f7f6 b/machine-learning-ex6/ex6/easy_ham/1475.e7844d0026786e6b2828a0434860f7f6 new file mode 100644 index 0000000..f9c7ad0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1475.e7844d0026786e6b2828a0434860f7f6 @@ -0,0 +1,96 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 96C1647C76 + for ; Thu, 29 Aug 2002 06:06:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:17 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T5lcZ00342 for ; Thu, 29 Aug 2002 06:47:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kI82-0001mr-00; Wed, + 28 Aug 2002 22:46:02 -0700 +Received: from 12-248-14-26.client.attbi.com ([12.248.14.26] + helo=12-248-11-90.client.attbi.com) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kI75-00013x-00 for ; + Wed, 28 Aug 2002 22:45:03 -0700 +Received: (from skip@localhost) by 12-248-11-90.client.attbi.com + (8.11.6/8.11.6) id g7T5isf30319; Thu, 29 Aug 2002 00:44:54 -0500 +From: Skip Montanaro +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15725.46293.831269.315365@12-248-11-90.client.attbi.com> +To: Daniel Quinlan +Cc: "Dan Kohn" , + +Subject: Re: [SAtalk] O.T. Habeus -- Why? +In-Reply-To: +References: + +X-Mailer: VM 6.96 under 21.4 (patch 6) "Common Lisp" XEmacs Lucid +Reply-To: skip@pobox.com +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:44:53 -0500 +Date: Thu, 29 Aug 2002 00:44:53 -0500 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + + + DanQ> I think it would make more sense to start Habeas with a less + DanQ> aggressive score (one which will not give spammers a quick path + DanQ> into everyone's inbox) and after we've seen evidence that the + DanQ> system works, then we can increase the magnitude of the score. + +Better yet, let the GA figure out the correct score. ;-) That will obviously +take awhile since you'll have to acquire enough messages with it, but it +should give you a good idea if the presence of Habeus headers are good spam +indicators or not. If they are, my guess is that Habeus will probably not +succeed. + +Taking things further off-topic: Does Habeus charge a license fee to +organizations who want to use their copyrighted material or is their sole +revenue stream to come from legal judgements? On the one hand, if they +charge license fees, I'd worry that when times got tough they'd be somewhat +less critical of organizations we'd call spammers today in order to generate +license fees. If not, I'd worry the pendulum would swing the other way and +they'd go after legitimate businesses in an attempt to generate more +revenues from judgements and/or out of court settlements. Either way, it +seems like they have an interesting tightrope to walk. + +-- +Skip Montanaro +skip@pobox.com +consulting: http://manatee.mojam.com/~skip/resume.html + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1476.003708da8e0f35d91264c7aa737031a4 b/machine-learning-ex6/ex6/easy_ham/1476.003708da8e0f35d91264c7aa737031a4 new file mode 100644 index 0000000..0ce4136 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1476.003708da8e0f35d91264c7aa737031a4 @@ -0,0 +1,113 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 2776747C75 + for ; Thu, 29 Aug 2002 06:06:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:16 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T5WqZ32177 for ; Thu, 29 Aug 2002 06:32:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kHta-0006lU-00; Wed, + 28 Aug 2002 22:31:06 -0700 +Received: from adsl-216-103-211-240.dsl.snfc21.pacbell.net + ([216.103.211.240] helo=proton.pathname.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kHtS-0005oz-00 for ; + Wed, 28 Aug 2002 22:30:58 -0700 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17kHtK-00013z-00; Wed, 28 Aug 2002 22:30:50 -0700 +To: "Dan Kohn" +Cc: +Subject: Re: [SAtalk] O.T. Habeus -- Why? +References: +From: Daniel Quinlan +In-Reply-To: "Dan Kohn"'s message of "Wed, 28 Aug 2002 20:09:49 -0700" +Message-Id: +Lines: 47 +X-Mailer: Gnus v5.7/Emacs 20.7 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 28 Aug 2002 22:30:50 -0700 +Date: 28 Aug 2002 22:30:50 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_05_08, + USER_AGENT_GNUS_XM + version=2.40-cvs +X-Spam-Level: + +Dan Kohn writes: + +> Guys, the Habeas Infringers List (HIL) exists explicitly to deal with +> spammers while we're getting judgments against them and especially in +> other countries, where those judgments are harder to get. + +My concern doesn't stem from failing to understand how your business is +intended to work. My concern is the lack of empirical evidence that it +will reduce the amount of uncaught spam. + +> Please note that nobody has ever had an incentive before to go after +> regular spammers. Yes, some attorneys general have prosecuted blatant +> pyramid schemes, and ISPs have won some theft of service suits, but +> the vast majority of spammers go forward with out any legal hassles. +> So, I can't understand how Daniel can assert that you can't track +> spammers down when it's never really been tried. + +Please don't misquote me. I did not assert that you "can't track +spammers". Here is what I said: + +| It will be difficult to find, prosecute, and win money from someone in +| various non-friendly countries where spam originates (China is a good +| example) even if they do officially "respect" copyright law. + +I understand the incentive that you have to pursue spammers, but that +does not directly translate to less spam being sent to my inbox. It is +an indirect effect and the magnitude of the effect may not be sufficient +to counteract the ease with which a -20 score on the mark allows spam to +avoid being tagged as spam. + +> Daniel, it's easy enough for you to change the Habeas scores yourself +> on your installation. If Habeas fails to live up to its promise to +> only license the warrant mark to non-spammers and to place all +> violators on the HIL, then I have no doubt that Justin and Craig will +> quickly remove us from the next release. But, you're trying to kill +> Habeas before it has a chance to show any promise. + +I think I've worked on SA enough to understand that I can localize a +score. I'm just not comfortable with using SpamAssassin as a vehicle +for drumming up your business at the expense of our user base. + +I think it would make more sense to start Habeas with a less aggressive +score (one which will not give spammers a quick path into everyone's +inbox) and after we've seen evidence that the system works, then we can +increase the magnitude of the score. + +Dan + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1477.c0b267d577c674023fec3244f351df06 b/machine-learning-ex6/ex6/easy_ham/1477.c0b267d577c674023fec3244f351df06 new file mode 100644 index 0000000..d454f5e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1477.c0b267d577c674023fec3244f351df06 @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 11:08:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9BB5A47C77 + for ; Thu, 29 Aug 2002 06:06:18 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 11:06:18 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7T66TZ01029 for ; Thu, 29 Aug 2002 07:06:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kIQS-0006mo-00; Wed, + 28 Aug 2002 23:05:04 -0700 +Received: from yrex.com ([216.40.247.31] helo=host.yrex.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kIPo-0005vK-00 for ; + Wed, 28 Aug 2002 23:04:25 -0700 +Received: (qmail 4581 invoked from network); 29 Aug 2002 06:04:22 -0000 +Received: from mgm.dsl.xmission.com (HELO opus) (204.228.152.186) by + yrex.com with SMTP; 29 Aug 2002 06:04:22 -0000 +From: "Michael Moncur" +To: +Subject: RE: [SAtalk] O.T. Habeus -- Why? +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 00:04:14 -0600 +Date: Thu, 29 Aug 2002 00:04:14 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.2 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_03_05,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +> I think I've worked on SA enough to understand that I can localize a +> score. I'm just not comfortable with using SpamAssassin as a vehicle +> for drumming up your business at the expense of our user base. + +This is exactly what I think. SpamAssassin has always been conservative +about adding unproven RBLs and such, and this should be the same. + +> I think it would make more sense to start Habeas with a less aggressive +> score (one which will not give spammers a quick path into everyone's +> inbox) and after we've seen evidence that the system works, then we can +> increase the magnitude of the score. + +I say start it with a zero score and put it in 70_cvs_rules_under_test like +any other unproven rule. Then score it based on actual results, not +promises. My corpus does not yet contain a single non-spam (or spam) message +with a Habeas mark. Based on that, it doesn't impress me and it wouldn't +impress the GA either. Rules with exactly the same statistics are being +dropped from SA right now, and I don't see why this should be any different. + +-- +Michael Moncur mgm at starlingtech.com http://www.starlingtech.com/ +"Furious activity is no substitute for understanding." --H. H. Williams + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1478.493c4ba8cee0986a8cabb3953a40fb5b b/machine-learning-ex6/ex6/easy_ham/1478.493c4ba8cee0986a8cabb3953a40fb5b new file mode 100644 index 0000000..feb365f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1478.493c4ba8cee0986a8cabb3953a40fb5b @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 13:00:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B7DF643F99 + for ; Thu, 29 Aug 2002 08:00:55 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 13:00:55 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TBs4Z10782 for ; Thu, 29 Aug 2002 12:54:04 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kNoJ-000192-00; Thu, + 29 Aug 2002 04:50:03 -0700 +Received: from hippo.star.co.uk ([195.216.14.9]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kNo7-0005WZ-00 for ; + Thu, 29 Aug 2002 04:49:51 -0700 +Received: from MATT_LINUX by hippo.star.co.uk via smtpd (for + usw-sf-lists.sourceforge.net [216.136.171.198]) with SMTP; 29 Aug 2002 + 11:40:46 UT +Received: (qmail 18788 invoked from network); 27 Aug 2002 11:45:28 -0000 +Received: from unknown (HELO startechgroup.co.uk) (10.2.100.178) by + matt?dev.int.star.co.uk with SMTP; 27 Aug 2002 11:45:28 -0000 +Message-Id: <3D6E0984.5030708@startechgroup.co.uk> +From: Matt Sergeant +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0rc1) Gecko/20020426 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Urban Boquist +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] SA very slow (hangs?) on this message, or is it just me? +References: <15726.1821.102072.86673@iller.crt.se> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 12:46:12 +0100 +Date: Thu, 29 Aug 2002 12:46:12 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Urban Boquist wrote: +> If I run spamassassin on this message: +> +> http://www.boquist.net/stort-sup-brev +> +> it seems to hang. Memory usage goes up to 73MB and stays there. I have +> let it run for an hour before I killed it. This was on a +> Pentium-II-366. Yes, I know, a bit slow, but still... +> +> Can anyone else confirm this hang? Maybe I should just upgrade... + +Don't run SA on mails this large. Most people tend to ignore mails +larger than about 250K in spamassassin processing, because it just kills +performance. There are some known issues with the parsing (such as the +HTML parsing stuff which is much improved in 2.40 which we're soon to +release), but nothing that's too likely to be fixed by 2.40. Perhaps in +2.50 though. + +Matt. + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1479.1ef8029a7d0ea41d3032b6174793a35f b/machine-learning-ex6/ex6/easy_ham/1479.1ef8029a7d0ea41d3032b6174793a35f new file mode 100644 index 0000000..eab9790 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1479.1ef8029a7d0ea41d3032b6174793a35f @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 13:42:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C83CE44155 + for ; Thu, 29 Aug 2002 08:42:17 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 13:42:17 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TCd6Z12467 for ; Thu, 29 Aug 2002 13:39:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kOYo-0005wJ-00; Thu, + 29 Aug 2002 05:38:06 -0700 +Received: from panoramix.vasoftware.com ([198.186.202.147]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kOYE-0006nt-00 for + ; Thu, 29 Aug 2002 05:37:30 -0700 +Received: from hippo.star.co.uk ([195.216.14.9]:4234) by + panoramix.vasoftware.com with smtp (Exim 4.05-VA-mm1 #1 (Debian)) id + 17kOY9-0005jU-00 for ; + Thu, 29 Aug 2002 05:37:25 -0700 +Received: from MATT_LINUX by hippo.star.co.uk via smtpd (for + panoramix.vasoftware.com [198.186.202.147]) with SMTP; 29 Aug 2002 + 12:28:25 UT +Received: (qmail 18838 invoked from network); 27 Aug 2002 12:33:08 -0000 +Received: from unknown (HELO startechgroup.co.uk) (10.2.100.178) by + matt?dev.int.star.co.uk with SMTP; 27 Aug 2002 12:33:08 -0000 +Message-Id: <3D6E14B1.50800@startechgroup.co.uk> +From: Matt Sergeant +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0rc1) Gecko/20020426 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Urban Boquist +Cc: spamassassin-talk@example.sourceforge.net +References: <15726.1821.102072.86673@iller.crt.se> + <3D6E0984.5030708@startechgroup.co.uk> + <15726.5113.595562.513688@iller.crt.se> +Subject: Re: [SAtalk] SA very slow (hangs?) on this message, or is it just me? +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 13:33:53 +0100 +Date: Thu, 29 Aug 2002 13:33:53 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Urban Boquist wrote: +> Hi Matt, and thanks for your quick reply. +> +> Matt> Don't run SA on mails this large. +> +> That would be fine, if I only understood how I should do that. I can't +> find anything in the SA documention that mentions some kind of upper +> limit for the size of a message. What should I put in my user_prefs +> file? +> +> I run SA from procmail btw, but I can't imagine that procmail would be +> able to check the size of a message before handing it over to SA? + +That's exactly what it can do: + +:0fw <250000 +| spamassassin -P + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1480.ea8e1a4bb0cfd66e9f04c4f3c1c3379e b/machine-learning-ex6/ex6/easy_ham/1480.ea8e1a4bb0cfd66e9f04c4f3c1c3379e new file mode 100644 index 0000000..c56a6c4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1480.ea8e1a4bb0cfd66e9f04c4f3c1c3379e @@ -0,0 +1,93 @@ +From spamassassin-commits-admin@lists.sourceforge.net Thu Aug 29 14:47:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 4C0DE43F99 + for ; Thu, 29 Aug 2002 09:47:37 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 14:47:37 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TDcrZ14654 for ; Thu, 29 Aug 2002 14:38:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kPVo-0003WT-00; Thu, + 29 Aug 2002 06:39:04 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kPUm-0001Rm-00 for ; + Thu, 29 Aug 2002 06:38:00 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17kPUY-0008Lf-00 for + ; Thu, 29 Aug 2002 06:37:46 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17kPUX-000201-00 for + ; Thu, 29 Aug 2002 06:37:45 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin procmailrc.example,1.3,1.3.2.1 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 06:37:45 -0700 +Date: Thu, 29 Aug 2002 06:37:45 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin +In directory usw-pr-cvs1:/tmp/cvs-serv7642 + +Modified Files: + Tag: b2_4_0 + procmailrc.example +Log Message: +added length limit to sample procmail recipe + +Index: procmailrc.example +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/procmailrc.example,v +retrieving revision 1.3 +retrieving revision 1.3.2.1 +diff -b -w -u -d -r1.3 -r1.3.2.1 +--- procmailrc.example 16 Aug 2002 18:34:27 -0000 1.3 ++++ procmailrc.example 29 Aug 2002 13:37:43 -0000 1.3.2.1 +@@ -1,5 +1,7 @@ +-# Pipe the mail through spamassassin ++# Pipe the mail through spamassassin, unless it's over 256k ++# (SpamAssassin can take a long time to process large messages) + :0fw ++* < 256000 + | spamassassin + + # Move it to the "caughtspam" mbox if it was tagged as spam + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1481.a18fd231d1a79f6984910a05780356a5 b/machine-learning-ex6/ex6/easy_ham/1481.a18fd231d1a79f6984910a05780356a5 new file mode 100644 index 0000000..15997c7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1481.a18fd231d1a79f6984910a05780356a5 @@ -0,0 +1,110 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 16:01:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B71CF44155 + for ; Thu, 29 Aug 2002 11:01:54 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:01:54 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TF0NZ17271 for ; Thu, 29 Aug 2002 16:00:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kQlJ-0003kU-00; Thu, + 29 Aug 2002 07:59:09 -0700 +Received: from mailout07.sul.t-online.com ([194.25.134.83]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kQkz-00016c-00 for ; + Thu, 29 Aug 2002 07:58:49 -0700 +Received: from fwd10.sul.t-online.de by mailout07.sul.t-online.com with + smtp id 17kQkw-00088j-00; Thu, 29 Aug 2002 16:58:46 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[217.80.6.131]) by fmrl10.sul.t-online.com with esmtp + id 17kQkr-1PM3HMC; Thu, 29 Aug 2002 16:58:41 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + CD1664C86 for ; Thu, 29 Aug 2002 16:58:44 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] SA very slow (hangs?) on this message, or is it just me? +User-Agent: KMail/1.4.3 +References: +In-Reply-To: +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +X-Foo: Bar +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200208291701.27688@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 17:01:27 +0200 +Date: Thu, 29 Aug 2002 17:01:27 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-30.7 required=7.0 + tests=FORGED_RCVD_TRAIL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +On Thursday 29 August 2002 16:39 CET Mike Burger wrote: +> >[...] +> > re-check I find it immediately: +> > :0fw +> > * < 250000 +> > | spamassassin -P +> > +> > Works perfectly now. Sorry for being such a pest! ;-) +> >[...] +> +> I'm using SA via spamc/spamd, and a global /etc/procmail file. I'm +> wondering if this would also work in that fashion. + +spamc will skip every file bigger than 250k on it's own. It's got the +command line switch -s to change this value. But it doesn't hurt of course +to use the procmail limit. + +Malte + +-- +-- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1482.75a9c57c2bd53175e33ee6ed037400fd b/machine-learning-ex6/ex6/easy_ham/1482.75a9c57c2bd53175e33ee6ed037400fd new file mode 100644 index 0000000..41c7ae2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1482.75a9c57c2bd53175e33ee6ed037400fd @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 17:13:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6876B43F9B + for ; Thu, 29 Aug 2002 12:13:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 17:13:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TG90Z19705 for ; Thu, 29 Aug 2002 17:09:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRp4-0004cM-00; Thu, + 29 Aug 2002 09:07:06 -0700 +Received: from moutng.kundenserver.de ([212.227.126.189]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kRog-0005uh-00 for ; + Thu, 29 Aug 2002 09:06:42 -0700 +Received: from [212.227.126.160] (helo=mrelayng0.kundenserver.de) by + moutng6.kundenserver.de with esmtp (Exim 3.35 #2) id 17kRod-0005OZ-00 for + spamassassin-talk@lists.sourceforge.net; Thu, 29 Aug 2002 18:06:39 +0200 +Received: from [80.129.0.32] (helo=silence.homedns.org) by + mrelayng0.kundenserver.de with asmtp (Exim 3.35 #2) id 17kRod-00062Q-00 + for spamassassin-talk@lists.sourceforge.net; Thu, 29 Aug 2002 18:06:39 + +0200 +Received: (qmail 2094 invoked by uid 1000); 29 Aug 2002 16:06:29 -0000 +From: Klaus Heinz +To: spamassassin-talk@example.sourceforge.net +Cc: urban@boquist.net +Subject: Re: [SAtalk] SA very slow (hangs?) on this message, or is it just me? +Message-Id: <20020829180628.A1796@silence.homedns.org> +Mail-Followup-To: spamassassin-talk@example.sourceforge.net, + urban@boquist.net +References: <15726.1821.102072.86673@iller.crt.se> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <15726.1821.102072.86673@iller.crt.se>; from + urban@boquist.net on Thu, Aug 29, 2002 at 01:35:57PM +0200 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 18:06:29 +0200 +Date: Thu, 29 Aug 2002 18:06:29 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-12.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_02_03 + version=2.40-cvs +X-Spam-Level: + +Urban Boquist wrote: + +> it seems to hang. Memory usage goes up to 73MB and stays there. I have +> let it run for an hour before I killed it. This was on a +> Pentium-II-366. Yes, I know, a bit slow, but still... +> +> Can anyone else confirm this hang? Maybe I should just upgrade... +> +> My environment is: SA-2.31, perl-5.6 running on NetBSD-1.6F. + +Version 2.40-cvs (from today) on NetBSD/i386 1.5.2 (Athlon 1500): + + Aug 29 17:55:53 silence spamd[2052]: processing message + <20020829093613.6A00319300@groda.boquist.net> for kh:1234, expecting + 1744014 bytes. + Aug 29 17:57:10 silence spamd[2052]: clean message (2.5/5.0) for + kh:1234 in 77 seconds, 1744014 bytes. + +Resident size about 75MB, according to top. + +ciao + Klaus + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1483.0e8f2eee9641c6af54fb45495cb65018 b/machine-learning-ex6/ex6/easy_ham/1483.0e8f2eee9641c6af54fb45495cb65018 new file mode 100644 index 0000000..d6db4a4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1483.0e8f2eee9641c6af54fb45495cb65018 @@ -0,0 +1,101 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 17:13:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7494743F99 + for ; Thu, 29 Aug 2002 12:13:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 17:13:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TG6VZ19509 for ; Thu, 29 Aug 2002 17:06:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRlD-0003sE-00; Thu, + 29 Aug 2002 09:03:07 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kRl0-0005Kt-00 for ; + Thu, 29 Aug 2002 09:02:55 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7TG2l502639; Thu, 29 Aug 2002 17:02:47 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + 9E3C643F99; Thu, 29 Aug 2002 12:00:17 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 993FA33D8F; + Thu, 29 Aug 2002 17:00:17 +0100 (IST) +To: Bart Schaefer +Cc: Spamassassin-Talk +Subject: Re: [SAtalk] O.T. Habeus -- Why? +In-Reply-To: Message from Bart Schaefer of + "Thu, 29 Aug 2002 08:32:08 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020829160017.9E3C643F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 17:00:12 +0100 +Date: Thu, 29 Aug 2002 17:00:12 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-27.6 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +Bart Schaefer said: + +> This is off the topic of the rest of this discussion, but amavisd (in all +> its incarnations) and MIMEDefang and several other MTA plugins all reject +> at SMTP time messages that scores higher than some threshold (often 10). + +argh, they do not, do they? the FPs must be just gigantic :( + +> If some new release were to start scoring all spam no higher than 5.1, +> there'd better be _zero_ FPs, because all those filters would drop their +> thresholds to 5. + +Well, my point is more that we should aim our rescoring algorithm so that +a spam hits 5.0. Any higher does us no good, as it means an FP is +a lot harder to recover from, using compensation rules. + +Spams *will* hit higher than that -- that's just the way the scoring works. +but for our code to be effective, and spread the range of scores +correctly, we just have to optimise to hit 1 threshold. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1484.b12cd10a9234dd4c294f93ba7b3944d4 b/machine-learning-ex6/ex6/easy_ham/1484.b12cd10a9234dd4c294f93ba7b3944d4 new file mode 100644 index 0000000..f088879 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1484.b12cd10a9234dd4c294f93ba7b3944d4 @@ -0,0 +1,87 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 17:24:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 271B243F99 + for ; Thu, 29 Aug 2002 12:24:07 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 17:24:07 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TGInZ20012 for ; Thu, 29 Aug 2002 17:18:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRzk-0007Cu-00; Thu, + 29 Aug 2002 09:18:08 -0700 +Received: from mail.island.net ([199.60.19.4] helo=mimas.island.net) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRzR-0001SF-00 for + ; Thu, 29 Aug 2002 09:17:49 -0700 +Received: from nanaimo.island.net (IDENT:root@nanaimo.island.net + [199.60.19.1]) by mimas.island.net (8.12.4/8.12.4) with ESMTP id + g7TGHkDR025680; Thu, 29 Aug 2002 09:17:46 -0700 +Received: from nanaimo.island.net (IDENT:rogersd@localhost [127.0.0.1]) by + nanaimo.island.net (8.12.4/8.12.4) with ESMTP id g7TGHjME006951; + Thu, 29 Aug 2002 09:17:45 -0700 +Received: (from rogersd@localhost) by nanaimo.island.net + (8.12.4/8.12.4/Submit) id g7TGHjgQ006949; Thu, 29 Aug 2002 09:17:45 -0700 +From: Daniel Rogers +To: "Clayton, Nik [IT]" +Cc: "'spamassassin-talk@example.sourceforge.net'" +Subject: Re: [SAtalk] UPPERCASE_* rules and foreign character sets +Message-Id: <20020829091745.A6605@nanaimo.island.net> +Mail-Followup-To: "Clayton, Nik [IT]" , + "'spamassassin-talk@lists.sourceforge.net'" +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: ; + from nik.clayton@citigroup.com on Thu, Aug 29, 2002 at 11:37:02AM +0100 +X-Scanned-BY: MIMEDefang 2.11 (www dot roaringpenguin dot com slash + mimedefang) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 09:17:45 -0700 +Date: Thu, 29 Aug 2002 09:17:45 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-15.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +On Thu, Aug 29, 2002 at 11:37:02AM +0100, Clayton, Nik [IT] wrote: +> Have the UPPERCASE_* rules been tested on messages in non-English +> character sets, and/or where the message is MIME encoded in some way? +> +> I'm getting a lot of false positives on Japanese mail, and I think the +> encoding is responsible for triggering this rule. + +Like Justin said, this is fixed in CVS. + +Dan. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1485.466b9731651b090d2ecee034e696cda1 b/machine-learning-ex6/ex6/easy_ham/1485.466b9731651b090d2ecee034e696cda1 new file mode 100644 index 0000000..7184d85 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1485.466b9731651b090d2ecee034e696cda1 @@ -0,0 +1,112 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 17:35:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 15AE143F99 + for ; Thu, 29 Aug 2002 12:35:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 17:35:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TGYiZ20463 for ; Thu, 29 Aug 2002 17:34:44 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kSF9-0001Qi-00; Thu, + 29 Aug 2002 09:34:03 -0700 +Received: from joseki.proulx.com ([216.17.153.58]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kSED-000405-00 for ; + Thu, 29 Aug 2002 09:33:05 -0700 +Received: from misery.proulx.com (misery.proulx.com [192.168.1.108]) by + joseki.proulx.com (Postfix) with ESMTP id 86DF514B33 for + ; Thu, 29 Aug 2002 10:32:57 -0600 + (MDT) +Received: by misery.proulx.com (Postfix, from userid 1000) id 72129A8369; + Thu, 29 Aug 2002 10:32:57 -0600 (MDT) +To: Spamassassin-Talk +Subject: Re: [SAtalk] O.T. Habeus -- Why? +Message-Id: <20020829163257.GD10973@misery.proulx.com> +Mail-Followup-To: Spamassassin-Talk +References: + + <20020829160017.9E3C643F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="9amGYk9869ThD9tj" +Content-Disposition: inline +In-Reply-To: <20020829160017.9E3C643F99@phobos.labs.netnoteinc.com> +User-Agent: Mutt/1.4i +From: bob@proulx.com (Bob Proulx) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 10:32:57 -0600 +Date: Thu, 29 Aug 2002 10:32:57 -0600 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-17.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_01_02, + TO_LOCALPART_EQ_REAL,USER_AGENT,USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + + +--9amGYk9869ThD9tj +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline + +Justin Mason [2002-08-29 17:00:12 +0100]: +> Well, my point is more that we should aim our rescoring algorithm so that +> a spam hits 5.0. Any higher does us no good, as it means an FP is +> a lot harder to recover from, using compensation rules. + +Agreed. + +But I have always thought that the value 5 was not the best value. It +should have been 0. I understand that initially only spammy scores +were included. But I believe the algorithm should be purely +symmetrical and non-spammy negative values should also have been +balancing out the spammy positive values, like they do in SA today. +Then anything that was positive would be spam and anything negative +would be non-spam. (And I guess exactly zero is grey. :-) Today's +choice of 5 just adds an offset. Which I think cause people to assume +things work differently than they do. + +Bob + +--9amGYk9869ThD9tj +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9bky50pRcO8E2ULYRAjI6AJwMoi8s2IUg4XpVAwCqpBC3gcd/cQCfepOm +COS03YufMiFLSHhCZ8KkLxU= +=YwM7 +-----END PGP SIGNATURE----- + +--9amGYk9869ThD9tj-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1486.1ff97d5b7b97423fb1ec74f6a54fc225 b/machine-learning-ex6/ex6/easy_ham/1486.1ff97d5b7b97423fb1ec74f6a54fc225 new file mode 100644 index 0000000..dcd3c5a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1486.1ff97d5b7b97423fb1ec74f6a54fc225 @@ -0,0 +1,44 @@ +From quinlan@pathname.com Mon Sep 2 12:32:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9001A43F99 + for ; Mon, 2 Sep 2002 07:32:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:32:24 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7V0KkZ16711 for + ; Sat, 31 Aug 2002 01:20:47 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17kw0Z-0001k9-00; Fri, 30 Aug 2002 17:20:59 -0700 +To: yyyy@example.com (Justin Mason) +Cc: SpamAssassin-devel@sourceforge.net +Subject: Re: [SAdev] GA-assigned SPAM_PHRASE_55_XX score +References: <20020830103221.9148E43F99@phobos.labs.netnoteinc.com> +From: Daniel Quinlan +Date: 30 Aug 2002 17:20:59 -0700 +In-Reply-To: yyyy@example.com's message of "Fri, 30 Aug 2002 11:32:16 +0100" +Message-Id: +Lines: 11 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT_GNUS_XM + version=2.40-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> BTW I tried tweaking some of the scores that lint-rules complained about +> being negative when they shouldn't be, and it *ruined* the results. it's +> worth hand-tweaking a bit, but in some cases, there's counter-intuitive +> combinatorial effects like the above, so be careful when tweaking; run +> a "./logs-to-c && ./evolve -C" to check the new hitrates afterwards. + +My tendency is to say that we shouldn't tweak at all. + +- Dan + diff --git a/machine-learning-ex6/ex6/easy_ham/1487.0dec4dc8ef9439d54e1605b2a526e2ff b/machine-learning-ex6/ex6/easy_ham/1487.0dec4dc8ef9439d54e1605b2a526e2ff new file mode 100644 index 0000000..e02d393 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1487.0dec4dc8ef9439d54e1605b2a526e2ff @@ -0,0 +1,45 @@ +From craig@deersoft.com Mon Sep 2 12:35:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id E03D543F99 + for ; Mon, 2 Sep 2002 07:35:30 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:35:30 +0100 (IST) +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7VKGZZ13334 for ; Sat, 31 Aug 2002 21:16:35 +0100 +Received: from user-11fad9j.dsl.mindspring.com ([66.245.53.51] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17lEfo-0002DR-00; Sat, 31 Aug 2002 16:16:48 -0400 +Received: from balam.hughes-family.org (balam.hughes-family.org + [10.0.240.3]) by belphegore.hughes-family.org (Postfix) with ESMTP id + 8E71AA4AD3; Sat, 31 Aug 2002 13:16:47 -0700 (PDT) +Date: Sat, 31 Aug 2002 13:16:52 -0700 +Subject: Re: [SAdev] results of scorer evaluation +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: spamassassin-devel@example.sourceforge.net +To: "Justin Mason" +From: "Craig R.Hughes" +In-Reply-To: <32836.194.125.148.31.1030699168.squirrel@example.com> +Message-Id: <96B7CA2C-BD1E-11D6-92D9-00039396ECF2@deersoft.com> +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + +Nanananana + +C + +On Friday, August 30, 2002, at 02:19 AM, Justin Mason wrote: + +> Looks like my algos aren't flexible enough, and Craig wins ;) + + diff --git a/machine-learning-ex6/ex6/easy_ham/1488.6694aa49b517656806a631deeb8f89a8 b/machine-learning-ex6/ex6/easy_ham/1488.6694aa49b517656806a631deeb8f89a8 new file mode 100644 index 0000000..a8561a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1488.6694aa49b517656806a631deeb8f89a8 @@ -0,0 +1,99 @@ +From craig@hughes-family.org Mon Sep 2 13:12:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7600944161 + for ; Mon, 2 Sep 2002 07:38:06 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:38:06 +0100 (IST) +Received: from blount.mail.mindspring.net (blount.mail.mindspring.net + [207.69.200.226]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g81B83Z21386 for ; Sun, 1 Sep 2002 12:08:03 +0100 +Received: from user-1120fqe.dsl.mindspring.com ([66.32.63.78] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17lSaV-0007tD-00; Sun, 01 Sep 2002 07:08:16 -0400 +Received: from belphegore.hughes-family.org (belphegore.hughes-family.org + [10.0.240.200]) by belphegore.hughes-family.org (Postfix) with ESMTP id + BEB2D3C545; Sun, 1 Sep 2002 04:08:14 -0700 (PDT) +Date: Sun, 1 Sep 2002 04:08:14 -0700 (PDT) +From: Craig R Hughes +Reply-To: craig@stanfordalumni.org +To: Daniel Quinlan +Cc: "Craig R.Hughes" , + Justin Mason , + SpamAssassin Developers +Subject: Re: [SAdev] results of scorer evaluation +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.7 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Daniel Quinlan wrote: + +DQ> Before we release, it'd be great if someone could test a few +DQ> additional score ranges. Maybe we can lower FPs a bit more. :-) + +I don't think there's much more room for lowering FPs left which the GA can +achieve. Remember, also, that the AWL will reduce FPs, but its effects aren't +factored in to the GA scores. + +The work currently being done on the GA, and comparing different methods of +doing the score-setting, is very worthwhile, and extremely useful; however, we +really ought to get a release out, since 2.31 is getting decreasingly useful as +time goes on. + +The FP/FN rate of 2.40 with pretty well *any* score-setting mechanism will be +better than 2.31 -- we can continue with adjusting how the scores are set on the +2.41 or 2.50 branches. + +DQ> Something like: +DQ> +DQ> for (low = -12; low <= -4; low += 2) +DQ> for (high = 2; high <= 6; high += 2) +DQ> evolve + +You could just allow low and high to be evolved by the GA (within ranges); I'd +be enormously surprised if it didn't end up with low=-12 and high=+6, since +that'd give the GA the broadest lattitude in setting individual scores. The +issue with fixing low and high is not one of optimization, but rather one of +human-based concern that individual scores larger than about +4 are dangerous +and liable to generate FPs, and individual scores less than -8 are dangerous and +liable to be forged to generate FNs. + +DQ> Maybe even add a nybias loop. + +Adding an nybias loop is not worthwhile -- changing nybias scores will just +alter the evaluation function's idea of what the FP:FN ratio should be. + +DQ> > AFAIK there's nothing major hanging out waiting to be checked in +DQ> > on b2_4_0 is there? +DQ> +DQ> Nope. + +Great! + +DQ> > I'll be on IM most of today, tomorrow, and monday while cranking +DQ> > on the next Deersoft product release (should be a fun one). Hit +DQ> > me at: +DQ> > +DQ> > AIM: hugh3scr +DQ> > ICQ: 1130120 +DQ> > MSN: craig@stanfordalumni.org +DQ> > YIM: hughescr +DQ> +DQ> We've been hanging out on IRC at irc.rhizomatic.net on #spamassassin +DQ> (the timezone difference gets in the way, though). + +I've been searching for that, but I guess the details of where the channel was +got lost in the shuffle. + +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/1489.d724933540e63e324268925f6c803361 b/machine-learning-ex6/ex6/easy_ham/1489.d724933540e63e324268925f6c803361 new file mode 100644 index 0000000..f57dfdb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1489.d724933540e63e324268925f6c803361 @@ -0,0 +1,108 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 2 16:24:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EDB0144155 + for ; Mon, 2 Sep 2002 11:23:08 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 16:23:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7THd5Z22813 for ; Thu, 29 Aug 2002 18:39:05 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kTF7-0001rd-00; Thu, + 29 Aug 2002 10:38:05 -0700 +Received: from info.uah.edu ([146.229.5.36]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kTEl-0002La-00 for ; + Thu, 29 Aug 2002 10:37:43 -0700 +Received: from info.uah.edu (localhost [127.0.0.1]) by info.uah.edu + (8.12.5/8.12.5) with ESMTP id g7THbbWI017692 for + ; Thu, 29 Aug 2002 12:37:37 -0500 + (CDT) +Received: from localhost (jim@localhost) by info.uah.edu + (8.12.5/8.12.5/Submit) with ESMTP id g7THbbOk017689 for + ; Thu, 29 Aug 2002 12:37:37 -0500 + (CDT) +From: Jim McCullars +To: Spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Tru64 compile of SA +In-Reply-To: <3D6DA650.2040300@yale.edu> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Scanned-BY: MIMEDefang 2.17 (www . roaringpenguin . com / mimedefang) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 12:37:37 -0500 (CDT) +Date: Thu, 29 Aug 2002 12:37:37 -0500 (CDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + + + +On Thu, 29 Aug 2002, Rick Beebe wrote: + +> > cc: Error: spamd/spamc.c, line 50: In this declaration, "in_addr_t" has no +> > linka +> > ge and has a prior declaration in this scope at line number 572 in file +> > /usr/inc +> > lude/sys/types.h. (nolinkage) +> > typedef unsigned long in_addr_t; /* base type for internet address +> > */ +> +> Don't worry about the warnings. To fix the error, edit spamc.c and right + + Thanks for posting this tip - I had the same problem compiling with +Tru64 and that took care of it. + + When I did the "make install" I got this error: + +LOCK: -f /etc/mail/spamassassin/local.cf + || cp rules/local.cf /etc/mail/spamassassin/local.cf +sh: syntax error at line 1: `||' unexpected +*** Exit 2 +Stop. + + It appears that this comes from the "inst_cfs:" part of the Makefile, +which copies local.cf into /etc/mail/spamassassin. The Makefile has +brackets around the -f test, but they don't show up above. Any ideas? + +Jim +*-------------------------------------------------------------------------* +* James H. McCullars I Phone: (256) 824-2610 * +* Director of Systems & Operations I Fax: (256) 824-6643 * +* Computer & Network Services I Internet: mccullj@email.uah.edu * +* The University of Alabama I -----------------------------------* +* in Huntsville I * +* Huntsville, AL 35899 I This space for rent - CHEAP! * +*-------------------------------------------------------------------------* + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1490.e80cf700ef4de2385ada6ae149e7498c b/machine-learning-ex6/ex6/easy_ham/1490.e80cf700ef4de2385ada6ae149e7498c new file mode 100644 index 0000000..f66c0c6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1490.e80cf700ef4de2385ada6ae149e7498c @@ -0,0 +1,72 @@ +From felicity@kluge.net Mon Sep 2 23:14:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0426A16F23 + for ; Mon, 2 Sep 2002 23:13:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:13:36 +0100 (IST) +Received: from eclectic.kluge.net + (IDENT:c2fwYJ/QZT7DNMfyrqI6/gtl3vme/Kuo@eclectic.kluge.net [66.92.69.221]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82Jk4Z18801 for + ; Mon, 2 Sep 2002 20:46:05 +0100 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g82JkI121455; Mon, 2 Sep 2002 15:46:18 -0400 +Date: Mon, 2 Sep 2002 15:46:18 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: Spamassassin Devel List +Subject: Re: [SAdev] SpamAssassin v2.40 released (finally)! +Message-Id: <20020902194618.GB15737@kluge.net> +References: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="eJnRUKwClWJh1Khz" +Content-Disposition: inline +In-Reply-To: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +X-Spam-Status: No, hits=-11.5 required=7.0 + tests=AWL,IN_REP_TO,MULTIPART_SIGNED,PGP_SIGNATURE,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--eJnRUKwClWJh1Khz +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Mon, Sep 02, 2002 at 06:53:24PM +0100, Justin Mason wrote: +> - Razor v2 now supported fully + + Who changed my code? Dns.pm and Reporter.pm WRT Razor +have pointers to $Mail::SpamAssassin::DEBUG, whereas it should be +$Mail::SpamAssassin::DEBUG->{enabled}... + +I'll be submitting a bug/patch for this shortly. + +--=20 +Randomly Generated Tagline: +MA Driving #2: Everything is under construction. + +--eJnRUKwClWJh1Khz +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9c8AKAuOQUeWAs2MRAu/AAJ4iCzGVLRmj/FZmbrmWDiikvy6JWgCcCj9e +DG1iPuFjRLA81ijHNGqnVf4= +=HpKL +-----END PGP SIGNATURE----- + +--eJnRUKwClWJh1Khz-- + diff --git a/machine-learning-ex6/ex6/easy_ham/1491.2e82a3803e51f420c6398d963052469f b/machine-learning-ex6/ex6/easy_ham/1491.2e82a3803e51f420c6398d963052469f new file mode 100644 index 0000000..a7385b2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1491.2e82a3803e51f420c6398d963052469f @@ -0,0 +1,87 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 11:06:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 328704415C + for ; Fri, 23 Aug 2002 06:04:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MM9TZ27056 for ; Thu, 22 Aug 2002 23:09:29 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hzvv-0004ra-00; Thu, + 22 Aug 2002 14:56:03 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17hzvJ-0007dk-00 for + ; Thu, 22 Aug 2002 14:55:26 -0700 +Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id + g7MLtNi02178 for razor-users@lists.sf.net; Thu, 22 Aug 2002 14:55:23 -0700 +From: Vipul Ved Prakash +To: razor-users@example.sourceforge.net +Message-Id: <20020822145523.A2125@rover.vipul.net> +Reply-To: mail@vipul.net +Mail-Followup-To: razor-users@lists.sf.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +X-Operating-System: Linux rover.vipul.net 2.4.18 +X-Privacy: If possible, encrypt your reply. Key at http://vipul.net/ +Subject: [Razor-users] honor is not in csl +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 14:55:23 -0700 +Date: Thu, 22 Aug 2002 14:55:23 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.0 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +Folks, + +Some of you seem to have hardcoded honor as the default catalogue server. +There are three catalogue only servers running now, and honor is acting +as a nomination only server. Tonight we will be completely turning off +catalogue support on honor, so if you are specifying honor with the -rs +option, please take it out and let the agents discover a closeby +catalogue server. + +cheers, +vipul. + + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1492.fcfeff3d31bfad092220ca731a40c05e b/machine-learning-ex6/ex6/easy_ham/1492.fcfeff3d31bfad092220ca731a40c05e new file mode 100644 index 0000000..ae32a0a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1492.fcfeff3d31bfad092220ca731a40c05e @@ -0,0 +1,107 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 11:06:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BEC6344161 + for ; Fri, 23 Aug 2002 06:04:46 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:46 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7N2N7Z05763 for ; Fri, 23 Aug 2002 03:23:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17i3yZ-0001kI-00; Thu, + 22 Aug 2002 19:15:03 -0700 +Received: from med-core07.med.wayne.edu ([146.9.19.23]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17i3xv-00078P-00 for ; Thu, + 22 Aug 2002 19:14:23 -0700 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Subject: RE: [Razor-users] honor is not in csl +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [Razor-users] honor is not in csl +Thread-Index: AcJKJ21KJv3jzfLET8CZTYqNyhijJwAIy+hA +From: "Rose, Bobby" +To: , +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 22:14:13 -0400 +Date: Thu, 22 Aug 2002 22:14:13 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7N2N7Z05763 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.8 required=7.0 + tests=ASCII_FORM_ENTRY,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_05_08 + version=2.40-cvs +X-Spam-Level: + +I know that I did this during the week that all the catalogue's were +hokey but after that I changed it back to discovery. So I can see why +people are using honor. + +-----Original Message----- +From: Vipul Ved Prakash [mailto:mail@vipul.net] +Sent: Thursday, August 22, 2002 5:55 PM +To: razor-users@example.sourceforge.net +Subject: [Razor-users] honor is not in csl + + +Folks, + +Some of you seem to have hardcoded honor as the default catalogue +server. There are three catalogue only servers running now, and honor is +acting as a nomination only server. Tonight we will be completely +turning off catalogue support on honor, so if you are specifying honor +with the -rs option, please take it out and let the agents discover a +closeby catalogue server. + +cheers, +vipul. + + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old cell +phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1493.0e19ac93ca8fe935323151417bc2e959 b/machine-learning-ex6/ex6/easy_ham/1493.0e19ac93ca8fe935323151417bc2e959 new file mode 100644 index 0000000..3df01a2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1493.0e19ac93ca8fe935323151417bc2e959 @@ -0,0 +1,78 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 11:07:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 80FFD44169 + for ; Fri, 23 Aug 2002 06:06:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:06:22 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7N9wmZ19115 for ; Fri, 23 Aug 2002 10:58:48 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iB5q-0000SQ-00; Fri, + 23 Aug 2002 02:51:02 -0700 +Received: from mta03-svc.ntlworld.com ([62.253.162.43]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iB52-0006Wm-00 for ; Fri, + 23 Aug 2002 02:50:12 -0700 +Received: from jblaptop.voidstar.com ([62.255.184.173]) by + mta03-svc.ntlworld.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020823095009.GSXY23840.mta03-svc.ntlworld.com@jblaptop.voidstar.com> + for ; Fri, 23 Aug 2002 10:50:09 +0100 +Message-Id: +To: razor-users@example.sourceforge.net +From: Julian Bond +MIME-Version: 1.0 +Content-Type: text/plain;charset=us-ascii;format=flowed +User-Agent: Turnpike/6.02-U () +Subject: [Razor-users] Razor with sendmail +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 10:48:59 +0100 +Date: Fri, 23 Aug 2002 10:48:59 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,USER_AGENT + version=2.40-cvs +X-Spam-Level: + +I'm after a recipe for using Razor with Sendmail. Unfortunately, I can't +get Procmail on my hosting but I do have full access to the Sendmail +alias list. + +Can anyone point me at some docs for this as I couldn't find anything in +the Razor docs. + +-- +Julian Bond Email&MSM: julian.bond@voidstar.com +Webmaster: http://www.ecademy.com/ +Personal WebLog: http://www.voidstar.com/ +CV/Resume: http://www.voidstar.com/cv/ +M: +44 (0)77 5907 2173 T: +44 (0)192 0412 433 + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1494.adcdefb394b06836cbb548c4a93ee76a b/machine-learning-ex6/ex6/easy_ham/1494.adcdefb394b06836cbb548c4a93ee76a new file mode 100644 index 0000000..fa78ace --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1494.adcdefb394b06836cbb548c4a93ee76a @@ -0,0 +1,84 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 15:20:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 905BD44155 + for ; Fri, 23 Aug 2002 10:20:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 15:20:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NE1sZ26754 for ; Fri, 23 Aug 2002 15:01:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iEs3-0000vs-00; Fri, + 23 Aug 2002 06:53:03 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iEra-0005zx-00 for ; Fri, + 23 Aug 2002 06:52:34 -0700 +Received: (qmail 29136 invoked from network); 23 Aug 2002 08:48:57 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 23 Aug 2002 08:48:57 -0000 +Message-Id: <0dee01c24aac$4e4fd400$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: +References: + <003601c247d1$c22de5c0$7c640f0a@mfc.corp.mckee.com> + <009e01c24855$35b5c480$7c640f0a@mfc.corp.mckee.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [Razor-users] Razor 2.14 - the day after +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 09:51:23 -0400 +Date: Fri, 23 Aug 2002 09:51:23 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.0 required=7.0 + tests=FOR_FREE,FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +I recently installed Razor v2.14 and started using it. I am finding it +necessary to whitelist a _lot_ of mailing lists. Some, such as yahoogroups, +I can't whitelist because the from: address is the person making the post, +so I will have to whitelist on another field when I can modify my code to do +so. I wonder if someone is not being careful about their submissions, or if +these are bad mailing lists that don't drop bad mail addresses that become +trollboxes in time. + +Any employee who has left my company more than three years ago is eligible +to become a trollbox. I figure after three years of bounced mail, the list +should have figured out they aren't here any more. + +Fox + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1495.965bf18408e31d93d3fd256d2c6e8b64 b/machine-learning-ex6/ex6/easy_ham/1495.965bf18408e31d93d3fd256d2c6e8b64 new file mode 100644 index 0000000..f52f9b8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1495.965bf18408e31d93d3fd256d2c6e8b64 @@ -0,0 +1,96 @@ +From razor-users-admin@lists.sourceforge.net Fri Aug 23 16:55:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id F2C8744155 + for ; Fri, 23 Aug 2002 11:55:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 16:55:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NFu2Z30493 for ; Fri, 23 Aug 2002 16:56:03 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iGdS-0001nO-00; Fri, + 23 Aug 2002 08:46:06 -0700 +Received: from 12.ws.pa.net ([206.228.70.126] helo=sparrow.stearns.org) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iGcr-0000ui-00 for ; Fri, + 23 Aug 2002 08:45:29 -0700 +Received: from localhost (localhost [127.0.0.1]) by sparrow.stearns.org + (8.11.6/8.11.6) with ESMTP id g7NFiiv20819; Fri, 23 Aug 2002 11:44:50 + -0400 +From: William Stearns +X-X-Sender: wstearns@sparrow +Reply-To: William Stearns +To: Fox +Cc: ML-razor-users , + William Stearns +Subject: Re: [Razor-users] Razor 2.14 - the day after +In-Reply-To: <0dee01c24aac$4e4fd400$7c640f0a@mfc.corp.mckee.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 11:44:44 -0400 (EDT) +Date: Fri, 23 Aug 2002 11:44:44 -0400 (EDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +Good day, Fox, + +On Fri, 23 Aug 2002, Fox wrote: + +> I recently installed Razor v2.14 and started using it. I am finding it +> necessary to whitelist a _lot_ of mailing lists. Some, such as yahoogroups, +> I can't whitelist because the from: address is the person making the post, +> so I will have to whitelist on another field when I can modify my code to do +> so. I wonder if someone is not being careful about their submissions, or if +> these are bad mailing lists that don't drop bad mail addresses that become +> trollboxes in time. + + I've found excellent luck with the X-Been____There header (____'s +added to to avoid tripping procmail rules): + +____X-Been____There: news@jabber.org + + Cheers, + - Bill + +--------------------------------------------------------------------------- + "Nynex. Iroquois for Moron" + -- A well-known Linux kernel hacker. +-------------------------------------------------------------------------- +William Stearns (wstearns@pobox.com). Mason, Buildkernel, named2hosts, +and ipfwadm2ipchains are at: http://www.stearns.org +-------------------------------------------------------------------------- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1496.c48399a0c3abb60acd00322bdbb97565 b/machine-learning-ex6/ex6/easy_ham/1496.c48399a0c3abb60acd00322bdbb97565 new file mode 100644 index 0000000..aeef991 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1496.c48399a0c3abb60acd00322bdbb97565 @@ -0,0 +1,116 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:16:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D46444163 + for ; Mon, 26 Aug 2002 10:14:52 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:14:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NJYMZ05425 for ; Fri, 23 Aug 2002 20:34:22 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iJpv-0007x8-00; Fri, + 23 Aug 2002 12:11:11 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iJox-0007Os-00 for ; Fri, + 23 Aug 2002 12:10:11 -0700 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g7NJA2g29392; Fri, 23 Aug 2002 15:10:02 -0400 +From: Theo Van Dinter +To: "Rose, Bobby" +Cc: Julian Bond , + razor-users@lists.sourceforge.net +Subject: Re: [Razor-users] Razor with sendmail +Message-Id: <20020823191002.GK12303@kluge.net> +References: +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="hdW7zL/qDS6RXdAL" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 15:10:02 -0400 +Date: Fri, 23 Aug 2002 15:10:02 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--hdW7zL/qDS6RXdAL +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Aug 23, 2002 at 03:03:05PM -0400, Rose, Bobby wrote: +> If you didn't add it when compile would be one way. Another would be to +> grep your sendmail.cf for the word Milter. + +I don't know if there's a sendmail-ish way (it's not in the -d0.1 output), +but this should work: + +$ strings `which sendmail` | grep -i milter + +If you get a long list of function/message looking phrases, milter +is built-in. If you get something like: + +Warning: Filter usage ('X') requires Milter support (-DMILTER) +Milter Warning: Option: %s requires Milter support (-DMILTER) +@(#)$Id: milter.c,v 1.1.1.2 2002/03/12 18:00:36 zarzycki Exp $ + +then it's not built-in. :) + +--=20 +Randomly Generated Tagline: +"M: Can anyone tell us the lesson that has been learned here? + S: Yes Master, not a single one of us could defeat you. + M: You gain wisdom child ... " - The Frantics + +--hdW7zL/qDS6RXdAL +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9ZoiKAuOQUeWAs2MRAnJ0AJ9ruH+VXGGz/0mrSNVPQljjksTKEQCfSN2h +eED/03ARYS9odlD3qfuuFbA= +=nBsE +-----END PGP SIGNATURE----- + +--hdW7zL/qDS6RXdAL-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1497.82b5d123cc0c3630a6ecd3d0eefe7c08 b/machine-learning-ex6/ex6/easy_ham/1497.82b5d123cc0c3630a6ecd3d0eefe7c08 new file mode 100644 index 0000000..155181f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1497.82b5d123cc0c3630a6ecd3d0eefe7c08 @@ -0,0 +1,84 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:16:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3DB0844162 + for ; Mon, 26 Aug 2002 10:14:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:14:50 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NIwMZ04380 for ; Fri, 23 Aug 2002 19:58:22 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iJVU-0000TE-00; Fri, + 23 Aug 2002 11:50:04 -0700 +Received: from mta01-svc.ntlworld.com ([62.253.162.41]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iJUa-0004mT-00 for ; Fri, + 23 Aug 2002 11:49:08 -0700 +Received: from jblaptop.voidstar.com ([62.255.184.173]) by + mta01-svc.ntlworld.com (InterMail vM.4.01.03.27 201-229-121-127-20010626) + with ESMTP id + <20020823184905.BGWT25423.mta01-svc.ntlworld.com@jblaptop.voidstar.com> + for ; Fri, 23 Aug 2002 19:49:05 +0100 +Message-Id: +To: razor-users@example.sourceforge.net +From: Julian Bond +Subject: Re: [Razor-users] Razor with sendmail +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Type: text/plain;charset=us-ascii;format=flowed +User-Agent: Turnpike/6.02-U () +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 19:47:53 +0100 +Date: Fri, 23 Aug 2002 19:47:53 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=FOR_FREE,FUDGE_MULTIHOP_RELAY,IN_REP_TO,KNOWN_MAILING_LIST, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT + version=2.40-cvs +X-Spam-Level: + +"Bort, Paul" wrote: +>If your sendmail has been compiled with Milter support, you can add SMRazor +>easily. We've been using it for a while without problems. Others on the list +>have mentioned it as well. +> +>http://www.sapros.com/smrazor/ + +Is there an easy way to tell if Milter is compiled in? + +-- +Julian Bond Email&MSM: julian.bond@voidstar.com +Webmaster: http://www.ecademy.com/ +Personal WebLog: http://www.voidstar.com/ +CV/Resume: http://www.voidstar.com/cv/ +M: +44 (0)77 5907 2173 T: +44 (0)192 0412 433 + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1498.578d31b0aab137aa9d79b455a6def5cd b/machine-learning-ex6/ex6/easy_ham/1498.578d31b0aab137aa9d79b455a6def5cd new file mode 100644 index 0000000..25dc010 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1498.578d31b0aab137aa9d79b455a6def5cd @@ -0,0 +1,104 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:16:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 938C844165 + for ; Mon, 26 Aug 2002 10:14:57 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:14:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NJdjZ05699 for ; Fri, 23 Aug 2002 20:39:45 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iJj7-00056T-00; Fri, + 23 Aug 2002 12:04:09 -0700 +Received: from med-core07.med.wayne.edu ([146.9.19.23]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iJiD-000698-00 for ; Fri, + 23 Aug 2002 12:03:13 -0700 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Subject: RE: [Razor-users] Razor with sendmail +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [Razor-users] Razor with sendmail +Thread-Index: AcJK1hXMJt8nNXR6S8qFjiGkBId8ggAAWAMg +From: "Rose, Bobby" +To: "Julian Bond" , + +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 15:03:05 -0400 +Date: Fri, 23 Aug 2002 15:03:05 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7NJdjZ05699 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.8 required=7.0 + tests=ASCII_FORM_ENTRY,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_05_08 + version=2.40-cvs +X-Spam-Level: + +If you didn't add it when compile would be one way. Another would be to +grep your sendmail.cf for the word Milter. + +-----Original Message----- +From: Julian Bond [mailto:julian_bond@voidstar.com] +Sent: Friday, August 23, 2002 2:48 PM +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Razor with sendmail + + +"Bort, Paul" wrote: +>If your sendmail has been compiled with Milter support, you can add +>SMRazor easily. We've been using it for a while without problems. +>Others on the list have mentioned it as well. +> +>http://www.sapros.com/smrazor/ + +Is there an easy way to tell if Milter is compiled in? + +-- +Julian Bond Email&MSM: julian.bond@voidstar.com +Webmaster: http://www.ecademy.com/ +Personal WebLog: http://www.voidstar.com/ +CV/Resume: http://www.voidstar.com/cv/ +M: +44 (0)77 5907 2173 T: +44 (0)192 0412 433 + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old cell +phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1499.37d7a1b89dcf94a9b123ad584c2fa149 b/machine-learning-ex6/ex6/easy_ham/1499.37d7a1b89dcf94a9b123ad584c2fa149 new file mode 100644 index 0000000..ff7a82c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1499.37d7a1b89dcf94a9b123ad584c2fa149 @@ -0,0 +1,109 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:16:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 0378F44169 + for ; Mon, 26 Aug 2002 10:15:14 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:15:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NKaYZ07246 for ; Fri, 23 Aug 2002 21:36:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iL1M-0000go-00; Fri, + 23 Aug 2002 13:27:04 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17iL0h-0003bq-00 for ; Fri, + 23 Aug 2002 13:26:23 -0700 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g7NKQIa00718; Fri, 23 Aug 2002 16:26:18 -0400 +From: Theo Van Dinter +To: Sven Willenberger +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Razor with sendmail +Message-Id: <20020823202618.GQ12303@kluge.net> +References: + <01aa01c24ae2$2a5baa70$f2812d40@landshark> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="o99acAvKqrTZeiCU" +Content-Disposition: inline +In-Reply-To: <01aa01c24ae2$2a5baa70$f2812d40@landshark> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 16:26:18 -0400 +Date: Fri, 23 Aug 2002 16:26:18 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.1 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_02_03,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--o99acAvKqrTZeiCU +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Aug 23, 2002 at 04:17:55PM -0400, Sven Willenberger wrote: +> To see all the options compiled into (and version of) sendmail, try the +> following line: +>=20 +> echo \$Z | /path/to/sendmail -bt -d0 + +gives you the same information as "sendmail -d0.1 < /dev/null", which +doesn't include milter information. (actually the -d0 part gives you the +info, the $Z gives you sendmail version out of the test mode (-bt)... so +it's slightly different, but not really.) + +--=20 +Randomly Generated Tagline: +Be warned that typing \fBkillall \fIname\fP may not have the desired + effect on non-Linux systems, especially when done by a privileged user. + (From the killall manual page) + +--o99acAvKqrTZeiCU +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9ZppqAuOQUeWAs2MRAj5BAJ9xX0ndKBQQ8A6hbdoBDFSWMhasXACfXtzK +pjl1dQioTsb92uk/0HUhGbo= +=m9Tu +-----END PGP SIGNATURE----- + +--o99acAvKqrTZeiCU-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1500.2e6e497d8947d6125050b838efe4cf1f b/machine-learning-ex6/ex6/easy_ham/1500.2e6e497d8947d6125050b838efe4cf1f new file mode 100644 index 0000000..eb1b33e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1500.2e6e497d8947d6125050b838efe4cf1f @@ -0,0 +1,101 @@ +From dwheeler@ida.org Tue Sep 3 17:20:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7C6BB16F69 + for ; Tue, 3 Sep 2002 17:20:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 17:20:19 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83G4ZZ26141 for ; Tue, 3 Sep 2002 17:04:36 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 326048F2CD; Tue, 3 Sep 2002 09:00:08 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 21914 invoked from network); 30 Aug 2002 14:21:06 -0000 +Message-Id: <3D6F8139.8040106@ida.org> +Date: Fri, 30 Aug 2002 10:29:13 -0400 +From: David Wheeler +User-Agent: Mozilla/5.0 (X11; U; SunOS sun4u; en-US; rv:0.9.4.1) + Gecko/20020518 Netscape6/6.2.3 +X-Accept-Language: en-us +MIME-Version: 1.0 +To: Giorgio Zoppi , secprog@securityfocus.com +Subject: Re: Storing passwords +References: <3D66376D.4000809@ida.org> <20020827122630.D7017@cli.di.unipi.it> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-13.1 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_03_05, + USER_AGENT,X_ACCEPT_LANG + version=2.41-cvs +X-Spam-Level: + +If you need to store a database password, then +clearly the first step is to store the text outside the +web tree. You can encrypt it and store the encryption key elsewhere, +so that at least an attacker has to get two different things. +Also, don't get full privileges - create a user account that +is GRANTed very limited access. + +However, you can often do better than this if security +is critical. Create a separate program which has these +database keys (as noted above), and make the web program +contact IT. Create a very limited protocol that ONLY +lets you do the operations you need (you can add specific +operations later). There's a performance hit, which you're +trading for improved data isolation. + + + +Giorgio Zoppi wrote: + +> On Fri, Aug 23, 2002, David Wheeler wrote: +> +> +>>The standard way to store passwords is... not to +>>store passwords. Instead, store a salted hash of +>>the password in a database. When you get a purported +>>password, you re-salt it, compute the hash, and +>>determine if they are the same. This is how +>>Unix has done it for years. You want bigger hashes +>>and salts than the old Unix systems, and you still want +>>to prevent reading from those files (to foil password crackers). +>>More info is in my book at: +>> http://www.dwheeler.com/secure-programs +>> +> +> Well...but this cannot be applied to database password, which most +> web apps use. The only solution I figure is store in clear outside web +> tree, any other ideas feasible? +> +> Ciao, +> Giorgio. +> +> -- +> Never is Forever - deneb@penguin.it +> Homepage: http://www.cli.di.unipi.it/~zoppi/index.html +> -- +> +> +> + + +-- + +--- David A. Wheeler + dwheeler@ida.org + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1501.5c83f8ccf80ccff0b82b04a8e09d69ec b/machine-learning-ex6/ex6/easy_ham/1501.5c83f8ccf80ccff0b82b04a8e09d69ec new file mode 100644 index 0000000..84a9c63 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1501.5c83f8ccf80ccff0b82b04a8e09d69ec @@ -0,0 +1,69 @@ +From ygingras@eclipsys.qc.ca Tue Sep 3 17:20:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A3EC416F56 + for ; Tue, 3 Sep 2002 17:20:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 17:20:21 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g83G5AZ26175 for + ; Tue, 3 Sep 2002 17:05:10 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id RAA02213 for + ; Tue, 3 Sep 2002 17:05:24 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 145628F2CC; Tue, 3 Sep 2002 09:00:05 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 13052 invoked from network); 29 Aug 2002 21:32:02 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Secure Sofware Key +Date: Thu, 29 Aug 2002 17:46:27 -0400 +X-Mailer: KMail [version 1.3.2] +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> +X-Spam-Status: No, hits=-0.5 required=7.0 + tests=KNOWN_MAILING_LIST,PGP_MESSAGE,SPAM_PHRASE_00_01 + version=2.41-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + + +Hi, + I am wondering if there are any techniques to make a CD-Key of the like +unbreakable. Either by giving it a cancelation date and a periodic renewal +from a server or just by using self md5 signature on the resulting +executable. I know it must not be easy because the whole software piracy +problem would be resolved but there must be some way to make it really hard +to break it. Anyone have hints on this issue ? + +Thanks + +- -- +Yannick Gingras +Network Programer +ESC:wq +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9bpYzuv7G0DNFO+QRAqBhAKChTeKXwD8zDMwf+okAKJXnnpknwACgtXZ7 +v3bBABue0VX/Uy86Fhn9Ifs= +=Uwqj +-----END PGP SIGNATURE----- + diff --git a/machine-learning-ex6/ex6/easy_ham/1502.1376704c3bd9c110fe3a5d0768745d91 b/machine-learning-ex6/ex6/easy_ham/1502.1376704c3bd9c110fe3a5d0768745d91 new file mode 100644 index 0000000..e5f4f4c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1502.1376704c3bd9c110fe3a5d0768745d91 @@ -0,0 +1,71 @@ +From ygingras@ygingras.net Tue Sep 3 22:18:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 27A7E16F6B + for ; Tue, 3 Sep 2002 22:18:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:18:23 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83KUUZ01977 for ; Tue, 3 Sep 2002 21:30:30 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + BA8C68F2C1; Tue, 3 Sep 2002 13:35:21 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 2480 invoked from network); 3 Sep 2002 19:18:22 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Date: Tue, 3 Sep 2002 15:33:52 -0400 +X-Mailer: KMail [version 1.3.2] +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <20020903183103.A5C7733986@LINPDC.eclipsys.qc.ca> +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,PGP_MESSAGE,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_01_02 + version=2.41-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +Le 3 Septembre 2002 12:43, vous avez écrit : +> Yannick, +> You'll want to peruse Fravia's web site on reverse engineering (and other +> things) http://www.woodmann.com/fravia/protec.htm. That specific page +> covers just your concerns. +> +> Josh + +Thanks for the input. Some of the tips are quite portable but are there any +special attentions to take when implementing such shemes on a UNIX system ? + +Thanks. + +- -- +Yannick Gingras +Coder for OBB : Ostentatiously Breathless Brother-in-law +http://OpenBeatBox.org +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9dQ6guv7G0DNFO+QRApsXAKCjD98foVvLjet3x9ExtihruvT7KACeNayD +wDZlxJXjDmLFhNrN97cd73M= +=4Clx +-----END PGP SIGNATURE----- + diff --git a/machine-learning-ex6/ex6/easy_ham/1503.f1fc48f16902a097113fa60aaeb35245 b/machine-learning-ex6/ex6/easy_ham/1503.f1fc48f16902a097113fa60aaeb35245 new file mode 100644 index 0000000..96cda66 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1503.f1fc48f16902a097113fa60aaeb35245 @@ -0,0 +1,80 @@ +From ygingras@ygingras.net Wed Sep 4 11:37:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BC9E16F21 + for ; Wed, 4 Sep 2002 11:37:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:37:01 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83MAuZ05212 for ; Tue, 3 Sep 2002 23:10:57 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 6C1F08F616; Tue, 3 Sep 2002 15:13:29 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 1222 invoked from network); 3 Sep 2002 20:11:16 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Date: Tue, 3 Sep 2002 16:26:15 -0400 +X-Mailer: KMail [version 1.3.2] +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <15733.3398.363187.572002@cerise.nosuchdomain.co.uk> +In-Reply-To: <15733.3398.363187.572002@cerise.nosuchdomain.co.uk> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PGP_MESSAGE, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05 + version=2.41-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +> What do you mean by "CD-Key or the like" (I presume that "of" was a +> typo)? And what do you mean by "unbreakable"? + +"of" was a typo + +Unbreakable would mean here that no one, even previously authorised entity, +could use the system without paying the periodic subscription fee. + +> You need to be far more explicit about the problem which you wish to +> solve, and about the constraints involved. + +It could be an online system that work 95% offline but poll frequently an +offsite server. No mass production CDs, maybe mass personalised d/l like Sun +JDK. + +Nothing is fixed yet, we are looking at the way a software can be protected +from unauthorized utilisation. + +Is the use of "trusted hardware" really worth it ? Does it really make it +more secure ? Look at the DVDs. + +- -- +Yannick Gingras +Coder for OBB : Obdurately Buteonine Bellwether +http://OpenBeatBox.org +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9dRrnuv7G0DNFO+QRAk8nAKClAhTmyrUgP3ko+DEjcvj0mqfjzACgwQvo +WZ6/CMUA23HCMZVycd7XD1Q= +=V2G8 +-----END PGP SIGNATURE----- + diff --git a/machine-learning-ex6/ex6/easy_ham/1504.f77b2dc9ad8c875d8edc67b180e2f878 b/machine-learning-ex6/ex6/easy_ham/1504.f77b2dc9ad8c875d8edc67b180e2f878 new file mode 100644 index 0000000..859c832 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1504.f77b2dc9ad8c875d8edc67b180e2f878 @@ -0,0 +1,97 @@ +From glynn.clements@virgin.net Wed Sep 4 11:37:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 761DB16F20 + for ; Wed, 4 Sep 2002 11:36:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:36:58 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83M8qZ05177 for ; Tue, 3 Sep 2002 23:08:52 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 204FE8F615; Tue, 3 Sep 2002 15:13:28 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 27519 invoked from network); 3 Sep 2002 19:49:41 -0000 +From: Glynn Clements +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15733.3398.363187.572002@cerise.nosuchdomain.co.uk> +Date: Tue, 3 Sep 2002 20:28:06 +0100 +To: Yannick Gingras +Cc: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +In-Reply-To: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> +X-Mailer: VM 6.94 under 21.4 (patch 9) "Informed Management (RC2)" XEmacs + Lucid +X-Spam-Status: No, hits=-14.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_03_05 + version=2.41-cvs +X-Spam-Level: + + +Yannick Gingras wrote: + +> I am wondering if there are any techniques to make a CD-Key of the like +> unbreakable. Either by giving it a cancelation date and a periodic renewal +> from a server or just by using self md5 signature on the resulting +> executable. I know it must not be easy because the whole software piracy +> problem would be resolved but there must be some way to make it really hard +> to break it. Anyone have hints on this issue ? + +What do you mean by "CD-Key or the like" (I presume that "of" was a +typo)? And what do you mean by "unbreakable"? + +You need to be far more explicit about the problem which you wish to +solve, and about the constraints involved. + +Some general points: + +1. For a conventional "CD key" system, where the actual CDs are +mass-produced (where you have many identical CDs), and the entire +system has to work offline, you cannot solve the problem of valid keys +being "traded" (e.g. included along with bootleg copies of the +product). + +If there's an online element involved, you can "tie" keys to a +specific hardware configuration, as is done (AFAIK) for Windows XP's +"product activation". + +2. Anything which uses a symmetric cipher (or hash) is bound to be +vulnerable to reverse engineering of the validation routines within +the executable. + +3. Ultimately, any software mechanism will be vulnerable to +"cracking", i.e. modifying the software to disable or circumvent the +validation checks. + +This can only be prevented by the use of trusted hardware (e.g. a +Palladium-style system). + +Most significantly, the data must be supplied in a form which is only +accessible by that hardware. If anyone can get at the data in a +meaningful (i.e. unencrypted) form, they can extract the useful parts +and discard the rest (i.e. any associated protection mechanisms). + +IOW, you have to "keep the genie in the bottle" at all times. If the +data can be got at just once (even if it requires the use of dedicated +hardware such as a bus analyser), it can then be duplicated and +distributed without limit. + +-- +Glynn Clements + diff --git a/machine-learning-ex6/ex6/easy_ham/1505.7cc0d1e500937105c1503d63bd0b5161 b/machine-learning-ex6/ex6/easy_ham/1505.7cc0d1e500937105c1503d63bd0b5161 new file mode 100644 index 0000000..d59df80 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1505.7cc0d1e500937105c1503d63bd0b5161 @@ -0,0 +1,101 @@ +From glynn.clements@virgin.net Wed Sep 4 18:58:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 05A9216F1F + for ; Wed, 4 Sep 2002 18:58:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 18:58:42 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84H7dZ11753 for ; Wed, 4 Sep 2002 18:07:40 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 9FE27A30F4; Wed, 4 Sep 2002 10:40:56 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 21503 invoked from network); 3 Sep 2002 22:43:53 -0000 +From: Glynn Clements +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15733.15859.462448.155446@cerise.nosuchdomain.co.uk> +Date: Tue, 3 Sep 2002 23:55:47 +0100 +To: Yannick Gingras +Cc: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +In-Reply-To: <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <15733.3398.363187.572002@cerise.nosuchdomain.co.uk> + <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> +X-Mailer: VM 6.94 under 21.4 (patch 9) "Informed Management (RC2)" XEmacs + Lucid +X-Spam-Status: No, hits=-14.2 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_03_05 + version=2.41-cvs +X-Spam-Level: + + +Yannick Gingras wrote: + +> > What do you mean by "CD-Key or the like" (I presume that "of" was a +> > typo)? And what do you mean by "unbreakable"? +> +> "of" was a typo +> +> Unbreakable would mean here that no one, even previously authorised entity, +> could use the system without paying the periodic subscription fee. +> +> > You need to be far more explicit about the problem which you wish to +> > solve, and about the constraints involved. +> +> It could be an online system that work 95% offline but poll frequently an +> offsite server. No mass production CDs, maybe mass personalised d/l like Sun +> JDK. +> +> Nothing is fixed yet, we are looking at the way a software can be protected +> from unauthorized utilisation. +> +> Is the use of "trusted hardware" really worth it ? + +Answering that requires fairly complete knowledge of the business +model. But, in all probability: no, it isn't usually worth it. So, it +comes down to how difficult you want to make the cracker's job. + +If the product requires occasional authentication, simple copying +won't work; the product has to be cracked. In which case, the issue is +whether you're actually going to enter into battle with the crackers, +or just make sure that it isn't trivial. + +A lot of it comes down to your customer base. Teenage kids tend to be +more concerned about cost and less concerned about viruses/trojans, +and so more willing to use warez. Fortune-500 corporations are likely +to view matters differently. + +> Does it really make it more secure ? + +Yes; software techniques will only get you so far. Actually, the same +is ultimately true for hardware, but cracking hardware is likely to +require resources other than just labour. + +Almost (?) anything can be reverse engineered. But it may be possible +to ensure that doing so is uneconomical. + +> Look at the DVDs. + +IIRC, CSS was cracked by reverse-engineering a software player; and +one where the developers forgot to encrypt the decryption key at that. + +-- +Glynn Clements + diff --git a/machine-learning-ex6/ex6/easy_ham/1506.df1d0b609d034c834e290e7e3732e392 b/machine-learning-ex6/ex6/easy_ham/1506.df1d0b609d034c834e290e7e3732e392 new file mode 100644 index 0000000..33d4d8c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1506.df1d0b609d034c834e290e7e3732e392 @@ -0,0 +1,75 @@ +From ygingras@ygingras.net Wed Sep 4 18:58:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BC18716F21 + for ; Wed, 4 Sep 2002 18:58:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 18:58:47 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84HEjZ12085 for ; Wed, 4 Sep 2002 18:14:46 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 5AE888F334; Wed, 4 Sep 2002 10:00:16 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 11511 invoked from network); 4 Sep 2002 00:48:18 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Date: Tue, 3 Sep 2002 21:03:40 -0400 +User-Agent: KMail/1.4.2 +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> + <15733.15859.462448.155446@cerise.nosuchdomain.co.uk> +In-Reply-To: <15733.15859.462448.155446@cerise.nosuchdomain.co.uk> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209032103.44905.ygingras@ygingras.net> +X-Spam-Status: No, hits=-11.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_01_02, + USER_AGENT,USER_AGENT_KMAIL + version=2.41-cvs +X-Spam-Level: + +> > Is the use of "trusted hardware" really worth it ? +> +> Answering that requires fairly complete knowledge of the business +> model. But, in all probability: no, it isn't usually worth it. So, it +> comes down to how difficult you want to make the cracker's job. +> +> > Look at the DVDs. +> +> IIRC, CSS was cracked by reverse-engineering a software player; and +> one where the developers forgot to encrypt the decryption key at that. + +This make me wonder about the relative protection of smart cards. They have +an internal procession unit around 4MHz. Can we consider them as trusted +hardware ? The ability to ship smart cards periodicaly uppon cashing of a +monthly subscription fee would not raise too much the cost of "renting" the +system. Smart card do their own self encryption. Can they be used to +decrypt data needed by the system ? The input of the system could me mangled +and the would keep a reference of how long it was in service. + +This sounds really feasible but I may be totaly wrong. I may also be wrong +about the safety of a smart card. + +What do you think ? + +-- +Yannick Gingras +Coder for OBB : Oceangoing Bared Bonanza +http://OpenBeatBox.org + + diff --git a/machine-learning-ex6/ex6/easy_ham/1507.381db954fc6fe8df9646172b53db92ad b/machine-learning-ex6/ex6/easy_ham/1507.381db954fc6fe8df9646172b53db92ad new file mode 100644 index 0000000..f495456 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1507.381db954fc6fe8df9646172b53db92ad @@ -0,0 +1,82 @@ +From ygingras@ygingras.net Wed Sep 4 18:59:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 821DE16F49 + for ; Wed, 4 Sep 2002 18:58:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 18:58:53 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84HOPZ12385 for ; Wed, 4 Sep 2002 18:24:25 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 3E30AA35FF; Wed, 4 Sep 2002 10:55:38 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 4415 invoked from network); 4 Sep 2002 10:36:32 -0000 +Content-Type: text/plain; charset="iso-8859-15" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Date: Wed, 4 Sep 2002 06:52:07 -0400 +User-Agent: KMail/1.4.2 +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> + <002c01c253c3$5d522d70$740aa8c0@fmmobile> +In-Reply-To: <002c01c253c3$5d522d70$740aa8c0@fmmobile> +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209040652.07546.ygingras@ygingras.net> +X-Spam-Status: No, hits=-12.1 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03, + USER_AGENT,USER_AGENT_KMAIL + version=2.41-cvs +X-Spam-Level: + +> Software vendors have been trying since forever to prevent software piracy. +> Remember when you had to enter a specific word from a specific page of the +> software manual, which was printed on dark maroon paper so that it could +> not be photocopied? Didn't work. Propritery encoding of DVD's? Didn't +> work. Software that required the use of a registration key? Didn't work. +> Windows XP was shipped with this supposedly revolutionary method for +> stopping piracy, and what happened? How long was it before the code was +> cracked? How many keygens are there for Windows XP? Is someone running a +> pirated version of XP really going to use Windows Update to installed a +> service pack which breaks their OS? Just because M$ didn't include the +> change in their README? Fat chance. + +My problem is not the same as MS's one, I don't have to deal with millions of +identical copy of the same CD with propably millions of working keys. Each +download can be unique with a small preparation delay. The key generator is +a problem only if multiple keys are usable. If the end users are teenagers, +you'll face a huge wall when asking to be 100% of the time online but if we +think of something like a health care system that keep track of patients +personnal information, the end user will be willing to take every possible +steps to protect the system from his own employees to use illegaly. + +I agree with all of you that mass production CDs will not be safe from piracy +in a near futur. That can be seen as a collateral of mass market +penetration. + +BTW thanks for all of you who provided interestiong insight. I'm playing with +gdb's dissassembler now but I don't think it's what a typical cracker would +use. Any hints on UNIX cracking tools ? + +Thanks. + +-- +Yannick Gingras +Coder for OBB : Onside Brainsick Bract +http://OpenBeatBox.org + + diff --git a/machine-learning-ex6/ex6/easy_ham/1508.334b2eb6c70ba66605ebefc97924e7b3 b/machine-learning-ex6/ex6/easy_ham/1508.334b2eb6c70ba66605ebefc97924e7b3 new file mode 100644 index 0000000..b3720d6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1508.334b2eb6c70ba66605ebefc97924e7b3 @@ -0,0 +1,66 @@ +From ben@algroup.co.uk Wed Sep 4 18:59:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 66F0116F56 + for ; Wed, 4 Sep 2002 18:58:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 18:58:55 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84HQfZ12414 for ; Wed, 4 Sep 2002 18:26:41 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 3D51EA3600; Wed, 4 Sep 2002 10:55:41 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 4329 invoked from network); 4 Sep 2002 10:33:26 -0000 +Message-Id: <3D75E4DC.9090107@algroup.co.uk> +Date: Wed, 04 Sep 2002 11:47:56 +0100 +From: Ben Laurie +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.0.1) + Gecko/20020815 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Yannick Gingras +Cc: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <15733.3398.363187.572002@cerise.nosuchdomain.co.uk> + <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> +X-Enigmail-Version: 0.63.3.0 +X-Enigmail-Supports: pgp-inline, pgp-mime +Content-Type: text/plain; charset=ISO-8859-15; format=flowed +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-7.7 required=7.0 + tests=KNOWN_MAILING_LIST,REFERENCES,SIGNATURE_SHORT_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.41-cvs +X-Spam-Level: + +Yannick Gingras wrote: +> Is the use of "trusted hardware" really worth it ? Does it really make it +> more secure ? Look at the DVDs. + +DVDs don't use trusted hardware. As for whether it is worth it, that +depends entirely on what its worth to secure your software. + +Cheers, + +Ben. + +-- +http://www.apache-ssl.org/ben.html http://www.thebunker.net/ + +"There is no limit to what a man can do or how far he can go if he +doesn't mind who gets the credit." - Robert Woodruff + + diff --git a/machine-learning-ex6/ex6/easy_ham/1509.dd0b9717ec7e25f4adb5a5aefa204ba1 b/machine-learning-ex6/ex6/easy_ham/1509.dd0b9717ec7e25f4adb5a5aefa204ba1 new file mode 100644 index 0000000..b261744 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1509.dd0b9717ec7e25f4adb5a5aefa204ba1 @@ -0,0 +1,14 @@ +Return-Path: whisper@oz.net +Delivery-Date: Thu Sep 5 23:42:38 2002 +From: whisper@oz.net (David LeBlanc) +Date: Thu, 5 Sep 2002 15:42:38 -0700 +Subject: [Spambayes] All but one testing +Message-ID: + +Errr... not to be pedantic or anything, but this is called "omit one +testing" or OOT in the literature IIRC. Helpful in case you're searching for +additional information, say at http://citeseer.nj.nec.com/ for instance. + +David LeBlanc +Seattle, WA USA + diff --git a/machine-learning-ex6/ex6/easy_ham/1510.ce7b07a2114218dbac682b599785820d b/machine-learning-ex6/ex6/easy_ham/1510.ce7b07a2114218dbac682b599785820d new file mode 100644 index 0000000..ad86d11 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1510.ce7b07a2114218dbac682b599785820d @@ -0,0 +1,55 @@ +Return-Path: nas@python.ca +Delivery-Date: Thu Sep 5 23:49:23 2002 +From: nas@python.ca (Neil Schemenauer) +Date: Thu, 5 Sep 2002 15:49:23 -0700 +Subject: [Spambayes] all but one testing +In-Reply-To: +References: <20020905190420.GB19726@glacier.arctrix.com> + +Message-ID: <20020905224923.GA20480@glacier.arctrix.com> + +Tim Peters wrote: +> I've run no experiments on training set size yet, and won't hazard a guess +> as to how much is enough. I'm nearly certain that the 4000h+2750s I've been +> using is way more than enough, though. + +Okay, I believe you. + +> Each call to learn() and to unlearn() computes a new probability for every +> word in the database. There's an official way to avoid that in the first +> two loops, e.g. +> +> for msg in spam: +> gb.learn(msg, True, False) +> gb.update_probabilities() + +I did that. It's still really slow when you have thousands of messages. + +> In each of the last two loops, the total # of ham and total # of spam in the +> "learned" set is invariant across loop trips, and you *could* break into the +> abstraction to exploit that: the only probabilities that actually change +> across those loop trips are those associated with the words in msg. Then +> the runtime for each trip would be proportional to the # of words in the msg +> rather than the number of words in the database. + +I hadn't tried that. I figured it was better to find out if "all but +one" testing had any appreciable value. It looks like it doesn't so +I'll forget about it. + +> Another area for potentially fruitful study: it's clear that the +> highest-value indicators usually appear "early" in msgs, and for spam +> there's an actual reason for that: advertising has to strive to get your +> attention early. So, for example, if we only bothered to tokenize the first +> 90% of a msg, would results get worse? + +Spammers could exploit this including a large MIME part at the beginning +of the message. In pratice that would probably work fine. + +> sometimes an on-topic message starts well but then rambles. + +Never. I remember the time when I was ten years old and went down to +the fishing hole with my buddies. This guy named Gordon had a really +huge head. Wait, maybe that was Joe. Well, no matter. As I recall, it +was a hot day and everyone was tired...Human Growth Hormone...girl with +huge breasts...blah blah blah...... + diff --git a/machine-learning-ex6/ex6/easy_ham/1511.de6a5fe900081a0492fb84f6bfae46a1 b/machine-learning-ex6/ex6/easy_ham/1511.de6a5fe900081a0492fb84f6bfae46a1 new file mode 100644 index 0000000..17626b3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1511.de6a5fe900081a0492fb84f6bfae46a1 @@ -0,0 +1,16 @@ +Return-Path: nas@python.ca +Delivery-Date: Thu Sep 5 23:56:01 2002 +From: nas@python.ca (Neil Schemenauer) +Date: Thu, 5 Sep 2002 15:56:01 -0700 +Subject: [Spambayes] All but one testing +In-Reply-To: +References: +Message-ID: <20020905225601.GA20578@glacier.arctrix.com> + +David LeBlanc wrote: +> Errr... not to be pedantic or anything, but this is called "omit one +> testing" or OOT in the literature IIRC. + +I have no idea. I made up the name. Thanks for the correction. + + Neil diff --git a/machine-learning-ex6/ex6/easy_ham/1512.97da4f8a986b55cbe1f81bb22836ac58 b/machine-learning-ex6/ex6/easy_ham/1512.97da4f8a986b55cbe1f81bb22836ac58 new file mode 100644 index 0000000..054a526 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1512.97da4f8a986b55cbe1f81bb22836ac58 @@ -0,0 +1,30 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 03:14:07 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Thu, 05 Sep 2002 22:14:07 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> +Message-ID: + +[Skip Montanaro] +> Any thought to wrapping up your spam and ham test sets for +> inclusion w/ the spambayes project? + +I gave it all the thought it deserved . It would be wonderful to get +several people cranking on the same test data, and I'm all in favor of that. +OTOH, my Data/ subtree currently has more than 35,000 files slobbering over +134 million bytes -- even if I had a place to put that much stuff, I'm not +sure my ISP would let me email it in one msg . + +Apart from that, there was a mistake very early on whose outcome was that +this isn't the data I hoped I was using. I *hoped* I was using a snapshot +of only recent msgs (to match the snapshot this way of only spam from 2002), +but turns out they actually go back to the last millennium. Greg Ward is +currently capturing a stream coming into python.org, and I hope we can get a +more modern, and cleaner, test set out of that. But if that stream contains +any private email, it may not be ethically possible to make that available. +Can you think of anyplace to get a large, shareable ham sample apart from a +public mailing list? Everyone's eager to share their spam, but spam is so +much alike in so many ways that's the easy half of the data collection +problem. + diff --git a/machine-learning-ex6/ex6/easy_ham/1513.4ee4b7db2ca10b3f5ec512d26bf8b3f9 b/machine-learning-ex6/ex6/easy_ham/1513.4ee4b7db2ca10b3f5ec512d26bf8b3f9 new file mode 100644 index 0000000..f106d01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1513.4ee4b7db2ca10b3f5ec512d26bf8b3f9 @@ -0,0 +1,43 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 03:41:13 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Thu, 5 Sep 2002 21:41:13 -0500 +Subject: [Spambayes] test sets? +In-Reply-To: +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + +Message-ID: <15736.5577.157228.229200@12-248-11-90.client.attbi.com> + + + Tim> I gave it all the thought it deserved . It would be + Tim> wonderful to get several people cranking on the same test data, and + Tim> I'm all in favor of that. OTOH, my Data/ subtree currently has + Tim> more than 35,000 files slobbering over 134 million bytes -- even if + Tim> I had a place to put that much stuff, I'm not sure my ISP would let + Tim> me email it in one msg . + +Do you have a dialup or something more modern ? 134MB of messages +zipped would probably compress pretty well - under 50MB I'd guess with all +the similarity in the headers and such. You could zip each of the 10 sets +individually and upload them somewhere. + + Tim> Can you think of anyplace to get a large, shareable ham sample + Tim> apart from a public mailing list? Everyone's eager to share their + Tim> spam, but spam is so much alike in so many ways that's the easy + Tim> half of the data collection problem. + +How about random sampling lots of public mailing lists via gmane or +something similar, manually cleaning it (distributing that load over a +number of people) and then relying on your clever code and your rebalancing +script to help further cleanse it? The "problem" with the ham is it tends +to be much more tied to one person (not just intimate, but unique) than the +spam. + +I save all incoming email for ten days (gzipped mbox format) before it rolls +over and disappears. At any one time I think I have about 8,000-10,000 +messages. Most of it isn't terribly personal (which I would cull before +passing along anyway) and much of it is machine-generated, so would be of +marginal use. Finally, it's all ham-n-spam mixed together. Do we call that +an omelette or a Denny's Grand Slam? + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1514.e01ad8fa7bcb36e969c838578051d684 b/machine-learning-ex6/ex6/easy_ham/1514.e01ad8fa7bcb36e969c838578051d684 new file mode 100644 index 0000000..cc17036 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1514.e01ad8fa7bcb36e969c838578051d684 @@ -0,0 +1,45 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 07:09:11 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 02:09:11 -0400 +Subject: [Spambayes] all but one testing +In-Reply-To: <20020905224923.GA20480@glacier.arctrix.com> +Message-ID: + +[Tim] +> Another area for potentially fruitful study: it's clear that the +> highest-value indicators usually appear "early" in msgs, and for spam +> there's an actual reason for that: advertising has to strive +> to get your attention early. So, for example, if we only bothered to +> tokenize the first 90% of a msg, would results get worse? + +[Neil Schemenauer] +> Spammers could exploit this including a large MIME part at the beginning +> of the message. In pratice that would probably work fine. + +Note that timtest.py's current tokenizer only looks at decoded text/* MIME +sections (or raw message text if no MIME exists); spammers could put +megabytes of other crap before that and it wouldn't even be looked at +(except that the email package has to parse non-text/* parts well enough to +skip over them, and tokens for the most interesting parts of Content-{Type, +Disposition, Transfer-Encoding} decorations are generated for all MIME +sections). + +Schemes that remain ignorant of MIME are vulnerable to spammers putting +arbitrary amounts of "nice text" in the preamble area (after the headers and +before the first MIME section), which most mail readers don't display, but +which appear first in the file so are latched on to by Graham's scoring +scheme. + +But I don't worry about clever spammers -- I've seen no evidence that they +exist <0.5 wink>. Even if they do, the Open Source zoo is such that no +particular scheme will gain dominance, and there's no percentage for +spammers in trying to fool just one scheme. Even if they did, for the kind +of scheme we're using here they can't *know* what "nice text" is, not unless +they pay a lot of attention to the spam targets and highly tailor their +messages to each different one. At that point they'd be doing targeted +marketing, and the cost of the game to them would increase enormously. + +if-you're-out-to-make-a-quick-buck-you-don't-waste-a-second-on-hard- + targets-ly y'rs - tim + diff --git a/machine-learning-ex6/ex6/easy_ham/1515.cbcae309928553721fdf49cdf98541db b/machine-learning-ex6/ex6/easy_ham/1515.cbcae309928553721fdf49cdf98541db new file mode 100644 index 0000000..5bc98ba --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1515.cbcae309928553721fdf49cdf98541db @@ -0,0 +1,38 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Fri Sep 6 08:59:38 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Fri, 06 Sep 2002 17:59:38 +1000 +Subject: [Spambayes] test sets? +Message-ID: <200209060759.g867xcV03853@localhost.localdomain> + + +I've got a test set here that's the last 3 and a bit years email to +info@ekit.com and info@ekno.com - it's a really ugly set of 20,000+ +messages, currently broken into 7,000 spam, 9,000 ham, 9,000 currently +unclassified. These addresses are all over the 70-some different +ekit/ekno/ISIConnect websites, so they get a LOT of spam. + +As well as the usual spam, it also has customers complaining about +credit card charges, it has people interested in the service and +asking questions about long distance rates, &c &c &c. Lots and lots +of "commercial" speech, in other words. Stuff that SA gets pretty +badly wrong. + +I'm currently mangling it by feeding all parts (text, html, whatever +else :) into the filters, as well as both a selected number of headers +(to, from, content-type, x-mailer), and also a list of +(header,count_of_header). This is showing up some nice stuff - e.g. the +X-uidl that stoopid spammers blindly copy into their messages. + +I did have Received in there, but it's out for the moment, as it causes +rates to drop. + +I'm also stripping out HTML tags, except for href="" and src="" - there's +so so much goodness in them (note that I'm only keeping the contents of +the attributes). + + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1516.d12eaa7e292c15107171b0eb39ea40df b/machine-learning-ex6/ex6/easy_ham/1516.d12eaa7e292c15107171b0eb39ea40df new file mode 100644 index 0000000..6c0cffd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1516.d12eaa7e292c15107171b0eb39ea40df @@ -0,0 +1,58 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Fri Sep 6 09:06:57 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Fri, 06 Sep 2002 18:06:57 +1000 +Subject: [Spambayes] Re: [Python-Dev] Getting started with GBayes testing +In-Reply-To: +Message-ID: <200209060806.g8686ve03964@localhost.localdomain> + + +>>> Tim Peters wrote +> > I've actually got a bunch of spam like that. The text/plain is something +> > like +> > +> > **This is a HTML message** +> > +> > and nothing else. +> +> Are you sure that's in a text/plain MIME section? I've seen that many times +> myself, but it's always been in the prologue (*between* MIME sections -- so +> it's something a non-MIME aware reader will show you). + +*nod* I know - on my todo is to feed the prologue into the system as well. + +A snippet, hopefully not enough to trigger the spam-filters. + + +To: into89j@gin.elax.ekorp.com +X-Mailer: Microsoft Outlook Express 4.72.1712.3 +X-MimeOLE: Produced By Microsoft MimeOLE V??D.1712.3 +Mime-Version: 1.0 +Date: Sun, 28 Jan 2001 23:54:39 -0500 +Content-Type: multipart/mixed; boundary="----=_NextPart_000_007F_01BDF6C7.FABAC1 +B0" +Content-Transfer-Encoding: 7bit + +This is a MIME Message + +------=_NextPart_000_007F_01BDF6C7.FABAC1B0 +Content-Type: multipart/alternative; boundary="----=_NextPart_001_0080_01BDF6C7. +FABAC1B0" + +------=_NextPart_001_0080_01BDF6C7.FABAC1B0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + +***** This is an HTML Message ! ***** + + +------=_NextPart_001_0080_01BDF6C7.FABAC1B0 +Content-Type: text/html; charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + + + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1517.14cf0162b6bf5274305b7b573a0c3a82 b/machine-learning-ex6/ex6/easy_ham/1517.14cf0162b6bf5274305b7b573a0c3a82 new file mode 100644 index 0000000..aa362a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1517.14cf0162b6bf5274305b7b573a0c3a82 @@ -0,0 +1,26 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Fri Sep 6 09:11:50 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Fri, 06 Sep 2002 18:11:50 +1000 +Subject: [Spambayes] test sets? +In-Reply-To: <200209060759.g867xcV03853@localhost.localdomain> +Message-ID: <200209060811.g868Bo904031@localhost.localdomain> + + +>>> Anthony Baxter wrote +> I'm currently mangling it by feeding all parts (text, html, whatever +> else :) into the filters, as well as both a selected number of headers +> (to, from, content-type, x-mailer), and also a list of +> (header,count_of_header). This is showing up some nice stuff - e.g. the +> X-uidl that stoopid spammers blindly copy into their messages. + +The other thing on my todo list (probably tonight's tram ride home) is +to add all headers from non-text parts of multipart messages. If nothing +else, it'll pick up most virus email real quick. + + + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1518.94c41662e1101b46c74bfb14b84b34c4 b/machine-learning-ex6/ex6/easy_ham/1518.94c41662e1101b46c74bfb14b84b34c4 new file mode 100644 index 0000000..ff1630e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1518.94c41662e1101b46c74bfb14b84b34c4 @@ -0,0 +1,79 @@ +From felicity@kluge.net Mon Sep 2 23:15:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3768416F38 + for ; Mon, 2 Sep 2002 23:14:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:14:08 +0100 (IST) +Received: from eclectic.kluge.net + (IDENT:tK7m7Ybxp1pyihrA4nx2xIdU0iOnCnis@eclectic.kluge.net [66.92.69.221]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82KebZ20178 for + ; Mon, 2 Sep 2002 21:40:37 +0100 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g82Kerm26481; Mon, 2 Sep 2002 16:40:53 -0400 +Date: Mon, 2 Sep 2002 16:40:53 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: Spamassassin Devel List +Subject: Re: [SAdev] SpamAssassin v2.40 released (finally)! +Message-Id: <20020902204053.GD15737@kluge.net> +References: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="1sNVjLsmu1MXqwQ/" +Content-Disposition: inline +In-Reply-To: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +X-Spam-Status: No, hits=-11.4 required=7.0 + tests=AWL,IN_REP_TO,MULTIPART_SIGNED,PGP_SIGNATURE,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT + version=2.40-cvs +X-Spam-Level: + + +--1sNVjLsmu1MXqwQ/ +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Mon, Sep 02, 2002 at 06:53:24PM +0100, Justin Mason wrote: +> - Razor v2 now supported fully + +Hmmm... I just upgraded from my modified 2.31 to a slightly modified 2.40 +(I add a routine to EvalTests) and get: + +Sep 2 15:32:24 eclectic spamd[20506]: razor2 check skipped: No such file o= +r directory Can't call method +"log" on unblessed reference at /usr/lib/perl5/site_perl/5.6.1/Razor2/Clien= +t/Agent.pm line 211, +line 22.=20 + +I haven't quite figured out why yet, more to come. + +--=20 +Randomly Generated Tagline: +"So on one hand, honey is an amazingly sophisticated and efficient food + source. On the other hand it's bee backwash." + - Alton Brown, Good Eats, "Pantry Raid IV: Comb Alone" + +--1sNVjLsmu1MXqwQ/ +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9c8zVAuOQUeWAs2MRAm+8AKC24InxYaZY5BJi/u/FI2RQ5hy9jACgi9fM +4jujLQNmvwcQm/8ULtyvaZU= +=hKgW +-----END PGP SIGNATURE----- + +--1sNVjLsmu1MXqwQ/-- + diff --git a/machine-learning-ex6/ex6/easy_ham/1519.6074b997fafe25f524f2e2334f7ae45e b/machine-learning-ex6/ex6/easy_ham/1519.6074b997fafe25f524f2e2334f7ae45e new file mode 100644 index 0000000..c705582 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1519.6074b997fafe25f524f2e2334f7ae45e @@ -0,0 +1,72 @@ +From felicity@kluge.net Mon Sep 2 23:27:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CC74516F23 + for ; Mon, 2 Sep 2002 23:27:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 23:27:27 +0100 (IST) +Received: from eclectic.kluge.net + (IDENT:c2fwYJ/QZT7DNMfyrqI6/gtl3vme/Kuo@eclectic.kluge.net [66.92.69.221]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g82Jk4Z18801 for + ; Mon, 2 Sep 2002 20:46:05 +0100 +Received: (from felicity@localhost) by eclectic.kluge.net (8.11.6/8.11.6) + id g82JkI121455; Mon, 2 Sep 2002 15:46:18 -0400 +Date: Mon, 2 Sep 2002 15:46:18 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: Spamassassin Devel List +Subject: Re: [SAdev] SpamAssassin v2.40 released (finally)! +Message-Id: <20020902194618.GB15737@kluge.net> +References: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="eJnRUKwClWJh1Khz" +Content-Disposition: inline +In-Reply-To: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +X-Spam-Status: No, hits=-11.9 required=7.0 + tests=AWL,IN_REP_TO,MULTIPART_SIGNED,PGP_SIGNATURE,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.41-cvs +X-Spam-Level: + + +--eJnRUKwClWJh1Khz +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Mon, Sep 02, 2002 at 06:53:24PM +0100, Justin Mason wrote: +> - Razor v2 now supported fully + + Who changed my code? Dns.pm and Reporter.pm WRT Razor +have pointers to $Mail::SpamAssassin::DEBUG, whereas it should be +$Mail::SpamAssassin::DEBUG->{enabled}... + +I'll be submitting a bug/patch for this shortly. + +--=20 +Randomly Generated Tagline: +MA Driving #2: Everything is under construction. + +--eJnRUKwClWJh1Khz +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9c8AKAuOQUeWAs2MRAu/AAJ4iCzGVLRmj/FZmbrmWDiikvy6JWgCcCj9e +DG1iPuFjRLA81ijHNGqnVf4= +=HpKL +-----END PGP SIGNATURE----- + +--eJnRUKwClWJh1Khz-- + diff --git a/machine-learning-ex6/ex6/easy_ham/1520.227b74e7890079e47c5c8890d64c1383 b/machine-learning-ex6/ex6/easy_ham/1520.227b74e7890079e47c5c8890d64c1383 new file mode 100644 index 0000000..4ed0ab6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1520.227b74e7890079e47c5c8890d64c1383 @@ -0,0 +1,87 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Sep 3 00:14:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3C9DF16F37 + for ; Tue, 3 Sep 2002 00:14:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 00:14:22 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82M47Z22879 for ; Mon, 2 Sep 2002 23:04:07 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzHi-0000AD-00; Mon, + 02 Sep 2002 15:03:02 -0700 +Received: from web10201.mail.yahoo.com ([216.136.130.65]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17lzDN-0000Id-00 for ; + Mon, 02 Sep 2002 14:58:33 -0700 +Message-Id: <20020902215833.63621.qmail@web10201.mail.yahoo.com> +Received: from [195.137.34.213] by web10201.mail.yahoo.com via HTTP; + Mon, 02 Sep 2002 22:58:33 BST +From: =?iso-8859-1?q?Peter=20Dickson?= +To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Subject: [SAtalk] "Broken Pipe" on initial test +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 2 Sep 2002 22:58:33 +0100 (BST) +Date: Mon, 2 Sep 2002 22:58:33 +0100 (BST) +X-Spam-Status: No, hits=0.1 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_03_05, + YAHOO_MSGID_ADDED + version=2.41-cvs +X-Spam-Level: + +Hi + +I've just installed SpamAssassin and relevant modules. +Just tried the initial test: + +spamassassin -t < sample-nonspam.txt > nonspam.out + +and got back: + +Broken Pipe + +I've also tried using the -P and --pipe option but to +no avail. + +Any help greatly appreciated. BTW - I'm no great Perl +expert! + +rgds + +Peter + +__________________________________________________ +Do You Yahoo!? +Everything you'll ever need on one web page +from News and Sport to Email and Music Charts +http://uk.my.yahoo.com + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1521.692de69e480a819f6d32578f93fca74b b/machine-learning-ex6/ex6/easy_ham/1521.692de69e480a819f6d32578f93fca74b new file mode 100644 index 0000000..adb054f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1521.692de69e480a819f6d32578f93fca74b @@ -0,0 +1,99 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Sep 3 00:14:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AF20F16F38 + for ; Tue, 3 Sep 2002 00:14:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 00:14:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82M5PZ22938 for ; Mon, 2 Sep 2002 23:05:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzJU-0001AY-00; Mon, + 02 Sep 2002 15:04:52 -0700 +Received: from moonbase.zanshin.com ([167.160.213.139]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzF8-0000Ty-00 for + ; Mon, 02 Sep 2002 15:00:22 -0700 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g82M0JJ08146; Mon, 2 Sep 2002 15:00:19 -0700 +From: Bart Schaefer +To: Richard Kimber +Cc: spamassassin +Subject: Re: [SAtalk] SpamAssassin v2.40 released (finally)! +In-Reply-To: <20020902220216.51777fd2.rkimber@ntlworld.com> +Message-Id: +Mail-Followup-To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 2 Sep 2002 15:00:19 -0700 (PDT) +Date: Mon, 2 Sep 2002 15:00:19 -0700 (PDT) +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + USER_AGENT_PINE + version=2.41-cvs +X-Spam-Level: + +On Mon, 2 Sep 2002, Richard Kimber wrote: + +> On Mon, 2 Sep 2002 13:20:46 -0700 (PDT) +> Bart Schaefer wrote: +> +> > If you're using "fetchmail --mda spamassassin" or the equivlent, then +> > this change means your current setup will no longer work. +> +> Oh well, I guess there are other anti-spam options out there. + +Well, (a) you don't HAVE to upgrade, and (b) what you are doing has never +been safe in the first place because SpamAssassin 2.31-and-before doesn't +do any kind of file locking while it writes to the mailbox and doesn't +promise to return the proper failure code on disk-full conditions, etc. + +If you're still willing to live with (b), all you need is a little shell +script to run spamassassin: + +---------- +#!/bin/sh +# call this file "spamassassin-wrapper" and chmod +x it +{ +echo "From $1 `date`" +sed -e '1{/^From /d;}' | spamassassin +echo '' +} >> $MAIL +---------- + +And then use + +fetchmail --mda 'spamassassin-wrapper %F' + +and you should be all set. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1522.3f4e272c9d12eb60b890f0dd065e650b b/machine-learning-ex6/ex6/easy_ham/1522.3f4e272c9d12eb60b890f0dd065e650b new file mode 100644 index 0000000..ea94748 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1522.3f4e272c9d12eb60b890f0dd065e650b @@ -0,0 +1,72 @@ +From spamassassin-commits-admin@lists.sourceforge.net Tue Sep 3 00:14:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9927016F39 + for ; Tue, 3 Sep 2002 00:14:28 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 00:14:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82M8xZ23087 for ; Mon, 2 Sep 2002 23:08:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzNj-0002eV-00; Mon, + 02 Sep 2002 15:09:15 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17lzKz-0001dK-00 for ; + Mon, 02 Sep 2002 15:06:25 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17lzKx-0005WD-00 for + ; Mon, 02 Sep 2002 15:06:23 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17lzKx-0006yy-00 for + ; Mon, 02 Sep 2002 15:06:23 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/masses/tenpass - New directory +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 02 Sep 2002 15:06:23 -0700 +Date: Mon, 02 Sep 2002 15:06:23 -0700 +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=AWL,FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03 + version=2.41-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/masses/tenpass +In directory usw-pr-cvs1:/tmp/cvs-serv26829/tenpass + +Log Message: +Directory /cvsroot/spamassassin/spamassassin/masses/tenpass added to the repository + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1523.59e3f881f7536e0a90d98797f6c509e3 b/machine-learning-ex6/ex6/easy_ham/1523.59e3f881f7536e0a90d98797f6c509e3 new file mode 100644 index 0000000..b54e9fb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1523.59e3f881f7536e0a90d98797f6c509e3 @@ -0,0 +1,83 @@ +From spamassassin-devel-admin@lists.sourceforge.net Tue Sep 3 00:14:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F37B016F23 + for ; Tue, 3 Sep 2002 00:14:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 00:14:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82M4LZ22887 for ; Mon, 2 Sep 2002 23:04:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzHl-0000BL-00; Mon, + 02 Sep 2002 15:03:05 -0700 +Received: from granger.mail.mindspring.net ([207.69.200.148]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17lzDd-0000Jk-00 for ; + Mon, 02 Sep 2002 14:58:49 -0700 +Received: from user-1120fqe.dsl.mindspring.com ([66.32.63.78] + helo=belphegore.hughes-family.org) by granger.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17lzDb-0006Mg-00 for + spamassassin-devel@lists.sourceforge.net; Mon, 02 Sep 2002 17:58:47 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 1ACB89F8B5; Mon, 2 Sep 2002 14:58:47 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020902215847.1ACB89F8B5@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 804] Razor debugging isn't functioning +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 2 Sep 2002 14:58:47 -0700 (PDT) +Date: Mon, 2 Sep 2002 14:58:47 -0700 (PDT) +X-Spam-Status: No, hits=-1.2 required=7.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,FOR_FREE, + FUDGE_MULTIHOP_RELAY,KNOWN_MAILING_LIST,NO_REAL_NAME, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_03_05 + version=2.41-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=804 + +jm@jmason.org changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |FIXED + + + +------- Additional Comments From jm@jmason.org 2002-09-02 14:58 ------- +ok, now in. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1524.d18213f1cf68518e719dccd3717e4255 b/machine-learning-ex6/ex6/easy_ham/1524.d18213f1cf68518e719dccd3717e4255 new file mode 100644 index 0000000..98f6cdf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1524.d18213f1cf68518e719dccd3717e4255 @@ -0,0 +1,82 @@ +From spamassassin-devel-admin@lists.sourceforge.net Tue Sep 3 00:15:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 17C2716F3A + for ; Tue, 3 Sep 2002 00:14:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 00:14:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82M8xZ23088 for ; Mon, 2 Sep 2002 23:08:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17lzMU-0002HI-00; Mon, + 02 Sep 2002 15:07:58 -0700 +Received: from smtp6.mindspring.com ([207.69.200.110]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17lzKG-0000wx-00 for ; + Mon, 02 Sep 2002 15:05:40 -0700 +Received: from user-1120fqe.dsl.mindspring.com ([66.32.63.78] + helo=belphegore.hughes-family.org) by smtp6.mindspring.com with esmtp + (Exim 3.33 #1) id 17lzKF-0001KS-00 for + spamassassin-devel@lists.sourceforge.net; Mon, 02 Sep 2002 18:05:39 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + BA80F9F8B9; Mon, 2 Sep 2002 15:05:38 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020902220538.BA80F9F8B9@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 805] Razor2 lookups don't work +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 2 Sep 2002 15:05:38 -0700 (PDT) +Date: Mon, 2 Sep 2002 15:05:38 -0700 (PDT) +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=AWL,BUGZILLA_BUG,FOR_FREE,FUDGE_MULTIHOP_RELAY, + KNOWN_MAILING_LIST,NO_REAL_NAME,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,SPAM_PHRASE_03_05 + version=2.41-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=805 + + + + + +------- Additional Comments From felicity@kluge.net 2002-09-02 15:05 ------- +from the sa-dev mailing list: + +"ln -s /dev/null ~root/.razor/razor-agent.log" + +The question is, why does 2.40 do this whereas my 2.31 doesn't. Hmmm. + + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1525.861d32759ad2bdac6817645a73d8eea7 b/machine-learning-ex6/ex6/easy_ham/1525.861d32759ad2bdac6817645a73d8eea7 new file mode 100644 index 0000000..fc1aef6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1525.861d32759ad2bdac6817645a73d8eea7 @@ -0,0 +1,57 @@ +From steveo@syslang.net Tue Sep 3 14:31:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 57BEF16F43 + for ; Tue, 3 Sep 2002 14:25:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:25:48 +0100 (IST) +Received: from saturn.syslang.net + (IDENT:obG5Nws8VWZCvcnnFtu7UaD4+vA7HJu5@146-115-228-77.c3-0.frm-ubr1.sbo-frm.ma.cable.rcn.com + [146.115.228.77]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g82N6HZ25128 for ; Tue, 3 Sep 2002 00:06:18 +0100 +Received: from saturn.syslang.net + (IDENT:mPurBmlWDfHHE0WnbcP94X5rLnPsm3R+@localhost.localdomain [127.0.0.1]) + by saturn.syslang.net (8.12.2/8.12.2) with ESMTP id g82N6WPE007746; + Mon, 2 Sep 2002 19:06:32 -0400 +Received: from localhost (steveo@localhost) by saturn.syslang.net + (8.12.2/8.12.2/Submit) with ESMTP id g82N6UW7007742; Mon, 2 Sep 2002 + 19:06:32 -0400 +X-Authentication-Warning: saturn.syslang.net: steveo owned process doing -bs +Date: Mon, 2 Sep 2002 19:06:30 -0400 (EDT) +From: "Steven W. Orr" +To: Justin Mason +Cc: spamassassin talk , + +Subject: Re: [SAtalk] SpamAssassin v2.40 released (finally)! +In-Reply-To: <20020902175329.E20EC43F99@phobos.labs.netnoteinc.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Spam-Status: No, hits=-7.4 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT_PINE,X_AUTH_WARNING + version=2.41-cvs +X-Spam-Level: + +On Mon, 2 Sep 2002, Justin Mason wrote: + +=>http://spamassassin.org/released/ : +=> +=> 508284 Sep 2 18:27 Mail-SpamAssassin-2.40.tar.gz +=> 561425 Sep 2 18:27 Mail-SpamAssassin-2.40.zip +=> +Not that I'm not grateful, but..... :-) + +I'd really like to install from a src rpm. Any takers? :-) + +TIA + +-- +-Time flies like the wind. Fruit flies like a banana. Stranger things have - +-happened but none stranger than this. Does your driver's license say Organ +-Donor?Black holes are where God divided by zero. Listen to me! We are all- +-individuals! What if this weren't a hypothetical question? steveo@syslang.net + + diff --git a/machine-learning-ex6/ex6/easy_ham/1526.084c29eaad19c537fc8dce129ec30744 b/machine-learning-ex6/ex6/easy_ham/1526.084c29eaad19c537fc8dce129ec30744 new file mode 100644 index 0000000..56e86ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1526.084c29eaad19c537fc8dce129ec30744 @@ -0,0 +1,66 @@ +From jm@jmason.org Tue Sep 3 14:38:29 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 6798116F23; Tue, 3 Sep 2002 14:38:29 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 6221BF7A7; Tue, 3 Sep 2002 14:38:29 +0100 (IST) +To: "Craig R.Hughes" +Cc: quinlan@pathname.com, yyyy@example.com (Justin Mason), + spamassassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] 2.41 release? +In-Reply-To: Message from "Craig R.Hughes" + of "Mon, 02 Sep 2002 22:37:10 PDT." <312D1C89-BEFF-11D6-9DD0-00039396ECF2@deersoft.com> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Tue, 03 Sep 2002 14:38:24 +0100 +Sender: yyyy@example.com +Message-Id: <20020903133829.6798116F23@example.com> +X-Spam-Status: No, hits=-12.2 required=7.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_02_03 + version=2.41-cvs +X-Spam-Level: + + +"Craig R.Hughes" said: + +> Seems like a good idea. We might get one of two other issues +> raised tomorrow too once US people get back to work tomorrow and +> start downloading 2.40 in earnest. + +yep, I reckon that's likely. + +BTW I'm hearing reports about problems resolving spamassassin.org. +Anyone else noticing this? if it's serious I'll see if I can get +Mark Reynolds to add a 2ndary in the US, to go with the primaries +in Oz. + +> > - looks like there may be a razor2 issue + +I think this is a Razor bug/glitch triggered when file permissions +don't allow its own log system to work. At least that's the report +I heard on the Razor list in the past... + +Theo, does it work now that you /dev/null'd the logfile? + +> > - version number (says "cvs") +> > - tag tree as "Rel" this time too + +I won't bother tagging with Rel, IMO; I don't think we should +rely on the version control system inside our code, so I've just +put a line in Mail/SpamAssassin.pm instead. I will of course +tag with a release *label* though. + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1527.3fc7d5b03f0c34d1f51a55a0e10b8026 b/machine-learning-ex6/ex6/easy_ham/1527.3fc7d5b03f0c34d1f51a55a0e10b8026 new file mode 100644 index 0000000..aec53ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1527.3fc7d5b03f0c34d1f51a55a0e10b8026 @@ -0,0 +1,109 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 4 16:52:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7DABB16F1D + for ; Wed, 4 Sep 2002 16:52:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 16:52:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84FJBZ07390 for ; Wed, 4 Sep 2002 16:19:11 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mbuu-0000hj-00; Wed, + 04 Sep 2002 08:18:04 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mbu4-0000dU-00 for ; + Wed, 04 Sep 2002 08:17:12 -0700 +Received: (qmail 61727 messnum 1205753 invoked from + network[194.125.172.58/ts12-058.dublin.indigo.ie]); 4 Sep 2002 15:17:09 + -0000 +Received: from ts12-058.dublin.indigo.ie (HELO example.com) + (194.125.172.58) by relay05.indigo.ie (qp 61727) with SMTP; 4 Sep 2002 + 15:17:09 -0000 +Received: by example.com (Postfix, from userid 500) id 0A09E16F1D; + Wed, 4 Sep 2002 16:17:55 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 06B5AF7B7; Wed, 4 Sep 2002 16:17:55 +0100 (IST) +To: "zeek" +Cc: "SA" , + craig@hughes-family.org +Subject: Re: [SAtalk] BUG: spamd --allowed-ips=[127.0.0.1 must be first] +In-Reply-To: Message from + "zeek" + of + "Tue, 03 Sep 2002 18:41:49 EDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020904151755.0A09E16F1D@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 04 Sep 2002 16:17:50 +0100 +Date: Wed, 04 Sep 2002 16:17:50 +0100 +X-Spam-Status: No, hits=-9.4 required=7.0 + tests=AWL,FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,TO_LOCALPART_EQ_REAL + version=2.41-cvs +X-Spam-Level: + + +"zeek" said: + +> This was thoroughly confusing, but by playing musical chairs with the spamd +> args I smashed a bug: +> +> OK: +> spamd --debug --daemonize --auto-whitelist --username=nobody --allowed-ips=1 +> 27.0.0.1" +> OK: +> spamd --debug --daemonize --auto-whitelist --username=nobody --allowed-ips=1 +> 27.0.0.1, 192.168.1.1" +> NOT OK: +> spamd --debug --daemonize --auto-whitelist --username=nobody --allowed-ips=1 +> 92.168.1.1, 127.0.0.1" + +fwiw, I can't reproduce this with + + spamd --debug --auto-whitelist --allowed-ips="127.0.0.1" + spamd --debug --auto-whitelist --allowed-ips="127.0.0.1, 192.168.1.1" + spamd --debug --auto-whitelist --allowed-ips="192.168.1.1, 127.0.0.1" + +which I presume is what you meant (except for the missing args +of course). They all seem to work OK. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1528.e2fa148e32e3c975b3afff6959c2ab6b b/machine-learning-ex6/ex6/easy_ham/1528.e2fa148e32e3c975b3afff6959c2ab6b new file mode 100644 index 0000000..7ed00e7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1528.e2fa148e32e3c975b3afff6959c2ab6b @@ -0,0 +1,104 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 4 16:53:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F011016F20 + for ; Wed, 4 Sep 2002 16:52:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 16:52:13 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84FLxZ07451 for ; Wed, 4 Sep 2002 16:21:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mbxo-00019X-00; Wed, + 04 Sep 2002 08:21:04 -0700 +Received: from main.gmane.org ([80.91.224.249]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mbxL-0002od-00 for ; + Wed, 04 Sep 2002 08:20:35 -0700 +Received: from list by main.gmane.org with local (Exim 3.35 #1 (Debian)) + id 17mbvd-00087j-00 for ; + Wed, 04 Sep 2002 17:18:49 +0200 +To: spamassassin-talk@example.sourceforge.net +X-Injected-Via-Gmane: http://gmane.org/ +Received: from news by main.gmane.org with local (Exim 3.35 #1 (Debian)) + id 17mbvb-00087W-00 for ; + Wed, 04 Sep 2002 17:18:47 +0200 +Path: not-for-mail +From: "Adrian Hill" +Lines: 25 +Message-Id: +References: + <20020904185631.55728f6b.lars@unet.net.ph> +NNTP-Posting-Host: 212.50.185.99 +X-Trace: main.gmane.org 1031152726 31216 212.50.185.99 (4 Sep 2002 + 15:18:46 GMT) +X-Complaints-To: usenet@main.gmane.org +NNTP-Posting-Date: Wed, 4 Sep 2002 15:18:46 +0000 (UTC) +X-Priority: 3 +X-Msmail-Priority: Normal +X-Newsreader: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [SAtalk] Re: Custom actions for high scoring spam +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 4 Sep 2002 16:20:25 +0100 +Date: Wed, 4 Sep 2002 16:20:25 +0100 +X-Spam-Status: No, hits=2.0 required=7.0 + tests=AWL,FORGED_HOTMAIL_RCVD,FORGED_RCVD_FOUND,FOR_FREE, + INVALID_MSGID,KNOWN_MAILING_LIST,PRIORITY_NO_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_08_13 + version=2.41-cvs +X-Spam-Level: ** + +Thank you Lars for your reply to my query. + +> SA doesnt do any of these. It is probably a function of whatever scanning +system/MDA +> you're using (amavis, procmail, whatever). What exactly are you using? + +I am using SpamAssassin as part of the MailScanner package (using sendmail +as the MTA). It integrates nicely in there, and shares a configuration file +with SA. All very neat. + +> SA in itself does nothing really. You need a frontend (procmail, amavis, +etc) +> at some point in the mail delivery chain that can hand over the message +> to SA and do whatever other processing you want. + +I thought that SA rated a message with a certain score, then did a certain +action (such as store | deliver | delete) based on the configuration given. +I was hoping there were some other actions that I could custom-program in. + +Again, many thanks, + + +Adrian + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1529.e1a0f5092c93eec245ee211544e6db4b b/machine-learning-ex6/ex6/easy_ham/1529.e1a0f5092c93eec245ee211544e6db4b new file mode 100644 index 0000000..21d97d0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1529.e1a0f5092c93eec245ee211544e6db4b @@ -0,0 +1,107 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Sep 4 16:53:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D056716F21 + for ; Wed, 4 Sep 2002 16:52:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 16:52:15 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84FMqZ07608 for ; Wed, 4 Sep 2002 16:22:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mbzp-0001lU-00; Wed, + 04 Sep 2002 08:23:09 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mbzP-000328-00 for ; + Wed, 04 Sep 2002 08:22:43 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17mbzP-0007kh-00 for + ; Wed, 04 Sep 2002 08:22:43 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17mbzO-0004fH-00 for + ; Wed, 04 Sep 2002 08:22:42 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/lib/Mail/SpamAssassin Conf.pm,1.91.2.7,1.91.2.8 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 04 Sep 2002 08:22:42 -0700 +Date: Wed, 04 Sep 2002 08:22:42 -0700 +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=AWL,FOR_FREE,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF, + SPAM_PHRASE_02_03 + version=2.41-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/lib/Mail/SpamAssassin +In directory usw-pr-cvs1:/tmp/cvs-serv17809/lib/Mail/SpamAssassin + +Modified Files: + Tag: b2_4_0 + Conf.pm +Log Message: +added deprecation regarding starting line with space; reserved for future use; also changed sample version_tag + +Index: Conf.pm +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/lib/Mail/SpamAssassin/Conf.pm,v +retrieving revision 1.91.2.7 +retrieving revision 1.91.2.8 +diff -b -w -u -d -r1.91.2.7 -r1.91.2.8 +--- Conf.pm 29 Aug 2002 14:52:43 -0000 1.91.2.7 ++++ Conf.pm 4 Sep 2002 15:22:39 -0000 1.91.2.8 +@@ -24,8 +24,11 @@ + files, loaded from the /usr/share/spamassassin and /etc/mail/spamassassin + directories. + +-The C<#> character starts a comment, which continues until end of line, +-and whitespace in the files is not significant. ++The C<#> character starts a comment, which continues until end of line. ++ ++Whitespace in the files is not significant, but please note that starting a ++line with whitespace is deprecated, as we reserve its use for multi-line rule ++definitions, at some point in the future. + + Paths can use C<~> to refer to the user's home directory. + +@@ -257,7 +260,7 @@ + + eg. + +- version_tag perkel2 # version=2.40-perkel2 ++ version_tag myrules1 # version=2.41-myrules1 + + =cut + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + diff --git a/machine-learning-ex6/ex6/easy_ham/1530.fda9cfd3e1881b3e8c823a35b618f897 b/machine-learning-ex6/ex6/easy_ham/1530.fda9cfd3e1881b3e8c823a35b618f897 new file mode 100644 index 0000000..3e9328c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1530.fda9cfd3e1881b3e8c823a35b618f897 @@ -0,0 +1,120 @@ +From spamassassin-talk-owner@lists.sourceforge.net Thu Sep 5 12:50:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CE8A116F1E + for ; Thu, 5 Sep 2002 12:50:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:50:48 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BcmZ17201 for ; Thu, 5 Sep 2002 12:38:48 + +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muya-0002uV-00 for + ; Thu, 05 Sep 2002 04:39:08 -0700 +Received: from mx1.yipes.com ([209.213.199.100]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muyG-0002Wo-00 for ; + Thu, 05 Sep 2002 04:38:48 -0700 +Subject: WARNING. Mail Delayed: Re: [SAtalk] [OT] Perl problem and 2.40 + released +From: MAILER-DAEMON@mx1.yipes.com +To: +Date: Thu, 05 Sep 2002 04:38:48 -0700 +Message-Id: +MIME-Version: 1.0 +Content-Type: multipart/report; report-type=delivery-status; + boundary="_===6628399====mx1.yipes.com===_" +Sender: spamassassin-talk-owner@example.sourceforge.net +Errors-To: spamassassin-talk-owner@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Spam-Status: No, hits=2.4 required=5.0 tests=AWL,KNOWN_MAILING_LIST,MAILER_DAEMON,MAILTO_WITH_SUBJ, + NO_REAL_NAME,SPAM_PHRASE_00_01 version=2.50-cvs +X-Spam-Level: ** + + +--_===6628399====mx1.yipes.com===_ +Content-Type: text/plain + +This is a warning message only. + Your message remains in the server queue, + the server will try to send it again. + You should not try to resend your message now. + +Message delivery to 'casimir@tgsnopec.com' delayed +SMTP module(domain tgsnopec.com) reports: + relay.tgsnopec.com: no response + + +--_===6628399====mx1.yipes.com===_ +Content-Type: message/delivery-status + +Reporting-MTA: dns; mx1.yipes.com + +Original-Recipient: rfc822;casimir@tgsnopec.com +Final-Recipient: rfc822;casimir@tgsnopec.com +Action: delayed +Status: 4.0.0 + +--_===6628399====mx1.yipes.com===_ +Content-Type: text/rfc822-headers + +Received: from [216.136.171.252] (HELO usw-sf-list2.sourceforge.net) + by mx1.yipes.com (CommuniGate Pro SMTP 3.5.1) + with ESMTP-TLS id 6627220 for casimir@tgsnopec.com; Thu, 05 Sep 2002 01:35:26 -0700 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] helo=usw-sf-list1.sourceforge.net) + by usw-sf-list2.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17mryq-0000eK-00; Thu, 05 Sep 2002 01:27:12 -0700 +Received: from hippo.star.co.uk ([195.216.14.9]) + by usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17mryb-000529-00 + for ; Thu, 05 Sep 2002 01:26:58 -0700 +Received: from MATT_LINUX by hippo.star.co.uk + via smtpd (for usw-sf-lists.sourceforge.net [216.136.171.198]) with SMTP; 5 Sep 2002 08:17:57 UT +Received: (qmail 28723 invoked from network); 3 Sep 2002 08:22:05 -0000 +Received: from unknown (HELO startechgroup.co.uk) (10.2.100.178) + by matt?dev.int.star.co.uk with SMTP; 3 Sep 2002 08:22:05 -0000 +Message-ID: <3D77146F.1000603@startechgroup.co.uk> +From: Matt Sergeant +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1b) Gecko/20020901 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Rose, Bobby" +CC: Justin Mason , + spamassassin-talk@lists.sourceforge.net +Subject: Re: [SAtalk] [OT] Perl problem and 2.40 released +References: +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-BeenThere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 09:23:11 +0100 +Date: Thu, 05 Sep 2002 09:23:11 +0100 + +--_===6628399====mx1.yipes.com===_-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/1531.fe3474ea8fb4195ac74e644161f47c76 b/machine-learning-ex6/ex6/easy_ham/1531.fe3474ea8fb4195ac74e644161f47c76 new file mode 100644 index 0000000..bad29ed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1531.fe3474ea8fb4195ac74e644161f47c76 @@ -0,0 +1,117 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:39:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1CE6D16F22 + for ; Thu, 5 Sep 2002 12:39:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:39:21 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BIUZ16473 for ; Thu, 5 Sep 2002 12:18:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mucI-0006th-00; Thu, + 05 Sep 2002 04:16:06 -0700 +Received: from mailout05.sul.t-online.com ([194.25.134.82]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muc0-0002ux-00 for ; + Thu, 05 Sep 2002 04:15:49 -0700 +Received: from fwd05.sul.t-online.de by mailout05.sul.t-online.com with + smtp id 17mubx-0001pe-0D; Thu, 05 Sep 2002 13:15:45 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[217.80.6.207]) by fmrl05.sul.t-online.com with esmtp + id 17mubq-0pKN0KC; Thu, 5 Sep 2002 13:15:38 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 92DF53BF4 for ; Thu, 5 Sep 2002 13:15:40 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] PerMsgStatus.pm error? +User-Agent: KMail/1.4.3 +References: +In-Reply-To: +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209051318.24194@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 13:18:24 +0200 +Date: Thu, 5 Sep 2002 13:18:24 +0200 +X-Spam-Status: No, hits=-11.6 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,FOR_FREE,HABEAS_SWE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +On Thursday 05 September 2002 04:10 CET Mike Burger wrote: +> Just loaded up SA 2.40 from Theo's RPMs...spamassassin-2.40-1 and +> perl-Mail-SpamAssassin-2.40-1 on a RH 7.1 system with perl 5.6.1 running +> on it. +> +> I'm getting messages that seem to indicate that SA can't find +> PerMsgStatus, like so: +> +> Sep 4 21:01:59 burgers spamd[17579]: Failed to run CTYPE_JUST_HTML +> SpamAssassin test, skipping: ^I(Can't locate object method +> "check_for_content_type_just_html" via package +> "Mail::SpamAssassin::PerMsgStatus" (perhaps you forgot to load +> "Mail::SpamAssassin::PerMsgStatus"?) at +> /usr/lib/perl5/site_perl/5.6.1/Mail/SpamAssassin/PerMsgStatus.pm line +> 1814, line 21. ) +> +>[...] +> +> Any ideas? + +Perl doesn't complain that it can't find PerMsgStatus.pm but the function +check_for_content_type_just_html(). Do you probably have some old rules +files still lurking around? This test existed in 2.31 but is gone/was +renamed with 2.40. + +Malte + +-- +-- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1532.7629e5bf068e857d0149f49caf32df6f b/machine-learning-ex6/ex6/easy_ham/1532.7629e5bf068e857d0149f49caf32df6f new file mode 100644 index 0000000..d20f8a7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1532.7629e5bf068e857d0149f49caf32df6f @@ -0,0 +1,77 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:39:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C009C16F1E + for ; Thu, 5 Sep 2002 12:39:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:39:23 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85Ba9Z16982 for ; Thu, 5 Sep 2002 12:36:09 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muuh-0002Nz-00; Thu, + 05 Sep 2002 04:35:07 -0700 +Received: from lerlaptop.lerctr.org ([207.158.72.14]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17muuZ-0007mO-00 for + ; Thu, 05 Sep 2002 04:34:59 -0700 +Received: from localhost (localhost [127.0.0.1]) by lerlaptop.lerctr.org + (8.12.5/8.12.5) with ESMTP id g85BYtaY083601 for + ; Thu, 5 Sep 2002 06:34:55 -0500 + (CDT) (envelope-from ler@lerctr.org) +From: Larry Rosenman +To: spamassassin-talk@example.sourceforge.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.8 +Message-Id: <1031225695.83349.5.camel@lerlaptop.lerctr.org> +MIME-Version: 1.0 +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Subject: [SAtalk] www.spamassassin.org: giving a HTTP/1.1 error from + sourceforge? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 05 Sep 2002 06:34:55 -0500 +Date: 05 Sep 2002 06:34:55 -0500 +X-Spam-Status: No, hits=-3.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +I'm getting an error page from sourceforge.net when I try to go to +www.spamassassin.org. + +Just FYI. + + +-- +Larry Rosenman http://www.lerctr.org/~ler +Phone: +1 972-414-9812 E-Mail: ler@lerctr.org +US Mail: 1905 Steamboat Springs Drive, Garland, TX 75044-6749 + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1533.cdca6023330291efad8880619bc3c68e b/machine-learning-ex6/ex6/easy_ham/1533.cdca6023330291efad8880619bc3c68e new file mode 100644 index 0000000..317a346 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1533.cdca6023330291efad8880619bc3c68e @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:51:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6AAE016F1F + for ; Thu, 5 Sep 2002 12:50:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:50:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BdUZ17221 for ; Thu, 5 Sep 2002 12:39:31 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muyZ-0002te-00; Thu, + 05 Sep 2002 04:39:07 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muxW-0001OV-00 for ; + Thu, 05 Sep 2002 04:38:02 -0700 +Received: (qmail 67311 messnum 1193176 invoked from + network[194.125.172.167/ts12-167.dublin.indigo.ie]); 5 Sep 2002 11:37:56 + -0000 +Received: from ts12-167.dublin.indigo.ie (HELO example.com) + (194.125.172.167) by relay05.indigo.ie (qp 67311) with SMTP; + 5 Sep 2002 11:37:56 -0000 +Received: by example.com (Postfix, from userid 500) id 7262216F22; + Thu, 5 Sep 2002 12:24:14 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 6F0D8F7B1; Thu, 5 Sep 2002 12:24:14 +0100 (IST) +To: "Clark C . Evans" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] getting single-user spam assassin to work in FreeBSD + default install +In-Reply-To: Message from + "Clark C . Evans" + of + "Thu, 05 Sep 2002 02:30:19 -0000." + <20020905023019.A43636@doublegemini.com> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020905112414.7262216F22@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 12:24:09 +0100 +Date: Thu, 05 Sep 2002 12:24:09 +0100 +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=AWL,FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + + +"Clark C . Evans" said: + +> Hello. I'm hosted on a FreeBSD box where I can't modify the +> local Perl installation. I downloaded and installed procmail +> in my home directory, and now I'm trying to get spamassassin to work... +> +> bash-2.05$ perl Makefile.PL PREFIX=/home/cce SYSCONFDIF=/home/cce/etc +> Warning: prerequisite HTML::Parser 0 not found at (eval 1) line 219. +> Warning: prerequisite Pod::Usage 0 not found at (eval 1) line 219. +> 'SYSCONFDIF' is not a known MakeMaker parameter name. + +SYSCONFDIR. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1534.9422e1b77d4239d246fc1d8a79d62d07 b/machine-learning-ex6/ex6/easy_ham/1534.9422e1b77d4239d246fc1d8a79d62d07 new file mode 100644 index 0000000..f0d184c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1534.9422e1b77d4239d246fc1d8a79d62d07 @@ -0,0 +1,107 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:50:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B160F16F1E + for ; Thu, 5 Sep 2002 12:50:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:50:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BdTZ17218 for ; Thu, 5 Sep 2002 12:39:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muyY-0002sW-00; Thu, + 05 Sep 2002 04:39:06 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muxV-0001OC-00 for ; + Thu, 05 Sep 2002 04:38:02 -0700 +Received: (qmail 67309 messnum 1193166 invoked from + network[194.125.172.167/ts12-167.dublin.indigo.ie]); 5 Sep 2002 11:37:56 + -0000 +Received: from ts12-167.dublin.indigo.ie (HELO example.com) + (194.125.172.167) by relay05.indigo.ie (qp 67309) with SMTP; + 5 Sep 2002 11:37:56 -0000 +Received: by example.com (Postfix, from userid 500) id 0C81E16F21; + Thu, 5 Sep 2002 12:22:05 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 09402F7B1; Thu, 5 Sep 2002 12:22:05 +0100 (IST) +To: "Kerry Nice" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Trend: Spam disguised as newsletters +In-Reply-To: Message from + "Kerry Nice" + of + "Wed, 04 Sep 2002 18:25:44 EDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020905112205.0C81E16F21@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 12:21:59 +0100 +Date: Thu, 05 Sep 2002 12:21:59 +0100 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=AWL,FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + + +"Kerry Nice" said: + +> What about some reality check rules. Yeah, you can pack in lots of things +> into the header to try and get some negative points, but do they all make +> sense in combination. Can you have a Pine message id in the same header +> with an Outlook Express one or a Mutt User-Agent? + +Yes, this is a big bonus of meta rules (new in 2.40); we can now +e.g. check for an Outlook-style forwarded message, and not give +it negative points unless it contains other signs of being from +Outlook. + +> I think the headers should be paid special attention to. The message +> content of something from the NY Times or Lockergnome might look spammy, but +> usually they don't forge or fake anything in the header. Tone down the +> negative scores and ding them extra for any obvious forgeries. + +When we get more (good) "nice" tests, the GA will assign lower +scores to them. I think the current problem is that there are +very few really good nice tests in the current rulebase, and lots +of +ve tests that those newsletters hit, giving the GA a big +problem to solve. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1535.92d5d08b41907f13b4553115c772506b b/machine-learning-ex6/ex6/easy_ham/1535.92d5d08b41907f13b4553115c772506b new file mode 100644 index 0000000..f54ce2d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1535.92d5d08b41907f13b4553115c772506b @@ -0,0 +1,93 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:51:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 91BD016F20 + for ; Thu, 5 Sep 2002 12:51:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:51:10 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BdWZ17228 for ; Thu, 5 Sep 2002 12:39:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muyW-0002r7-00; Thu, + 05 Sep 2002 04:39:04 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muxX-0001Og-00 for ; + Thu, 05 Sep 2002 04:38:03 -0700 +Received: (qmail 67415 messnum 1193219 invoked from + network[194.125.172.167/ts12-167.dublin.indigo.ie]); 5 Sep 2002 11:38:00 + -0000 +Received: from ts12-167.dublin.indigo.ie (HELO example.com) + (194.125.172.167) by relay05.indigo.ie (qp 67415) with SMTP; + 5 Sep 2002 11:38:00 -0000 +Received: by example.com (Postfix, from userid 500) id F10F516F49; + Thu, 5 Sep 2002 12:26:30 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id EE314F7B1 for ; + Thu, 5 Sep 2002 12:26:30 +0100 (IST) +To: SpamAssassin +Subject: Re: [SAtalk] My SA went crazy. +In-Reply-To: Message from Jesus Climent of + "Thu, 05 Sep 2002 08:08:35 +0200." + <20020905060834.GA20869@reypastor.hispalinux.es> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020905112630.F10F516F49@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 12:26:25 +0100 +Date: Thu, 05 Sep 2002 12:26:25 +0100 +X-Spam-Status: No, hits=-8.1 required=7.0 + tests=AWL,FOR_FREE,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + + +Jesus Climent said: + +> d output: Bareword found where operator expected at (eval 11) line 95, +> near "25FREEMEGS_URL_uri_test" (Missing operator before +> FREEMEGS_URL_uri_test?) Bareword found whe + +> Is that a bug or is a fault in my system? + +looks like there's an out-of-date copy of the rules files, on your system. +that rules is called "FREEMEGS_URL" nowadays. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1536.9f465603a58bf6390c7edbfb78f2b62f b/machine-learning-ex6/ex6/easy_ham/1536.9f465603a58bf6390c7edbfb78f2b62f new file mode 100644 index 0000000..709e989 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1536.9f465603a58bf6390c7edbfb78f2b62f @@ -0,0 +1,103 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 12:51:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5C4B616F1F + for ; Thu, 5 Sep 2002 12:51:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 12:51:22 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85BdXZ17230 for ; Thu, 5 Sep 2002 12:39:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17muyU-0002qr-00; Thu, + 05 Sep 2002 04:39:02 -0700 +Received: from relay07.indigo.ie ([194.125.133.231]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17muxW-0001OX-00 for ; + Thu, 05 Sep 2002 04:38:02 -0700 +Received: (qmail 17070 messnum 1023657 invoked from + network[194.125.172.167/ts12-167.dublin.indigo.ie]); 5 Sep 2002 11:37:57 + -0000 +Received: from ts12-167.dublin.indigo.ie (HELO example.com) + (194.125.172.167) by relay07.indigo.ie (qp 17070) with SMTP; + 5 Sep 2002 11:37:57 -0000 +Received: by example.com (Postfix, from userid 500) id 76D1C16F20; + Thu, 5 Sep 2002 12:15:40 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 73FAAF7B1 for ; + Thu, 5 Sep 2002 12:15:40 +0100 (IST) +To: SpamAssassin-talk@example.sourceforge.net +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Image-Url: http://example.com/me.jpg +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020905111540.76D1C16F20@example.com> +Subject: [SAtalk] Thought for RPM/deb/etc packagers +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 12:15:35 +0100 +Date: Thu, 05 Sep 2002 12:15:35 +0100 +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=FOR_FREE,HABEAS_SWE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +BTW, I've been thinking a little about the RPMs and other packages. +Already the PLD guys are distributing 3 rpms: + + - perl-Mail-SpamAssassin + + the perl modules. + + - spamassassin + + the "spamassassin" and "spamd" scripts, + spamd rc-file etc. + + - spamassassin-tools + + mass-check, masses directory stuff, etc. + for generating rescore data from corpora. + +This seems like a good way to do it; this way, stuff which just needs +the perl modules doesn't need to require the full RPM be installed, +with RC files in init.d etc. + +It's been adopted in the distributed .spec file, anyway. + +Theo, BTW, what's the eval test you add in the tvd version of the RPM? + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1537.61e8d9ec6d8fe200987abca9969c2afb b/machine-learning-ex6/ex6/easy_ham/1537.61e8d9ec6d8fe200987abca9969c2afb new file mode 100644 index 0000000..bec157d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1537.61e8d9ec6d8fe200987abca9969c2afb @@ -0,0 +1,106 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 5 13:39:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1A38C16F1F + for ; Thu, 5 Sep 2002 13:39:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 13:39:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g85Ca4Z18947 for ; Thu, 5 Sep 2002 13:36:04 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mvpl-0006qx-00; Thu, + 05 Sep 2002 05:34:05 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mvp4-0007xp-00 for ; + Thu, 05 Sep 2002 05:33:22 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 2E7AA4001A1; + Thu, 5 Sep 2002 07:33:17 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + 08B464001A0; Thu, 5 Sep 2002 07:33:15 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id E6805C026A6; + Thu, 5 Sep 2002 07:33:15 -0500 (EST) +From: Mike Burger +To: "Malte S. Stretz" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] PerMsgStatus.pm error? +In-Reply-To: <200209051318.24194@malte.stretz.eu.org> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 07:33:15 -0500 (EST) +Date: Thu, 5 Sep 2002 07:33:15 -0500 (EST) +X-Spam-Status: No, hits=-2.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +It's possible...I performed the update via "rpm -U"...which, of course, +created all the new rulesets as "xx_rulename.cf.rpmnew" Crud. I'll have +to start moving things around. + +On Thu, 5 Sep 2002, Malte S. Stretz wrote: + +> On Thursday 05 September 2002 04:10 CET Mike Burger wrote: +> > Just loaded up SA 2.40 from Theo's RPMs...spamassassin-2.40-1 and +> > perl-Mail-SpamAssassin-2.40-1 on a RH 7.1 system with perl 5.6.1 running +> > on it. +> > +> > I'm getting messages that seem to indicate that SA can't find +> > PerMsgStatus, like so: +> > +> > Sep 4 21:01:59 burgers spamd[17579]: Failed to run CTYPE_JUST_HTML +> > SpamAssassin test, skipping: ^I(Can't locate object method +> > "check_for_content_type_just_html" via package +> > "Mail::SpamAssassin::PerMsgStatus" (perhaps you forgot to load +> > "Mail::SpamAssassin::PerMsgStatus"?) at +> > /usr/lib/perl5/site_perl/5.6.1/Mail/SpamAssassin/PerMsgStatus.pm line +> > 1814, line 21. ) +> > +> >[...] +> > +> > Any ideas? +> +> Perl doesn't complain that it can't find PerMsgStatus.pm but the function +> check_for_content_type_just_html(). Do you probably have some old rules +> files still lurking around? This test existed in 2.31 but is gone/was +> renamed with 2.40. +> +> Malte +> +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1538.a7f206a53de6097efc0cd3165202e406 b/machine-learning-ex6/ex6/easy_ham/1538.a7f206a53de6097efc0cd3165202e406 new file mode 100644 index 0000000..95cdc72 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1538.a7f206a53de6097efc0cd3165202e406 @@ -0,0 +1,79 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 6 15:29:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 31D4716F17 + for ; Fri, 6 Sep 2002 15:26:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:37 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86A13C30438 for + ; Fri, 6 Sep 2002 11:01:03 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id SAA16846 for + ; Thu, 5 Sep 2002 18:15:55 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n0Dh-0006tl-00; Thu, + 05 Sep 2002 10:15:05 -0700 +Received: from adsl-64-160-225-82.dsl.lsan03.pacbell.net ([64.160.225.82] + helo=control.unearthed.org) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17n0D6-0007Dw-00 for + ; Thu, 05 Sep 2002 10:14:28 -0700 +Received: from brianmay (act-firewall [64.52.135.194]) by + control.unearthed.org (8.11.6/linuxconf) with SMTP id g85HEPI13616 for + ; Thu, 5 Sep 2002 10:14:25 -0700 +Message-Id: <00c201c254ff$bc2acb30$8801020a@brianmay> +From: "Brian May" +To: "SpamAssassin Users' list" +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [SAtalk] [OT] SpamAssassin figures... +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 10:14:46 -0700 +Date: Thu, 5 Sep 2002 10:14:46 -0700 +X-Spam-Status: No, hits=1.7 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,FOR_FREE,INVALID_MSGID, + KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: * + +I finally found the SpamAssassin ninja's! After months of searchng.. I +found the litte guys at a bowling alley in Valencia! Here's a shot of my +beloved clan! + +http://www.mattahfahtu.com/ + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1539.3492ab4db8fc4cb31731e0eafcee6839 b/machine-learning-ex6/ex6/easy_ham/1539.3492ab4db8fc4cb31731e0eafcee6839 new file mode 100644 index 0000000..6d233ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1539.3492ab4db8fc4cb31731e0eafcee6839 @@ -0,0 +1,78 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 6 15:29:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7160216F22 + for ; Fri, 6 Sep 2002 15:26:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:26:41 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86A0qC30406 for + ; Fri, 6 Sep 2002 11:00:53 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id SAA17222 for + ; Thu, 5 Sep 2002 18:53:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n0nW-00050j-00; Thu, + 05 Sep 2002 10:52:06 -0700 +Received: from mx-out.daemonmail.net ([216.104.160.37]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n0n8-000405-00 for ; + Thu, 05 Sep 2002 10:51:42 -0700 +Received: from mx0.emailqueue.net (localhost.daemonmail.net [127.0.0.1]) + by mx-out.daemonmail.net (8.9.3/8.9.3) with SMTP id KAA61959 for + ; Thu, 5 Sep 2002 10:51:38 -0700 + (PDT) (envelope-from brian@unearthed.com) +Received: from brianmay (brianmay [64.52.135.194]) by mail.unearthed.com + with ESMTP id F4G0l8M2 Thu, 05 Sep 2002 10:51:01 -0700 (PDT) +Message-Id: <00c701c25504$da88e530$8801020a@brianmay> +From: "Brian May" +To: "SpamAssassin Users' list" +References: <00c201c254ff$bc2acb30$8801020a@brianmay> +Subject: Re: [SAtalk] [OT] SpamAssassin figures... +Organization: UnEarthed.Com +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 10:51:23 -0700 +Date: Thu, 5 Sep 2002 10:51:23 -0700 +X-Spam-Status: No, hits=-3.1 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,INVALID_MSGID, + KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES,SPAM_PHRASE_02_03, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +sorry for the dupe.. thought the com address would bounce.. my bad. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1540.e6859a3f2b7d4347f84df81b2398ae58 b/machine-learning-ex6/ex6/easy_ham/1540.e6859a3f2b7d4347f84df81b2398ae58 new file mode 100644 index 0000000..dd01103 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1540.e6859a3f2b7d4347f84df81b2398ae58 @@ -0,0 +1,116 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 6 19:36:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A1FEB16F17 + for ; Fri, 6 Sep 2002 19:36:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 19:36:48 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g86HtrC18442 for ; Fri, 6 Sep 2002 18:55:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNJw-0008Sn-00; Fri, + 06 Sep 2002 10:55:04 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNJB-0007KL-00 for + ; Fri, 06 Sep 2002 10:54:17 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g86HsCnP020010; + Fri, 6 Sep 2002 13:54:12 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g86HsCog020008; Fri, 6 Sep 2002 13:54:12 -0400 +From: Theo Van Dinter +To: Josh Hildebrand +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] redhat init.d script for spamd and the -H option +Message-Id: <20020906175411.GB18326@kluge.net> +References: + <20020906163144.GA9866@jedi.net> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="UHN/qo2QbUvPLonB" +Content-Disposition: inline +In-Reply-To: <20020906163144.GA9866@jedi.net> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 13:54:11 -0400 +Date: Fri, 6 Sep 2002 13:54:11 -0400 +X-Spam-Status: No, hits=-16.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--UHN/qo2QbUvPLonB +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Sep 06, 2002 at 11:32:01AM -0500, Josh Hildebrand wrote: +> Unfortunately, when I run that, it complains about the H parameter. +>=20 +> -F 0|1 remove/add 'From ' line at start of output (default: 1) +>=20 +> But I can run it on the command line as "spamd -d -c -a -H" just fine. +>=20 +> Anyone else run into this problem? + +you look to have 2 versions of spamd installed. The one running from +the RC script is pre-2.4 (there is a -H now, and -F has been removed), +but the one you run from the commandline seems to be a 2.4x version. + +I would find that old version of SA and blow it away. + +--=20 +Randomly Generated Tagline: +"If you lend someone $20, and never see that person again, it was probably + worth it." - Zen Musings + +--UHN/qo2QbUvPLonB +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9eOvDAuOQUeWAs2MRAmQQAKDvRrfV2FasxShCaSQCCdfbvx4mbQCeK3Eq +IXNsRLjK0elfi5oPbnQedEI= +=woQJ +-----END PGP SIGNATURE----- + +--UHN/qo2QbUvPLonB-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1541.1c5cac401a046fc68ba4594692631a41 b/machine-learning-ex6/ex6/easy_ham/1541.1c5cac401a046fc68ba4594692631a41 new file mode 100644 index 0000000..19efd67 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1541.1c5cac401a046fc68ba4594692631a41 @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 6 19:37:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D0DAA16F1A + for ; Fri, 6 Sep 2002 19:36:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 19:36:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g86I63C18731 for ; Fri, 6 Sep 2002 19:06:03 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNTg-0001MN-00; Fri, + 06 Sep 2002 11:05:08 -0700 +Received: from gc-na5.alcatel.fr ([64.208.49.5] helo=smail2.alcatel.fr) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17nNTL-00024f-00 for ; + Fri, 06 Sep 2002 11:04:48 -0700 +Received: from iww.netfr.alcatel.fr (iww.netfr.alcatel.fr + [155.132.180.114]) by smail2.alcatel.fr (ALCANET/NETFR) with ESMTP id + g86I3uCv015726 for ; + Fri, 6 Sep 2002 20:03:57 +0200 +Received: by iww.netfr.alcatel.fr + ("Mikrosoft Xchange", + from userid 513) id 1F1771B2E; Fri, 6 Sep 2002 20:04:20 +0200 (CEST) +From: Stephane Lentz +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Lotus Notes users? +Message-Id: <20020906180419.GA14739@iww.netfr.alcatel.fr> +Mail-Followup-To: Stephane Lentz , + spamassassin-talk@lists.sourceforge.net +References: <3D78E46C.5070101@startechgroup.co.uk> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <3D78E46C.5070101@startechgroup.co.uk> +X-Mailer: Bogus Notes 5.10.666 (Corporate Release) +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 20:04:20 +0200 +Date: Fri, 6 Sep 2002 20:04:20 +0200 +X-Spam-Status: No, hits=-6.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +On Fri, Sep 06, 2002 at 06:22:52PM +0100, Matt Sergeant wrote: +> Can anyone out there who uses SA with lotus notes users help us figure +> out what to tell customers to do when they've got emails coming in with +> spam identifying headers? We've been told that Notes has no way to +> handle extra headers, but I'm sure that can't be universally true. +> +> I've searched the 'net, and it seems that Notes can only filter based on +> the "visible" headers, i.e. sender, subject, precedence, etc. Is there +> any way to filter based on X- headers? + +=> Yes the only way out with Notes looks like changing the subject +(subject_tag). + +Regards, + +SL/ +--- +Stephane Lentz / Alcanet International - Internet Services + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1542.a5fda7c1725c3f9715d2b0c858ad306e b/machine-learning-ex6/ex6/easy_ham/1542.a5fda7c1725c3f9715d2b0c858ad306e new file mode 100644 index 0000000..7baed3b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1542.a5fda7c1725c3f9715d2b0c858ad306e @@ -0,0 +1,111 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Sep 6 19:36:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 237E016F19 + for ; Fri, 6 Sep 2002 19:36:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 19:36:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g86HvgC18460 for ; Fri, 6 Sep 2002 18:57:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNLs-0000Nw-00; Fri, + 06 Sep 2002 10:57:04 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNLF-0007Vl-00 for + ; Fri, 06 Sep 2002 10:56:25 + -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g86HuKnP020150; + Fri, 6 Sep 2002 13:56:20 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g86HuJsS020148; Fri, 6 Sep 2002 13:56:19 -0400 +From: Theo Van Dinter +To: bugzilla-daemon@hughes-family.org +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] [Bug 840] spam_level_char option change/removal +Message-Id: <20020906175619.GC18326@kluge.net> +References: <20020906170919.C128CA4C29@belphegore.hughes-family.org> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="sHrvAb52M6C8blB9" +Content-Disposition: inline +In-Reply-To: <20020906170919.C128CA4C29@belphegore.hughes-family.org> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 13:56:19 -0400 +Date: Fri, 6 Sep 2002 13:56:19 -0400 +X-Spam-Status: No, hits=-16.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--sHrvAb52M6C8blB9 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Sep 06, 2002 at 10:09:19AM -0700, bugzilla-daemon@hughes-family.org= + wrote: +> another (or would look terrible). Let's just use a letter. If +> aesthetics are your concern, I think an "x" will look just fine. + +"x" is fine, but let's not take out the config option. if people really +want to have it be something else, we shouldn't hinder them. + +--=20 +Randomly Generated Tagline: +"And the next time you consider complaining that running Lucid Emacs + 19.05 via NFS from a remote Linux machine in Paraguay doesn't seem to + get the background colors right, you'll know who to thank." + (By Matt Welsh) + +--sHrvAb52M6C8blB9 +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9eOxDAuOQUeWAs2MRAuH1AKD8heTyLbbAWWkpWyjY6k4JwKhOMgCg4C++ +rl8B1iVlvS/M0aFW6DubyQA= +=BibY +-----END PGP SIGNATURE----- + +--sHrvAb52M6C8blB9-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1543.d8b77b54627b605a9be40ba163b6dd70 b/machine-learning-ex6/ex6/easy_ham/1543.d8b77b54627b605a9be40ba163b6dd70 new file mode 100644 index 0000000..2ac9f52 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1543.d8b77b54627b605a9be40ba163b6dd70 @@ -0,0 +1,88 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Sep 6 19:36:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6323416F18 + for ; Fri, 6 Sep 2002 19:36:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 19:36:50 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g86HvfC18459 for ; Fri, 6 Sep 2002 18:57:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nNLs-0000OB-00; Fri, + 06 Sep 2002 10:57:04 -0700 +Received: from tisch.mail.mindspring.net ([207.69.200.157]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17nNLK-0007W1-00 for ; + Fri, 06 Sep 2002 10:56:30 -0700 +Received: from user-1120ft5.dsl.mindspring.com ([66.32.63.165] + helo=belphegore.hughes-family.org) by tisch.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17nNLI-00029N-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 06 Sep 2002 13:56:28 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 76) id + D985EA4C92; Fri, 6 Sep 2002 10:56:23 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020906175623.D985EA4C92@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 840] spam_level_char option change/removal +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 6 Sep 2002 10:56:23 -0700 (PDT) +Date: Fri, 6 Sep 2002 10:56:23 -0700 (PDT) +X-Spam-Status: No, hits=-2.0 required=7.0 + tests=AWL,BUGZILLA_BUG,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL, + FOR_FREE,KNOWN_MAILING_LIST,NO_REAL_NAME,QUOTED_EMAIL_TEXT, + RCVD_IN_MULTIHOP_DSBL,RCVD_IN_UNCONFIRMED_DSBL, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=840 + + + + + +------- Additional Comments From felicity@kluge.net 2002-09-06 10:56 ------- +Subject: Re: [SAdev] spam_level_char option change/removal + +On Fri, Sep 06, 2002 at 10:09:19AM -0700, bugzilla-daemon@hughes-family.org wrote: +> another (or would look terrible). Let's just use a letter. If +> aesthetics are your concern, I think an "x" will look just fine. + +"x" is fine, but let's not take out the config option. if people really +want to have it be something else, we shouldn't hinder them. + + + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1544.011827fa2f89828e83bae7f6995576df b/machine-learning-ex6/ex6/easy_ham/1544.011827fa2f89828e83bae7f6995576df new file mode 100644 index 0000000..9e3588c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1544.011827fa2f89828e83bae7f6995576df @@ -0,0 +1,125 @@ +From spamassassin-talk-admin@lists.sourceforge.net Sun Sep 8 23:57:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3215C16F1A + for ; Sun, 8 Sep 2002 23:51:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:51:55 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g88EIdC32338 for ; Sun, 8 Sep 2002 15:18:44 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17o2t3-0004jQ-00; Sun, + 08 Sep 2002 07:18:05 -0700 +Received: from mailout10.sul.t-online.com ([194.25.134.21]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17o2rz-0005Ts-00 for ; + Sun, 08 Sep 2002 07:16:59 -0700 +Received: from fwd00.sul.t-online.de by mailout10.sul.t-online.com with + smtp id 17o2rv-0003dY-00; Sun, 08 Sep 2002 16:16:55 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[62.226.214.55]) by fmrl00.sul.t-online.com with esmtp + id 17o2rr-1VybIWC; Sun, 8 Sep 2002 16:16:51 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + F3CD32E9 for ; Sun, 8 Sep 2002 16:16:50 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-15" +From: "Malte S. Stretz" +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Lotus Notes users? +User-Agent: KMail/1.4.3 +References: + +In-Reply-To: +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209081619.34777@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 8 Sep 2002 16:19:34 +0200 +Date: Sun, 8 Sep 2002 16:19:34 +0200 +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE, + HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05, + USER_AGENT,USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +On Saturday 07 September 2002 23:22 CET Daniel Quinlan wrote: +> Craig Hughes writes: +> > How about configuring SA to set precendence to "low" for spam +> > messages, then filter on that -- no real human I've ever seen has +> > actually set precendence to low on real mail. +> +> Assuming there isn't a better way for Lotus Notes users, we could +> create a "Precedence: spam" convention. The only two Precedence: +> headers I've seen (aside from one or two odd messages) are "bulk" and +> "list". Adding a "spam" header makes sense given the convention. + +I'd suggest using Precedence: junk. Albeit it's no standard header does most +Software already recognize it. Courier eg. doesn't send auto-replies to +mails with the Precedence bulk or junk. I think Outlook does handle these +special, too. [1] says: +| Autoresponses should always contain the header +| Precedence: junk +| Notice the spelling of "prec-e-dence". In particular, count the number of +| n:s (and a:s and s:es, if you're totally agraphic and/or from the United +| States). This will prevent well-tempered mail programs from generating +| bounce messages for these. If the recipient can't be reached, the +| autoresponder message is simply discarded. +| [...] +| (For what it's worth, the meaning of the Precedence header in practice is +| that it affects Sendmail so that messages identified as less important get +| moved back in the queue under high load. [...]) + +>[...] + +Malte + +[1] Moronic Mail Autoresponders (A FAQ From Hell): +http://www.ling.helsinki.fi/users/reriksso/mail/autoresponder-faq.html +-- +--- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1545.f12974e0310c366731631a0a62980b5c b/machine-learning-ex6/ex6/easy_ham/1545.f12974e0310c366731631a0a62980b5c new file mode 100644 index 0000000..d6b2f3b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1545.f12974e0310c366731631a0a62980b5c @@ -0,0 +1,95 @@ +From spamassassin-talk-admin@lists.sourceforge.net Sun Sep 8 23:57:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E960716F19 + for ; Sun, 8 Sep 2002 23:51:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 08 Sep 2002 23:51:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g88E25C31776 for ; Sun, 8 Sep 2002 15:02:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17o2bc-0006T7-00; Sun, + 08 Sep 2002 07:00:04 -0700 +Received: from mailman.rexus.com ([216.136.83.173] helo=Mr-Mailman) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17o2az-0006pF-00 for + ; Sun, 08 Sep 2002 06:59:25 -0700 +Received: from 65.90.104.216 [65.90.104.216] by Mr-Mailman with SMTPBeamer + v3.30 ; Sun, 8 Sep 2002 09:56:46 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + 34B6E9FB5B for ; Sun, + 8 Sep 2002 06:59:08 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-15" +Organization: Paradigm-Omega, LLC +To: spamassassin-talk@example.sourceforge.net +X-Mailer: KMail [version 1.3.1] +X-PGP-Key-1: 8828 DA31 F788 2F87 CE6D F563 5568 BABC 647E C336 +X-PGP-Key_2: D152 7DD6 C0E8 F2CB 4CD3 B5D7 5F67 B017 38D0 A14E +X-Copyright(C): 2002 +X-Owner: Paradigm-Omega,LLC(tm) +X-All-Rights: Reserved +X-Dissemination: Prohibited +X-Classification: Confidential/Proprietary +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1031493547.12768.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.62 +X-Identifier: Robin Lynn Frank +Reply-To: Robin Lynn Frank +Subject: [SAtalk] spamd can't find... +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 8 Sep 2002 06:59:04 -0700 +Date: Sun, 8 Sep 2002 06:59:04 -0700 +X-Spam-Status: No, hits=-3.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + RCVD_IN_OSIRUSOFT_COM,SPAM_PHRASE_02_03,X_OSIRU_DUL + version=2.50-cvs +X-Spam-Level: + +I thought I'd installed razor correctly, but I am seeing the following in my +logs. Can anyone give me a hitn? + +Sep 8 06:46:45 omega spamd[6514]: razor2 check skipped: No such file or +directory Can't locate object method "new" via package "Net::DNS::Resolver" +(perhaps you forgot to load "Net::DNS::Resolver"?) at (eval 31) line 1, + line 114. ^I...propagated at +/usr/lib/perl5/site_perl/5.6.1/Mail/SpamAssassin/Dns.pm line 392, +line 114. + +-- +Robin Lynn Frank +Paradigm-Omega, LLC +================================== +The only certainty about documentation is that +whoever wrote it "might" have understood it. +The rest of us may not be so lucky. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1546.2bf79dda9e1450d2be84ab65f5c3ca6d b/machine-learning-ex6/ex6/easy_ham/1546.2bf79dda9e1450d2be84ab65f5c3ca6d new file mode 100644 index 0000000..9a003d0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1546.2bf79dda9e1450d2be84ab65f5c3ca6d @@ -0,0 +1,95 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 9 10:50:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D9A0416F49 + for ; Mon, 9 Sep 2002 10:47:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 10:47:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g88NYgC16982 for ; Mon, 9 Sep 2002 00:34:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oBZ8-0006yI-00; Sun, + 08 Sep 2002 16:34:06 -0700 +Received: from www.2secure.net ([216.136.83.201] helo=cltweb) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17oBYd-0001lu-00 for + ; Sun, 08 Sep 2002 16:33:36 -0700 +Received: from 65.91.222.52 [65.91.222.52] by cltweb with SMTPBeamer v3.30 + ; Sun, 8 Sep 2002 19:33:22 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + 948B89FB5B for ; Sun, + 8 Sep 2002 16:33:20 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-15" +Organization: Paradigm-Omega, LLC +To: spamassassin-talk@example.sourceforge.net +X-Mailer: KMail [version 1.3.1] +X-PGP-Key-1: 8828 DA31 F788 2F87 CE6D F563 5568 BABC 647E C336 +X-PGP-Key_2: D152 7DD6 C0E8 F2CB 4CD3 B5D7 5F67 B017 38D0 A14E +X-Copyright(C): 2002 +X-Owner: Paradigm-Omega,LLC(tm) +X-All-Rights: Reserved +X-Dissemination: Prohibited +X-Classification: Confidential/Proprietary +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1031528000.14372.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.62 +X-Identifier: Robin Lynn Frank +Reply-To: Robin Lynn Frank +Subject: [SAtalk] Huh? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 8 Sep 2002 16:33:10 -0700 +Date: Sun, 8 Sep 2002 16:33:10 -0700 +X-Spam-Status: No, hits=-4.4 required=7.0 + tests=AWL,FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Despite my lack of confidence to upgrade to 2.41 using the tarball instead of +cpan, it worked. With the help of others, got razor working. I did however +notice something in my logs which happened twice but hasn't recurred. + +Sep 8 16:10:11 omega spamd[14014]: razor2 check skipped: Permission denied +Can't call method "log" on unblessed reference at +/usr/lib/perl5/site_perl/5.6.1/Razor2/Client/Agent.pm line 211, line +66. + + +-- +Robin Lynn Frank +Paradigm-Omega, LLC +================================== +The only certainty about documentation is that +whoever wrote it "might" have understood it. +The rest of us may not be so lucky. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1547.5a820118fa0555c1c9735e3f2cde4b7f b/machine-learning-ex6/ex6/easy_ham/1547.5a820118fa0555c1c9735e3f2cde4b7f new file mode 100644 index 0000000..a37e422 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1547.5a820118fa0555c1c9735e3f2cde4b7f @@ -0,0 +1,107 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Sep 9 14:35:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 612A616EFC + for ; Mon, 9 Sep 2002 14:35:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 09 Sep 2002 14:35:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g89AJpC09372 for ; Mon, 9 Sep 2002 11:19:51 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oLcK-0007tV-00; Mon, + 09 Sep 2002 03:18:04 -0700 +Received: from mailout08.sul.t-online.com ([194.25.134.20]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17oLbr-0005WK-00 for ; + Mon, 09 Sep 2002 03:17:35 -0700 +Received: from fwd00.sul.t-online.de by mailout08.sul.t-online.com with + smtp id 17oLbn-0004hx-07; Mon, 09 Sep 2002 12:17:31 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[62.155.187.197]) by fmrl00.sul.t-online.com with esmtp + id 17oLbT-1nMo40C; Mon, 9 Sep 2002 12:17:11 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 172153BB3 for ; Mon, 9 Sep 2002 12:17:13 + +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-1" +From: "Malte S. Stretz" +To: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Re: [SACVS] CVS: spamassassin/rules 60_whitelist.cf,1.29,1.30 +User-Agent: KMail/1.4.3 +References: + <200209091108.22690@malte.stretz.eu.org> + <3D7C6642.4040100@startechgroup.co.uk> +In-Reply-To: <3D7C6642.4040100@startechgroup.co.uk> +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209091219.58498@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 12:19:58 +0200 +Date: Mon, 9 Sep 2002 12:19:58 +0200 +X-Spam-Status: No, hits=-13.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE, + HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03, + USER_AGENT,USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +On Monday 09 September 2002 11:13 CET Matt Sergeant wrote: +> Malte S. Stretz wrote: +> >[...] +> > So I'd vote for a complete removal of 60_whitelists.cf and a page +> > http://spamassassin.org/tests/whitelists.html where we list common +> > whitelist entries instead. +> +> I would happily agree to that. +> +> Though maybe it should be a wiki... ;-) + +Just imagine what Ronnie Scelson would do to a wiki *shudder* + +M +-- +--- Coding is art. +-- + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1548.009504211e34b42d8b878b5c5aec5926 b/machine-learning-ex6/ex6/easy_ham/1548.009504211e34b42d8b878b5c5aec5926 new file mode 100644 index 0000000..76e1eeb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1548.009504211e34b42d8b878b5c5aec5926 @@ -0,0 +1,81 @@ +From spamassassin-devel-admin@lists.sourceforge.net Tue Sep 10 18:18:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B7C4E16F03 + for ; Tue, 10 Sep 2002 18:18:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 18:18:32 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8AFmpC05410 for ; Tue, 10 Sep 2002 16:48:51 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17onDH-0001Xz-00; Tue, + 10 Sep 2002 08:46:03 -0700 +Received: from maynard.mail.mindspring.net ([207.69.200.243]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17onCY-0005HC-00 for ; + Tue, 10 Sep 2002 08:45:18 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by maynard.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17onCP-000239-00 for + spamassassin-devel@lists.sourceforge.net; Tue, 10 Sep 2002 11:45:09 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + D02ED9EDBF; Tue, 10 Sep 2002 08:45:08 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020910154508.D02ED9EDBF@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 486] SpamAssassin causes zombies (network tests, + MIMEDefang 2.16) +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 10 Sep 2002 08:45:08 -0700 (PDT) +Date: Tue, 10 Sep 2002 08:45:08 -0700 (PDT) +X-Spam-Status: No, hits=0.1 required=7.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,FOR_FREE, + KNOWN_MAILING_LIST,NO_REAL_NAME,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=486 + + + + + +------- Additional Comments From larry@5points.net 2002-09-10 08:45 ------- +Dan, + +To answer your question to my post (which maybe should be a seperate bug?) I'm +using Spamassassin version 2.30 + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1549.929f73150d87a253b519a286d3dab77e b/machine-learning-ex6/ex6/easy_ham/1549.929f73150d87a253b519a286d3dab77e new file mode 100644 index 0000000..c255a83 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1549.929f73150d87a253b519a286d3dab77e @@ -0,0 +1,77 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 11 16:05:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CAB9B16F03 + for ; Wed, 11 Sep 2002 16:05:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 16:05:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BDeHC16691 for ; Wed, 11 Sep 2002 14:40:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17p7g0-0002aM-00; Wed, + 11 Sep 2002 06:37:04 -0700 +Received: from yertle.kcilink.com ([216.194.193.105]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17p7fd-00078a-00 for ; + Wed, 11 Sep 2002 06:36:41 -0700 +Received: from onceler.kciLink.com (onceler.kciLink.com [216.194.193.106]) + by yertle.kciLink.com (Postfix) with ESMTP id F134A2178D for + ; Wed, 11 Sep 2002 09:36:38 -0400 + (EDT) +Received: by onceler.kciLink.com (Postfix, from userid 100) id DE1C63D11; + Wed, 11 Sep 2002 09:36:38 -0400 (EDT) +From: Vivek Khera +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15743.18150.567462.560748@onceler.kciLink.com> +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] base64 decode problem? +In-Reply-To: <20020911000343.C18217@alinoe.com> +References: <20020911000343.C18217@alinoe.com> +X-Mailer: VM 7.07 under 21.4 (patch 8) "Honest Recruiter" XEmacs Lucid +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 09:36:38 -0400 +Date: Wed, 11 Sep 2002 09:36:38 -0400 +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +>>>>> "CW" == Carlo Wood writes: + +CW> to manually decode the base64 part. +CW> Can someone please tell me how to do that? + + +google: base64 decode + +the first three results look useful. + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1550.bf1bd1651e108ceb8637a006d6861789 b/machine-learning-ex6/ex6/easy_ham/1550.bf1bd1651e108ceb8637a006d6861789 new file mode 100644 index 0000000..1ea0f0f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1550.bf1bd1651e108ceb8637a006d6861789 @@ -0,0 +1,93 @@ +Replied: Wed, 11 Sep 2002 19:46:42 +0100 +Replied: "Malte S. Stretz" +Replied: spamassassin-devel@example.sourceforge.net +From msquadrat.nospamplease@gmx.net Wed Sep 11 19:41:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B8BEF16F03 + for ; Wed, 11 Sep 2002 19:41:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:41:21 +0100 (IST) +Received: from mailout11.sul.t-online.com (mailout11.sul.t-online.com + [194.25.134.85]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BFNDC20372 for ; Wed, 11 Sep 2002 16:23:13 +0100 +Received: from fwd00.sul.t-online.de by mailout11.sul.t-online.com with + smtp id 17p9L7-0005Jj-05; Wed, 11 Sep 2002 17:23:37 +0200 +Received: from nebukadnezar.msquadrat.de + (520061089980-0001@[217.80.6.194]) by fmrl00.sul.t-online.com with esmtp + id 17p9L2-19TcBsC; Wed, 11 Sep 2002 17:23:32 +0200 +Received: from otherland (otherland.msquadrat.de [10.10.10.10]) by + nebukadnezar.msquadrat.de (Postfix on SuSE Linux 7.3 (i386)) with ESMTP id + 90BFDDC; Wed, 11 Sep 2002 17:23:34 +0200 (CEST) +Content-Type: text/plain; charset="iso-8859-15" +From: "Malte S. Stretz" +To: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] 2.42 to come ? +Date: Wed, 11 Sep 2002 17:26:19 +0200 +User-Agent: KMail/1.4.3 +References: <20020911141938.CF8BE16F19@example.com> +In-Reply-To: <20020911141938.CF8BE16F19@example.com> +Cc: yyyy@example.com (Justin Mason) +X-Spam-Checker: SpamAssassin +X-Accept-Language: de, en +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: Warrant Mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209111726.19845@malte.stretz.eu.org> +X-Sender: 520061089980-0001@t-dialin.net +X-Spam-Status: No, hits=-12.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,HABEAS_SWE, + IN_REP_TO,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_KMAIL,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +On Wednesday 11 September 2002 16:19 CET Justin Mason wrote: +> Malte S. Stretz said: +>[...] +> > I think we should even add new (GA'd) rules to 2.4x (and/or remove old +> > ones) and tag a new 2.50 only if we have a bunch of features worth a +> > "dangerous" big update. I'd say: Yes, you should expect 2.42 and also +> > 2.43+ (but update to 2.41 now). +> +> I would think adding new rules to, or removing broken rules from, 2.4x +> would require some discussion first. but new GA'd scores are definitely +> worth putting in, as the ones there are too wild. + +I think my mail wasn't very clear ;-) My point was that we should continue +releasing new rules and removing broken ones (all based on discussions on +this list of course) in the 2.4 branch instead of creating a new 2.5 branch +everytime we have a bunch of new rules. + +A new branch should be openend only if (big) new features are introduced +(eg. Bayes) or the interface has changed (spam_level_char=x). As the rules +are under fluent development, the user has to update quite regularly. But +currently he couldn't be shure if the new release will break anything in +his setup (like -F going away). So if we say "the branches are stable to +the outside and just improved under the surface but you have to watch out +when you update to a new minor version number", users and sysadmins could +be less reluctant to update. + +All just IMHO :o) +Malte + +P.S.: I'll be away from my box and my mail account for one week, starting +tomorrow. So happy coding for the next week :-) + +-- +--- Coding is art. +-- + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1551.8d00d37ef39bf157ccbc2eeeea811ece b/machine-learning-ex6/ex6/easy_ham/1551.8d00d37ef39bf157ccbc2eeeea811ece new file mode 100644 index 0000000..2221954 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1551.8d00d37ef39bf157ccbc2eeeea811ece @@ -0,0 +1,115 @@ +Replied: Wed, 11 Sep 2002 20:04:55 +0100 +Replied: cjclark@alum.mit.edu +Replied: spamassassin-talk@example.sourceforge.net +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 11 19:43:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0EC3D16F03 + for ; Wed, 11 Sep 2002 19:43:23 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 19:43:23 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BHgWC24927 for ; Wed, 11 Sep 2002 18:42:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pBQJ-0005k2-00; Wed, + 11 Sep 2002 10:37:07 -0700 +Received: from sccrmhc01.attbi.com ([204.127.202.61]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pBPe-0000WG-00 for ; + Wed, 11 Sep 2002 10:36:26 -0700 +Received: from blossom.cjclark.org ([12.234.91.48]) by sccrmhc01.attbi.com + (InterMail vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020911173620.FTHS16673.sccrmhc01.attbi.com@blossom.cjclark.org> for + ; Wed, 11 Sep 2002 17:36:20 +0000 +Received: from blossom.cjclark.org (localhost. [127.0.0.1]) by + blossom.cjclark.org (8.12.3/8.12.3) with ESMTP id g8BHaJJK087114 for + ; Wed, 11 Sep 2002 10:36:19 -0700 + (PDT) (envelope-from crist.clark@attbi.com) +Received: (from cjc@localhost) by blossom.cjclark.org + (8.12.3/8.12.3/Submit) id g8BHaJpX087113 for + spamassassin-talk@lists.sourceforge.net; Wed, 11 Sep 2002 10:36:19 -0700 + (PDT) +X-Authentication-Warning: blossom.cjclark.org: cjc set sender to + crist.clark@attbi.com using -f +From: "Crist J. Clark" +To: spamassassin-talk@example.sourceforge.net +Message-Id: <20020911173618.GA86845@blossom.cjclark.org> +Reply-To: cjclark@alum.mit.edu +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.4i +X-Url: http://people.freebsd.org/~cjc/ +Subject: [SAtalk] Reject, Blackhole, or Fake No-User? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 10:36:18 -0700 +Date: Wed, 11 Sep 2002 10:36:18 -0700 +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MUTT,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +This is not directly SpamAssassin related, but more of a general +dealing-with-SPAM issue. + +What is the best way to deal with SPAM during the SMTP transaction? +There are domains and addresses that I know are SPAM at the 'MAIL +FROM' and can deal with at the SMTP level. I have been, and I think +most people, respond with a 5.7.1 code, a "permanent" error. That +pretty much means, "Don't bother to try from that address again, +you'll get the same error." People often add cathartic messages to +accompany the 550 like, "Spammers must die." + +But this might not be the best way to go. You are telling the spammers +that you are on to them. This may cause them to try other methods to +get around your blocks. Is it perhaps better to blackhole the mail? +That is, act like everything is OK during the SMTP transaction, but +then just drop the mail into the bitbucket. (This is generally how +SpamAssassin works since almost everyone uses it after the SMTP +transaction has completed successfully.) Spammer thinks everything is +going fine and has no reason to try new methods. + +Then there is a third possibility. Instead of returning a 550 code +indicating you're on to the spammer, fake a 5.1.1 response which is +saying "mailbox does not exist." This would be in the hopes that some +spammers out there actually remove names reported as non-existent from +their lists. I know, a slim hope, but even if only a few do, it can +lower the incidence. + +So, what are the arguments for each? Do spammers even look at _any_ of +the bounce messages they get? The volume of bounces must be +huge. Personally, I'm starting to think blackholes are the way to +go... But sending back that "Spammer die, die, die," or stock "Access +DEE-NIED!" (my ephasis added) message can be pretty satisfying. ;) +-- +Crist J. Clark | cjclark@alum.mit.edu + | cjclark@jhu.edu +http://people.freebsd.org/~cjc/ | cjc@freebsd.org + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1552.397ac9c4693e0e39de3c115fe7ded51f b/machine-learning-ex6/ex6/easy_ham/1552.397ac9c4693e0e39de3c115fe7ded51f new file mode 100644 index 0000000..6d61424 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1552.397ac9c4693e0e39de3c115fe7ded51f @@ -0,0 +1,92 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 11 21:52:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5787F16F03 + for ; Wed, 11 Sep 2002 21:52:21 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:52:21 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BKfNC31298 for ; Wed, 11 Sep 2002 21:41:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pEGQ-0003qY-00; Wed, + 11 Sep 2002 13:39:06 -0700 +Received: from relay07.indigo.ie ([194.125.133.231]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pEGA-0006VF-00 for ; + Wed, 11 Sep 2002 13:38:50 -0700 +Received: (qmail 12218 messnum 1023198 invoked from + network[194.125.172.225/ts12-225.dublin.indigo.ie]); 11 Sep 2002 20:38:46 + -0000 +Received: from ts12-225.dublin.indigo.ie (HELO example.com) + (194.125.172.225) by relay07.indigo.ie (qp 12218) with SMTP; + 11 Sep 2002 20:38:46 -0000 +Received: by example.com (Postfix, from userid 500) id 662ED16F03; + Wed, 11 Sep 2002 21:38:45 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 63077F7B1; Wed, 11 Sep 2002 21:38:45 +0100 (IST) +To: Robert Strickler +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Yeah right... If spamassassin was looking through th + is mail, it would have marked it as spam. +In-Reply-To: Message from Robert Strickler + of + "Wed, 11 Sep 2002 15:10:49 CDT." + <0FCA00EE04CDD3119C910050041FBA703A67F3@ilpostoffice.main.net56.net> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020911203845.662ED16F03@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 21:38:40 +0100 +Date: Wed, 11 Sep 2002 21:38:40 +0100 +X-Spam-Status: No, hits=-7.5 required=7.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + + +Robert Strickler said: + +> Looks like we need an identity stamp in the X-Spam headers so that SA only +> accepts headers from authorized sources. + +Well, SpamAssassin will just ignore any old X-Spam-whatever headers +it finds, so that cannot be used to get around the filter. + +--j. + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1553.057f1ee3da7c975523f475fc0c4fae71 b/machine-learning-ex6/ex6/easy_ham/1553.057f1ee3da7c975523f475fc0c4fae71 new file mode 100644 index 0000000..200c6ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1553.057f1ee3da7c975523f475fc0c4fae71 @@ -0,0 +1,88 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 11 21:52:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B796316F03 + for ; Wed, 11 Sep 2002 21:52:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 21:52:26 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BKo9C31620 for ; Wed, 11 Sep 2002 21:50:10 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pEO9-00006c-00; Wed, + 11 Sep 2002 13:47:05 -0700 +Received: from wow.atlasta.net ([12.129.13.20]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pENU-0000rG-00 for ; + Wed, 11 Sep 2002 13:46:24 -0700 +Received: from wow.atlasta.net (localhost.atlasta.net [127.0.0.1]) by + wow.atlasta.net (8.12.2/8.12.2) with ESMTP id g8BKkJJI000357; + Wed, 11 Sep 2002 13:46:19 -0700 (PDT) +Received: from localhost (drais@localhost) by wow.atlasta.net + (8.12.2/8.12.2/Submit) with ESMTP id g8BKkJQB000354; Wed, 11 Sep 2002 + 13:46:19 -0700 (PDT) +From: David Raistrick +To: Stephane Lentz +Cc: SpamAssassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Re: [SAdev] File::Spec and v2.41 +In-Reply-To: <20020911201747.GA25880@iww.netfr.alcatel.fr> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 13:46:19 -0700 (PDT) +Date: Wed, 11 Sep 2002 13:46:19 -0700 (PDT) +X-Spam-Status: No, hits=-8.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 11 Sep 2002, Stephane Lentz wrote: + +> => I faced a similar problem with the FreeBSD when trying to +> install SpamAssassin through the ports on my fresh FreeBSD 4.6.2. +> I had to define PERL5LIB with some given order of directories +> so that the latest File::Spec module get used. + +Good to hear it's not just me. Mind telling me how you set PERL5LIB +specificly? I've tried a few things (setenv in the shell, as well as +$PERL5LIB == ...inside the Makefile.PL, even on the perl command +line..) with no success. + +thanks. + +..david + + +--- +david raistrick +drais@atlasta.net http://www.expita.com/nomime.html + + + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1554.879f87b39484ac517e0950eeb5f7e0e8 b/machine-learning-ex6/ex6/easy_ham/1554.879f87b39484ac517e0950eeb5f7e0e8 new file mode 100644 index 0000000..31689e0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1554.879f87b39484ac517e0950eeb5f7e0e8 @@ -0,0 +1,143 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 12 00:04:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D997B16F03 + for ; Thu, 12 Sep 2002 00:04:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 00:04:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BLqqC01175 for ; Wed, 11 Sep 2002 22:52:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pFO5-0005VG-00; Wed, + 11 Sep 2002 14:51:05 -0700 +Received: from sccmmhc02.mchsi.com ([204.127.203.184]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pFNO-0001Gg-00 for ; + Wed, 11 Sep 2002 14:50:22 -0700 +Received: from QUENTIN ([12.218.16.218]) by sccmmhc02.mchsi.com (InterMail + vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id + <20020911215014.SJEI7903.sccmmhc02.mchsi.com@QUENTIN>; Wed, 11 Sep 2002 + 21:50:14 +0000 +From: "Quentin Krengel" +To: +Cc: +Subject: RE: [SAtalk] Debianized Packages for SA 2.3+ +Organization: Krengel Technology Inc +Message-Id: <018d01c259dd$35066050$ad01a8c0@QUENTIN> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +In-Reply-To: <57930.138.23.89.42.1031778900.squirrel@library.ucr.edu> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 16:50:07 -0500 +Date: Wed, 11 Sep 2002 16:50:07 -0500 +X-Spam-Status: No, hits=-4.9 required=7.0 + tests=ASCII_FORM_ENTRY,AWL,INVALID_MSGID,IN_REP_TO, + KNOWN_MAILING_LIST,NOSPAM_INC,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +I successfully installed spamassassin & razor to run system wide on my +Debian Woody server. + +Briefly I +apt-get installed spamassassin razor and libmilter-dev, + +downloaded spamass-milter-0.1.2.tar.gz from http://www.milter.org, +ungzipped and untarred the file into /etc/mail, + +followed the directions in /etc/mail/spamass-milter-0.1.2/README to +compile the milter, install the rc scripts, and edit and update +sendmail.mc + +changed /etc/default/spamassassin to set spamassassin to daemon mode. + +verified that spamassassin was running by tailing /var/log/mail.log + + +Woody/stable has SA 2.20 +Woody/unstable has SA 2.41 + +I'm running the stable source live right now and it is working very +well. + +If you want unstable change /etc/apt/sources.list, substituting +"unstable" for "stable", +Run apt-get update +Install the unstable versions +Change /etc/apt/sources.list +Run apt-get update + + +Quentin Krengel +Krengel Technology Inc + + + +-----Original Message----- +From: spamassassin-talk-admin@example.sourceforge.net +[mailto:spamassassin-talk-admin@lists.sourceforge.net] On Behalf Of +Tanniel Simonian +Sent: Wednesday, September 11, 2002 4:15 PM +To: spamassassin-talk@example.sourceforge.net +Subject: [SAtalk] Debianized Packages for SA 2.3+ + + +Im currently using woody. + +Is there a debianized package for SA on Woody, or at least somewhere I +can download from? Its been soo long that I haven't compiled stuff, that +Im sort of shy to try again. =) + + + +-- +Tanniel Simonian +Programmer / Analyst III +UCR Libraries +http://libsys.ucr.edu +909 787 2832 + + + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ _______________________________________________ +Spamassassin-talk mailing list Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + + + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1555.52c8b37d4f76bb274a73e2b6609e9655 b/machine-learning-ex6/ex6/easy_ham/1555.52c8b37d4f76bb274a73e2b6609e9655 new file mode 100644 index 0000000..afe1717 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1555.52c8b37d4f76bb274a73e2b6609e9655 @@ -0,0 +1,104 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 12 00:05:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 05E5D16F03 + for ; Thu, 12 Sep 2002 00:05:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 00:05:00 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BLt5C01213 for ; Wed, 11 Sep 2002 22:55:05 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pFR8-0007Vm-00; Wed, + 11 Sep 2002 14:54:14 -0700 +Received: from ceg-na5.alcatel.fr ([213.223.66.5] helo=smail2.alcatel.fr) + by usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17pFQr-0001jT-00 for ; + Wed, 11 Sep 2002 14:53:57 -0700 +Received: from iww.netfr.alcatel.fr (iww.netfr.alcatel.fr + [155.132.180.114]) by smail2.alcatel.fr (ALCANET/NETFR) with ESMTP id + g8BLqdCv027561; Wed, 11 Sep 2002 23:52:39 +0200 +Received: by iww.netfr.alcatel.fr + ("Mikrosoft Xchange", + from userid 513) id CBB7C1D1B; Wed, 11 Sep 2002 23:53:41 +0200 (CEST) +From: Stephane Lentz +To: David Raistrick +Cc: SpamAssassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Re: [SAdev] File::Spec and v2.41 +Message-Id: <20020911215341.GA26384@iww.netfr.alcatel.fr> +Mail-Followup-To: Stephane Lentz , + David Raistrick , + SpamAssassin-talk@lists.sourceforge.net +References: <20020911201747.GA25880@iww.netfr.alcatel.fr> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +X-Mailer: Bogus Notes 5.10.666 (Corporate Release) +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 23:53:41 +0200 +Date: Wed, 11 Sep 2002 23:53:41 +0200 +X-Spam-Status: No, hits=-7.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +On Wed, Sep 11, 2002 at 01:46:19PM -0700, David Raistrick wrote: +> On Wed, 11 Sep 2002, Stephane Lentz wrote: +> +> > => I faced a similar problem with the FreeBSD when trying to +> > install SpamAssassin through the ports on my fresh FreeBSD 4.6.2. +> > I had to define PERL5LIB with some given order of directories +> > so that the latest File::Spec module get used. +> +> Good to hear it's not just me. Mind telling me how you set PERL5LIB +> specificly? I've tried a few things (setenv in the shell, as well as +> $PERL5LIB == ...inside the Makefile.PL, even on the perl command +> line..) with no success. +> +- Presuming your run Bash : +Note the directory lists +# perl -e 'map { print "$_\n" } @INC' +Then set up the Shell variable PERL5LIB variable (and put it in some .bashrc +for future use) +# export PERL5LIB="directory1:directory2:directory3:directory4" +Then try to install the software + +PERL5LIB is explained perlrun(1) : do +# man perlrun for more information + +Regards, + +SL/ +--- +Stephane Lentz / Alcanet International - Internet Services + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1556.9649e5e9ca6adb64eadad468e458ab1b b/machine-learning-ex6/ex6/easy_ham/1556.9649e5e9ca6adb64eadad468e458ab1b new file mode 100644 index 0000000..971d103 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1556.9649e5e9ca6adb64eadad468e458ab1b @@ -0,0 +1,88 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 12 00:05:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 537AF16F03 + for ; Thu, 12 Sep 2002 00:05:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 00:05:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BMQbC02513 for ; Wed, 11 Sep 2002 23:26:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pFuz-0002j5-00; Wed, + 11 Sep 2002 15:25:05 -0700 +Received: from 168-215-122-205.gen.twtelecom.net ([168.215.122.205] + helo=commander) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17pFu9-0001j4-00 + for ; Wed, 11 Sep 2002 15:24:13 + -0700 +Received: from 65.91.219.248 [65.91.219.248] by commander with SMTPBeamer + v3.30 ; Wed, 11 Sep 2002 18:12:14 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + AC7909FBB7 for ; Wed, + 11 Sep 2002 15:23:58 -0700 (PDT) +Content-Type: text/plain; charset="us-ascii" +Organization: Paradigm-Omega, LLC +To: spamassassin-talk@example.sourceforge.net +X-Mailer: KMail [version 1.3.1] +X-PGP-Key-1: 8828 DA31 F788 2F87 CE6D F563 5568 BABC 647E C336 +X-PGP-Key_2: D152 7DD6 C0E8 F2CB 4CD3 B5D7 5F67 B017 38D0 A14E +X-Copyright(C): 2002 +X-Owner: Paradigm-Omega,LLC(tm) +X-All-Rights: Reserved +X-Dissemination: Prohibited +X-Classification: Confidential/Proprietary +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1031783038.19376.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.62 +X-Tmda-Fingerprint: SZL7V1rFmyW5bQ6W/Ty630spEiM +X-Identifier: Robin Lynn Frank +Reply-To: Robin Lynn Frank +Subject: [SAtalk] Is DCC for real? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 15:23:54 -0700 +Date: Wed, 11 Sep 2002 15:23:54 -0700 +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,NOSPAM_INC, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +So far today, I've found eff.org and mandrakesoft.com in DCC. My confidence +in DCC is beginning to drop. +-- +Robin Lynn Frank +Paradigm-Omega, LLC +================================== +No electrons were harmed in the sending +of this message. However, two neutrons and +a proton complained about the noise. + + +------------------------------------------------------- +In remembrance +www.osdn.com/911/ +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1557.ca393b0c2ccca10ee02981cf20cea52a b/machine-learning-ex6/ex6/easy_ham/1557.ca393b0c2ccca10ee02981cf20cea52a new file mode 100644 index 0000000..3572e6e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1557.ca393b0c2ccca10ee02981cf20cea52a @@ -0,0 +1,104 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 12 00:05:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DC0AE16F03 + for ; Thu, 12 Sep 2002 00:05:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 00:05:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8BMRkC02757 for ; Wed, 11 Sep 2002 23:27:46 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pFwv-0003cR-00; Wed, + 11 Sep 2002 15:27:05 -0700 +Received: from vtn1.victoria.tc.ca ([199.60.222.3]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pFwM-0001wa-00 for ; + Wed, 11 Sep 2002 15:26:30 -0700 +Received: from vtn1.victoria.tc.ca (iwhite@localhost [127.0.0.1]) by + vtn1.victoria.tc.ca (8.12.5/8.12.5) with ESMTP id g8BMQNPL008396; + Wed, 11 Sep 2002 15:26:23 -0700 (PDT) +X-Spam-Filter: check_local@vtn1.victoria.tc.ca by digitalanswers.org +Received: (from iwhite@localhost) by vtn1.victoria.tc.ca + (8.12.5/8.12.3/Submit) id g8BMQMNP008390; Wed, 11 Sep 2002 15:26:22 -0700 + (PDT) +From: Ian White +To: Vince Puzzella +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Badly Formatted Spam Report in HTML spam +In-Reply-To: <5DEC3FFCDE2F7C4DA45433EE09A4F22C599F80@COLOSSUS.dyadem.corp> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 11 Sep 2002 15:26:22 -0700 (PDT) +Date: Wed, 11 Sep 2002 15:26:22 -0700 (PDT) +X-Spam-Status: No, hits=-6.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Wed, 11 Sep 2002, Vince Puzzella wrote: + +> Ever since I set defang_mime 0 all spam that contains HTML has a badly +> formatted report. I think/realize it's because the report should be in +> HTML. Is there anyway to get Spamassassin to add an HTML report in +> cases where it is required (defang_mime 0)? + +Funny, I was in the middle of composing the same message when I saw yours. + +It would be nice if it sees a header like: +Content-type: text/html; charset=iso-8859-1 + +and defang_mime is 0, it could wrap the report with
 for ease
+of reading?
+
+And the same sort of problem seems to occur with base64 encoded messages.
+The report is placed inside of the mime boundary:
+------=_NextPart_000_00B7_31E64A2B.B8441E37
+Content-Type: text/plain; charset="iso-8859-1"
+Content-Transfer-Encoding: base64
+
+SPAM: -------------------- Start SpamAssassin results ----------------------
+
+Should this not go above (probably in it's own mime section,) to make sure
+that the attachments don't get destroyed?
+
+Ian
+
+-------------------------------------------
+Ian White
+email: iwhite@victoria.tc.ca
+
+
+
+
+
+
+
+
+-------------------------------------------------------
+In remembrance
+www.osdn.com/911/
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/1558.7f77f46b6272f003f0b588f6a0eddceb b/machine-learning-ex6/ex6/easy_ham/1558.7f77f46b6272f003f0b588f6a0eddceb
new file mode 100644
index 0000000..24f16a2
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/1558.7f77f46b6272f003f0b588f6a0eddceb
@@ -0,0 +1,114 @@
+From spamassassin-talk-admin@lists.sourceforge.net  Thu Sep 12 13:43:40 2002
+Return-Path: 
+Delivered-To: yyyy@localhost.example.com
+Received: from localhost (jalapeno [127.0.0.1])
+	by jmason.org (Postfix) with ESMTP id 3518A16F03
+	for ; Thu, 12 Sep 2002 13:43:34 +0100 (IST)
+Received: from jalapeno [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for jm@localhost (single-drop); Thu, 12 Sep 2002 13:43:34 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g8C1jmC12426 for ; Thu, 12 Sep 2002 02:45:48 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pJ0b-0004gF-00; Wed,
+    11 Sep 2002 18:43:05 -0700
+Received: from rwcrmhc52.attbi.com ([216.148.227.88]) by
+    usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17pJ0Q-0000gc-00 for ;
+    Wed, 11 Sep 2002 18:42:54 -0700
+Received: from hq ([12.231.148.143]) by rwcrmhc52.attbi.com (InterMail
+    vM.4.01.03.27 201-229-121-127-20010626) with ESMTP id
+    <20020912014248.KXLG25351.rwcrmhc52.attbi.com@hq> for
+    ; Thu, 12 Sep 2002 01:42:48 +0000
+Message-Id: <200209111842490186.010804ED@mail.attbi.com>
+X-Mailer: Calypso Version 3.30.00.00 (4)
+From: "Joseph Burke" 
+To: spamassassin-talk@example.sourceforge.net
+Content-Type: text/plain; charset="us-ascii"
+Subject: [SAtalk] Re: Spamassassin-talk digest, Vol 1 #659 - 41 msgs
+Sender: spamassassin-talk-admin@example.sourceforge.net
+Errors-To: spamassassin-talk-admin@example.sourceforge.net
+X-Beenthere: spamassassin-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Talk about SpamAssassin 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Wed, 11 Sep 2002 18:42:49 -0700
+Date: Wed, 11 Sep 2002 18:42:49 -0700
+X-Spam-Status: No, hits=-5.1 required=7.0
+	tests=AWL,KNOWN_MAILING_LIST,MSG_ID_ADDED_BY_MTA_3,
+	      SPAM_PHRASE_00_01
+	version=2.50-cvs
+X-Spam-Level: 
+
+
+
+On 9/11/2002 at 10:01 AM  spamassassin-talk-request@lists.sourceforge.net
+spamassassin-talk@lists.sourceforge.net wrote:
+
+
+>Message: 15
+>From: Vivek Khera 
+>Date: Wed, 11 Sep 2002 10:06:55 -0400
+>To: spamassassin-talk@example.sourceforge.net
+>Subject: Re: [SAtalk] Calypso email = ratware? 
+>
+>>>>>> "JM" == Justin Mason  writes:
+>
+>JM> Now all we need to do is get all the SpamAssassin users out there to
+>JM> upgrade...
+>
+>Considering that the rules need to adapt to the changing look and feel
+>of spam vs. non-spam, does it make sense to have SA automatically
+>issue a notice when it is, say 9 months old, recommending that the
+>user/operator check for updated rules?
+>
+>Sort of like a nag-ware feature, but in self-defense for the user, not
+>the vendor ;-)
+>
+>-- 
+>=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=
+>Vivek Khera, Ph.D.                Khera Communications, Inc.
+>Internet: khera@kciLink.com       Rockville, MD       +1-240-453-8497
+>AIM: vivekkhera Y!: vivek_khera   http://www.khera.org/~vivek/
+
+better yet would be a built-in server check on a periodic basis, even
+daily, looking for the existence of an update, and if found prompt the
+system admin to upgrade the server.  With the ever changing face of spam,
+this would probably be a big benefit to SA users and help keep everyone up
+to date.  We have not done this with too many of the apps we sell on
+www.RoseCitySoftware.com strictly because of joe-average-user concerns
+about spyware and "phoning home", but in cases where the app needs to
+access the internet anyhow, we have done it with great success and minimal
+concern by our users.
+
+----
+Joseph Burke
+President/CEO
+InfiniSource, Inc.
+ 
+
+
+
+
+
+
+
+
+-------------------------------------------------------
+In remembrance
+www.osdn.com/911/
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/1559.ed17f96c32605795f5d5f88af0c79093 b/machine-learning-ex6/ex6/easy_ham/1559.ed17f96c32605795f5d5f88af0c79093
new file mode 100644
index 0000000..5fc4107
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/1559.ed17f96c32605795f5d5f88af0c79093
@@ -0,0 +1,84 @@
+From spamassassin-talk-admin@lists.sourceforge.net  Thu Sep 12 15:03:28 2002
+Return-Path: 
+Delivered-To: yyyy@localhost.example.com
+Received: from localhost (jalapeno [127.0.0.1])
+	by jmason.org (Postfix) with ESMTP id 63AFD16F03
+	for ; Thu, 12 Sep 2002 15:03:28 +0100 (IST)
+Received: from jalapeno [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for jm@localhost (single-drop); Thu, 12 Sep 2002 15:03:28 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g8CDChC32028 for ; Thu, 12 Sep 2002 14:12:43 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pTfa-0007C9-00; Thu,
+    12 Sep 2002 06:06:06 -0700
+Received: from dsl-65-187-227-177.telocity.com ([65.187.227.177]
+    helo=purestmail.com) by usw-sf-list1.sourceforge.net with esmtp (Exim
+    3.31-VA-mm2 #1 (Debian)) id 17pTfO-0002KB-00 for
+    ; Thu, 12 Sep 2002 06:05:54 -0700
+Received: from [192.168.1.2] ([192.168.1.2] verified) by purestmail.com
+    (CommuniGate Pro SMTP 4.0b7) with ESMTP id 205148 for
+    spamassassin-talk@lists.sourceforge.net; Thu, 12 Sep 2002 09:05:51 -0400
+From: "Eric Mings" 
+To: "Spamassassin Talk" 
+Subject: Re: [SAtalk] Bayesian and bogofilter
+Message-Id: <20020912130550.1275@192.168.1.3>
+In-Reply-To: 
+References: 
+X-Mailer: CTM PowerMail 4.0 carbon 
+MIME-Version: 1.0
+Content-Type: text/plain; charset=US-ASCII
+Content-Transfer-Encoding: 7bit
+Sender: spamassassin-talk-admin@example.sourceforge.net
+Errors-To: spamassassin-talk-admin@example.sourceforge.net
+X-Beenthere: spamassassin-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Talk about SpamAssassin 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 12 Sep 2002 09:05:50 -0400
+Date: Thu, 12 Sep 2002 09:05:50 -0400
+X-Spam-Status: No, hits=-6.0 required=7.0
+	tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,
+	      SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01
+	version=2.50-cvs
+X-Spam-Level: 
+
+>Anyway I'm making good progress and my implementation works reasonably
+>well.  It now seems blindingly clear that we want a tightly-integrated
+>implementation of Naive Bayes spam/nonspam classification.  There are
+>still some things about how to do this right inside SA that I still am
+>figuring out.
+>
+>Dan
+
+This is very good news! Will this allow for individual spam word file
+preferences when spamassassin is running on a mailserver for multiple
+users? This would be an outstanding addition if it can be done. Thanks
+much for a great project.
+
+-- 
+Regards,
+
+Eric Mings Ph.D.
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/1560.7e2353b8cfa54eec7a467743eaed5afd b/machine-learning-ex6/ex6/easy_ham/1560.7e2353b8cfa54eec7a467743eaed5afd
new file mode 100644
index 0000000..aafad92
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/1560.7e2353b8cfa54eec7a467743eaed5afd
@@ -0,0 +1,93 @@
+From spamassassin-talk-admin@lists.sourceforge.net  Thu Sep 12 21:09:40 2002
+Return-Path: 
+Delivered-To: yyyy@localhost.example.com
+Received: from localhost (jalapeno [127.0.0.1])
+	by jmason.org (Postfix) with ESMTP id 37B3D16F03
+	for ; Thu, 12 Sep 2002 21:09:39 +0100 (IST)
+Received: from jalapeno [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for jm@localhost (single-drop); Thu, 12 Sep 2002 21:09:39 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g8CIqkC11377 for ; Thu, 12 Sep 2002 19:52:46 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pZ3T-0004Ps-00; Thu,
+    12 Sep 2002 11:51:07 -0700
+Received: from smtpzilla1.xs4all.nl ([194.109.127.137]) by
+    usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17pZ2z-0006sq-00 for ;
+    Thu, 12 Sep 2002 11:50:37 -0700
+Received: from airplant.xs4all.nl (airplant.xs4all.nl [194.109.242.172])
+    by smtpzilla1.xs4all.nl (8.12.0/8.12.0) with ESMTP id g8CIoVlk032173 for
+    ; Thu, 12 Sep 2002 20:50:32 +0200
+    (CEST)
+Received: from [192.168.1.104] (ink.xs4all.nl [194.109.194.16]) by
+    airplant.xs4all.nl (Postfix) with ESMTP id 955C91289D7 for
+    ; Thu, 12 Sep 2002 20:50:30 +0200
+    (CEST)
+User-Agent: Microsoft-Outlook-Express-Macintosh-Edition/5.02.2106
+Date: Thu, 12 Sep 2002 20:50:28 +0200
+Subject: Re: [SAtalk] Reject, Blackhole, or Fake No-User
+From: Fred Inklaar 
+To: SpamAssassin 
+Message-Id: 
+In-Reply-To: <10209111535.ZM66084@ajax.dgi.com>
+MIME-Version: 1.0
+X-No-Archive: Yes
+Content-Type: text/plain; charset="US-ASCII"
+Content-Transfer-Encoding: 7bit
+Sender: spamassassin-talk-admin@example.sourceforge.net
+Errors-To: spamassassin-talk-admin@example.sourceforge.net
+X-Beenthere: spamassassin-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Talk about SpamAssassin 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Spam-Status: No, hits=-7.3 required=7.0
+	tests=AWL,INVALID_MSGID,IN_REP_TO,KNOWN_MAILING_LIST,
+	      QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03,USER_AGENT
+	version=2.50-cvs
+X-Spam-Level: 
+
+Op 12-09-2002 00:35 schreef Ellen Clary (ellen@dgi.com):
+
+>> Then there is a third possibility. Instead of returning a 550 code
+>> indicating you're on to the spammer, fake a 5.1.1 response which is
+>> saying "mailbox does not exist." This would be in the hopes that some
+>> spammers out there actually remove names reported as non-existent from
+>> their lists. I know, a slim hope, but even if only a few do, it can
+>> lower the incidence.
+> 
+> They don't, I can guarantee that.  Quite a few spamtraps nowadays
+> operate by 5nn'ing for 6 months in the hope of getting legit mailers
+> to remove bouncing addrs from lists;  then after 6 months, they just
+> spamtrap all incoming mail to those addrs.  (unfortunately a lot of
+> legit mailers don't bother cleaning their lists either.)
+
+Most spammers don't check reply codes at all, they just send out as many
+mails as their system will hold without checking for any confirmation.
+
+A trick to lower spam reception was dicussed on the postfix mailing list
+some time ago: answer all incoming mail with a 4xx temporary error code when
+it is offered the first time, and accept it the second time. Apparently most
+mass-emailers don't even try to deliver a second time.
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/1561.b968a0929d29009dbb76603323c1862f b/machine-learning-ex6/ex6/easy_ham/1561.b968a0929d29009dbb76603323c1862f
new file mode 100644
index 0000000..b740599
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/1561.b968a0929d29009dbb76603323c1862f
@@ -0,0 +1,137 @@
+From spamassassin-talk-admin@lists.sourceforge.net  Thu Sep 12 21:09:59 2002
+Return-Path: 
+Delivered-To: yyyy@localhost.example.com
+Received: from localhost (jalapeno [127.0.0.1])
+	by jmason.org (Postfix) with ESMTP id A34BC16F03
+	for ; Thu, 12 Sep 2002 21:09:58 +0100 (IST)
+Received: from jalapeno [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for jm@localhost (single-drop); Thu, 12 Sep 2002 21:09:58 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g8CJBWC12013 for ; Thu, 12 Sep 2002 20:11:32 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pZJw-0001FZ-00; Thu,
+    12 Sep 2002 12:08:08 -0700
+Received: from corpmail.cwie.net ([63.214.164.17]) by
+    usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168)
+    (Exim 3.31-VA-mm2 #1 (Debian)) id 17pZJK-00014S-00 for
+    ; Thu, 12 Sep 2002 12:07:30 -0700
+Received: (qmail 11441 invoked by uid 507); 12 Sep 2002 19:07:23 -0000
+Received: from paul@cwie.net by corpmail.cwie.net by uid 510 with
+    CWIE-scanner-1.14 (sweep: 2.10/3.61. spamassassin: 2.41.  Clear:.
+    Processed in 0.422956 secs); 12 Sep 2002 19:07:23 -0000
+Received: from unknown (HELO paul01) (64.38.194.14) by corpmail.cwie.net
+    with SMTP; 12 Sep 2002 19:07:22 -0000
+From: "Paul Fries" 
+To: 
+Subject: RE: [SAtalk] 2.41/2.50 spamd/spamc problem
+Message-Id: <031001c25a8f$9faa5a80$d900000a@paul01>
+MIME-Version: 1.0
+Content-Type: text/plain; charset="us-ascii"
+Content-Transfer-Encoding: 7bit
+X-Priority: 3 (Normal)
+X-Msmail-Priority: Normal
+X-Mailer: Microsoft Outlook, Build 10.0.4024
+In-Reply-To: <5DEC3FFCDE2F7C4DA45433EE09A4F22C599F85@COLOSSUS.dyadem.corp>
+Importance: Normal
+X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106
+Sender: spamassassin-talk-admin@example.sourceforge.net
+Errors-To: spamassassin-talk-admin@example.sourceforge.net
+X-Beenthere: spamassassin-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Talk about SpamAssassin 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Thu, 12 Sep 2002 12:07:22 -0700
+Date: Thu, 12 Sep 2002 12:07:22 -0700
+X-Spam-Status: No, hits=-1.9 required=7.0
+	tests=ASCII_FORM_ENTRY,AWL,INVALID_MSGID,IN_REP_TO,
+	      KNOWN_MAILING_LIST,SPAM_PHRASE_03_05
+	version=2.50-cvs
+X-Spam-Level: 
+
+Heh. RTFM.. Sorry about that.
+
+Yep, that did the trick.
+
+Thanks for the help!
+
+Regards,
+Paul Fries
+paul@cwie.net
+
+-----Original Message-----
+From: spamassassin-talk-admin@example.sourceforge.net
+[mailto:spamassassin-talk-admin@lists.sourceforge.net] On Behalf Of
+Vince Puzzella
+Sent: Thursday, September 12, 2002 11:23 AM
+To: Paul Fries; spamassassin-talk@example.sourceforge.net
+Subject: RE: [SAtalk] 2.41/2.50 spamd/spamc problem
+
+defang_mime 0
+
+-----Original Message-----
+From: Paul Fries [mailto:paul@cwie.net] 
+Sent: Thursday, September 12, 2002 2:12 PM
+To: spamassassin-talk@example.sourceforge.net
+Subject: [SAtalk] 2.41/2.50 spamd/spamc problem
+
+
+I noticed that after upgrading to 2.41 (or 2.50) from 2.31, the -F
+option was removed from spamd. 
+
+This is fine because all of the HTML format mail seems to arrive
+properly. However, messages that get tagged as Spam arrive as just html
+source.
+
+Is there any way around this? I would like all HTML/RTF messages to
+retain their formatting even if they are flagged as spam. I would
+accomplish this on 2.31 by using the "-F 0" flag when starting spamd.
+
+Thanks!
+
+Regards,
+Paul Fries
+paul@cwie.net
+CWIE LLC 
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf _______________________________________________
+Spamassassin-talk mailing list Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
+
+
+-------------------------------------------------------
+This sf.net email is sponsored by:ThinkGeek
+Welcome to geek heaven.
+http://thinkgeek.com/sf
+_______________________________________________
+Spamassassin-talk mailing list
+Spamassassin-talk@lists.sourceforge.net
+https://lists.sourceforge.net/lists/listinfo/spamassassin-talk
+
+
diff --git a/machine-learning-ex6/ex6/easy_ham/1562.6aca6138ec917241b64782a98697c17f b/machine-learning-ex6/ex6/easy_ham/1562.6aca6138ec917241b64782a98697c17f
new file mode 100644
index 0000000..b002c09
--- /dev/null
+++ b/machine-learning-ex6/ex6/easy_ham/1562.6aca6138ec917241b64782a98697c17f
@@ -0,0 +1,174 @@
+From spamassassin-talk-admin@lists.sourceforge.net  Fri Sep 13 16:51:24 2002
+Return-Path: 
+Delivered-To: yyyy@localhost.example.com
+Received: from localhost (jalapeno [127.0.0.1])
+	by jmason.org (Postfix) with ESMTP id 3DC2D16F03
+	for ; Fri, 13 Sep 2002 16:51:23 +0100 (IST)
+Received: from jalapeno [127.0.0.1]
+	by localhost with IMAP (fetchmail-5.9.0)
+	for jm@localhost (single-drop); Fri, 13 Sep 2002 16:51:23 +0100 (IST)
+Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net
+    [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id
+    g8DD61C19382 for ; Fri, 13 Sep 2002 14:06:01 +0100
+Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13]
+    helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with
+    esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pq6E-0002Zs-00; Fri,
+    13 Sep 2002 06:03:06 -0700
+Received: from tarpon.exis.net ([65.120.48.108]) by
+    usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id
+    17pq5t-0000hD-00 for ;
+    Fri, 13 Sep 2002 06:02:45 -0700
+Received: from viper (ip68-10-168-172.hr.hr.cox.net [68.10.168.172]) by
+    tarpon.exis.net (8.12.4/8.12.4) with SMTP id g8DD2f85001269 for
+    ; Fri, 13 Sep 2002 09:02:41 -0400
+Message-Id: <000c01c25b25$dbaa64d0$aca80a44@viper>
+From: "Nick Adams" 
+To: 
+MIME-Version: 1.0
+Content-Type: multipart/alternative;
+    boundary="----=_NextPart_000_0009_01C25B03.83C4FDB0"
+X-Priority: 3
+X-Msmail-Priority: Normal
+X-Mailer: Microsoft Outlook Express 6.00.2600.0000
+X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000
+Subject: [SAtalk] Spamassassin with Pyzor
+Sender: spamassassin-talk-admin@example.sourceforge.net
+Errors-To: spamassassin-talk-admin@example.sourceforge.net
+X-Beenthere: spamassassin-talk@example.sourceforge.net
+X-Mailman-Version: 2.0.9-sf.net
+Precedence: bulk
+List-Help: 
+List-Post: 
+List-Subscribe: ,
+    
+List-Id: Talk about SpamAssassin 
+List-Unsubscribe: ,
+    
+List-Archive: 
+X-Original-Date: Fri, 13 Sep 2002 08:56:57 -0400
+Date: Fri, 13 Sep 2002 08:56:57 -0400
+X-Spam-Status: No, hits=-2.8 required=7.0
+	tests=INVALID_MSGID,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,
+	      SUPERLONG_LINE,USER_AGENT_OE
+	version=2.50-cvs
+X-Spam-Level: 
+
+This is a multi-part message in MIME format.
+
+------=_NextPart_000_0009_01C25B03.83C4FDB0
+Content-Type: text/plain;
+	charset="iso-8859-1"
+Content-Transfer-Encoding: quoted-printable
+
+I installed Spamassassin 2.41 with Razor V2 the other day and it has =
+been working great. I decided to add Pyzor last night and I got that =
+installed successfully (I think, no errors). I am using spamd and I see =
+where it periodically spawns off a pyzor process; however nothing has =
+been detected as spam by Pyzor under Spamassassin. It has been running =
+for almost half a day now on a 5,000 user mail server - so to me the =
+odds of something being caught by it should be high. I run spamd as =
+follows:
+
+spamd -d -H
+
+and all my users home directories have a .pyzor directory with the =
+server listed under it.
+
+I setup a test procmail recipe that just invokes pyzor check and not =
+spamc to see if in fact pyzor alone catches any spam -  I just set this =
+up so no results yet. Here is what I get when I check connectivity to =
+the pyzor server:
+
+ pyzor -d ping
+sending: 'User: anonymous\nTime: 1031921041\nSig: =
+161c547ac6248589910f97b1b5cd37e6dffc8eaf\n\nOp: ping\nThread: 14733\nPV: =
+2.0\n\n'
+received: 'Thread: 14733\nCode: 200\nDiag: OK\nPV: 2.0\n\n'
+167.206.208.233:24442   (200, 'OK')
+
+Any help/examples would be appreciated. Thanks! BTW, keep up the great =
+work Spamassassin team!
+
+Nick
+
+
+---
+Outgoing mail is certified Virus Free.
+Checked by AVG anti-virus system (http://www.grisoft.com).
+Version: 6.0.386 / Virus Database: 218 - Release Date: 9/9/2002
+
+------=_NextPart_000_0009_01C25B03.83C4FDB0
+Content-Type: text/html;
+	charset="iso-8859-1"
+Content-Transfer-Encoding: quoted-printable
+
+
+
+
+
+
+
+
+
I installed Spamassassin 2.41 with = +Razor V2=20 +the other day and it has been working great. I decided to add Pyzor last = +night=20 +and I got that installed successfully (I think, no errors). I am using = +spamd and=20 +I see where it periodically spawns off a pyzor process; however nothing = +has been=20 +detected as spam by Pyzor under Spamassassin. It has been running for = +almost=20 +half a day now on a 5,000 user mail server - so to me the odds of = +something=20 +being caught by it should be high. I run spamd as follows:
+
 
+
spamd -d -H
+
 
+
and all my users home directories have = +a .pyzor=20 +directory with the server listed under it.
+
 
+
I setup a test procmail recipe that = +just invokes=20 +pyzor check and not spamc to see if in fact pyzor alone catches any spam = +-=20 + I just set this up so no results yet. Here is what I get when I = +check=20 +connectivity to the pyzor server:
+
 
+
 pyzor -d ping
sending: 'User:=20 +anonymous\nTime: 1031921041\nSig:=20 +161c547ac6248589910f97b1b5cd37e6dffc8eaf\n\nOp: ping\nThread: 14733\nPV: = + +2.0\n\n'
received: 'Thread: 14733\nCode: 200\nDiag: OK\nPV:=20 +2.0\n\n'
167.206.208.233:24442   (200, 'OK')
+
 
+
Any help/examples would be appreciated. = +Thanks!=20 +BTW, keep up the great work Spamassassin team!
+
 
+
Nick
+
 
+

---
Outgoing mail is certified = +Virus=20 +Free.
Checked by AVG anti-virus system (http://www.grisoft.com).
Version: = +6.0.386 /=20 +Virus Database: 218 - Release Date: 9/9/2002
+ +------=_NextPart_000_0009_01C25B03.83C4FDB0-- + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1563.4869bc6713ad6960f9b607c03dfa1c23 b/machine-learning-ex6/ex6/easy_ham/1563.4869bc6713ad6960f9b607c03dfa1c23 new file mode 100644 index 0000000..48c14c7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1563.4869bc6713ad6960f9b607c03dfa1c23 @@ -0,0 +1,140 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 16:51:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8F45716F03 + for ; Fri, 13 Sep 2002 16:51:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:51:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DE7PC21519 for ; Fri, 13 Sep 2002 15:07:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pr5F-0006ft-00; Fri, + 13 Sep 2002 07:06:09 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17pr3O-0000cs-00 for + ; Fri, 13 Sep 2002 07:04:14 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g8DE2s4q006906 for + ; Fri, 13 Sep 2002 10:02:54 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g8DE2rhN006904 for + spamassassin-talk@lists.sourceforge.net; Fri, 13 Sep 2002 10:02:53 -0400 +From: Theo Van Dinter +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Getting yourself removed from spam lists +Message-Id: <20020913140253.GB5897@kluge.net> +References: <20020913152108.A8295@alinoe.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="7ZAtKRhVyVSsbBD2" +Content-Disposition: inline +In-Reply-To: <20020913152108.A8295@alinoe.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 10:02:53 -0400 +Date: Fri, 13 Sep 2002 10:02:53 -0400 +X-Spam-Status: No, hits=-14.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,REFERENCES,SPAM_PHRASE_05_08,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--7ZAtKRhVyVSsbBD2 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Sep 13, 2002 at 03:21:08PM +0200, carlo@alinoe.com wrote: +> So... it seems to me that they DO clean up +> their lists, but only when a spam fails to +> deliver - or can't they detect that? +>=20 +> What do spammers do with email addresses in +> their database that are undeliverable for a +> few years? Do they still continue to spam +> them? + +Well, here's my semi-coherent rant for the moment. ;) + +I have >3100 spamtraps on my machine (you can multiply that by each domain +if you really want to). The vast majority (all but, say, 10) have never +ever existed. Yet, spammers would semi-continuously connect, try to +deliver mail to 40 of them, disconnect, connect again, try delivering +to 40 more... over and over, they kept getting "User unknown" until I +got around to making them spamtraps. + +So my evidence would suggest that it depends who you're dealing with. :) +If your "business" is to sell address lists to people who would then spam, +it's in your best interest to never clean your list. Therefore you can +say "10 million email addresses" and not technically be lying, even if +the majority of them don't work. + +If you're a spammer, you'd want to know who doesn't actually exist, but +then again you don't really care: you probably want to relay through +someone so it's harder to trace you, if you could you'd send to every +email address available, you don't want to setup a valid bounce address +because again it's easy to trace you. + +So I would say this, if you technically spam people but actually think +you're running a legit service, you probably really do have a way of +opting out (even though the user didn't opt in) and you probably don't +relay, and you probably pay attention to bounces. + +Everyone else doesn't really care. + + +That's my view anyway. :) + +--=20 +Randomly Generated Tagline: +"Now you can do that thing with your hands... It's ok." - Prof. Farr + +--7ZAtKRhVyVSsbBD2 +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9gfANAuOQUeWAs2MRAvNfAJ9oyV5MxrnHSKUu3yliMzc9hYcGFACeK11X +NOiPnUCgVS0uzsTxM3iY8vs= +=b/Y6 +-----END PGP SIGNATURE----- + +--7ZAtKRhVyVSsbBD2-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1564.8631d760e58b96dbd506f4bbc0a020f0 b/machine-learning-ex6/ex6/easy_ham/1564.8631d760e58b96dbd506f4bbc0a020f0 new file mode 100644 index 0000000..c301f41 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1564.8631d760e58b96dbd506f4bbc0a020f0 @@ -0,0 +1,107 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 16:51:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BE8A16F03 + for ; Fri, 13 Sep 2002 16:51:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:51:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DE7PC21522 for ; Fri, 13 Sep 2002 15:07:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pr4E-0005ym-00; Fri, + 13 Sep 2002 07:05:06 -0700 +Received: from betty.magenta-netlogic.com ([193.37.229.181] + helo=mail.magenta-netlogic.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17pr3S-0001PJ-00 for + ; Fri, 13 Sep 2002 07:04:18 -0700 +Received: from localhost (localhost [127.0.0.1]) by + mail.magenta-netlogic.com (Postfix) with ESMTP id 7B886BFA9E; + Fri, 13 Sep 2002 15:04:13 +0100 (BST) +Received: from greece.local.net (greece.local.net [::ffff:192.168.1.31]) + by mail.magenta-netlogic.com (Postfix) with ESMTP id 4A719BFA9A; + Fri, 13 Sep 2002 15:04:12 +0100 (BST) +Received: by greece.local.net with Internet Mail Service (5.5.2653.19) id + ; Fri, 13 Sep 2002 15:04:11 +0100 +Message-Id: <87A8DADECEE0D411A5500050046B13A048D792@greece.local.net> +From: Tony Hoyle +To: "'carlo@alinoe.com'" , + spamassassin-talk@lists.sourceforge.net +Subject: RE: [SAtalk] Getting yourself removed from spam lists +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2653.19) +Content-Type: text/plain; charset="windows-1252" +X-Virus-Scanned: by AMaViS new-20020517 +X-Razor-Id: 72f4879d997b64bc62636a2e2a86360b74ef5fe4 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 15:04:11 +0100 +Date: Fri, 13 Sep 2002 15:04:11 +0100 +X-Spam-Status: No, hits=-0.9 required=7.0 + tests=AWL,EXCHANGE_SERVER,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + SPAM_PHRASE_05_08 + version=2.50-cvs +X-Spam-Level: + +> -----Original Message----- +> From: carlo@alinoe.com [mailto:carlo@alinoe.com] +> Sent: 13 September 2002 14:21 +> To: spamassassin-talk@example.sourceforge.net +> Subject: [SAtalk] Getting yourself removed from spam lists +> +> I get the feeling that the spammers never +> remove emails from their lists. + +Correct... + +> On the other hand, that doesn't make sense: +> wouldn't they get worried about their millions +> of spams being wasted? Don't they WANT *some* +> prove that they indeed *reach* people somehow? + +No, they only have to prove that they send several million +emails to 'potential clients' to get their money. I don't think +they even care much about bounces. They're con-artists, why +should they care about proving they actually reached people? + +> So... it seems to me that they DO clean up +> their lists, but only when a spam fails to +> deliver - or can't they detect that? + +Most of the time the bounce goes to some poor soul who has +nothing to do with the spammer. + +> What do spammers do with email addresses in +> their database that are undeliverable for a +> few years? Do they still continue to spam +> them? + +Yes. + +Tony + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1565.f6d00c2ee66b5687a153affd23870524 b/machine-learning-ex6/ex6/easy_ham/1565.f6d00c2ee66b5687a153affd23870524 new file mode 100644 index 0000000..be0b65a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1565.f6d00c2ee66b5687a153affd23870524 @@ -0,0 +1,83 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 16:51:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8240D16F03 + for ; Fri, 13 Sep 2002 16:51:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:51:49 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DEIRC21868 for ; Fri, 13 Sep 2002 15:18:27 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17prFo-0005O5-00; Fri, + 13 Sep 2002 07:17:04 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17prFe-0005xl-00 for + ; Fri, 13 Sep 2002 07:16:54 -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g8DEFcMg098075; Fri, 13 Sep 2002 16:15:38 +0200 (CEST) (envelope-from + tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: carlo@alinoe.com +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Getting yourself removed from spam lists +In-Reply-To: <20020913152108.A8295@alinoe.com> +Message-Id: <20020913161526.A97345-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 16:15:38 +0200 (CEST) +Date: Fri, 13 Sep 2002 16:15:38 +0200 (CEST) +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +On Fri, 13 Sep 2002 the voices made carlo@alinoe.com write: + +> What do spammers do with email addresses in +> their database that are undeliverable for a +> few years? Do they still continue to spam +> them? + + Yes. + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1566.513fb571511122853df82c890115f8e9 b/machine-learning-ex6/ex6/easy_ham/1566.513fb571511122853df82c890115f8e9 new file mode 100644 index 0000000..1e38520 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1566.513fb571511122853df82c890115f8e9 @@ -0,0 +1,102 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 20:45:22 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 769B216F03 + for ; Fri, 13 Sep 2002 20:45:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:22 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DIijC30740 for ; Fri, 13 Sep 2002 19:44:46 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pvMK-0005TS-00; Fri, + 13 Sep 2002 11:40:04 -0700 +Received: from [209.176.10.157] (helo=linux.eopenex.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pvLP-0008Ke-00 for ; + Fri, 13 Sep 2002 11:39:07 -0700 +Received: from www.mp-i.com (printer.net-nation.com [209.176.10.8]) by + linux.eopenex.com (8.11.6/8.11.6) with ESMTP id g8DIXhU28824 for + ; Fri, 13 Sep 2002 14:33:47 -0400 +From: "vernon" +To: "spamassassin-talk" +Reply-To: vernon@comp-wiz.com +Message-Id: <20020913183343.M49078@b2unow.com> +In-Reply-To: <20020913151635.M21128@b2unow.com> +References: <20020913151635.M21128@b2unow.com> +X-Mailer: MP-I.com Messaging OpenWebMail 1.71 20020827 +X-Originatingip: 67.81.72.77 (vernon) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +X-Mailscanner: Found to be clean +X-Mailscanner-Spamcheck: not spam, SpamAssassin (score=-3, required 5, + IN_REP_TO, FROM_NAME_NO_SPACES, TO_LOCALPART_EQ_REAL) +Subject: [SAtalk] OT: DNS MX Record Clarification Please +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 13:33:43 -0500 +Date: Fri, 13 Sep 2002 13:33:43 -0500 +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03, + TO_LOCALPART_EQ_REAL + version=2.50-cvs +X-Spam-Level: + + +This may be a little off topic but thought people here would have a better +response to this elsewhere. + +I have setup two MX records (mail and bmail) for my mail server. The one I +gave a 10 (bmail) the other a 20 (mail). + +bmail(10) I gave a 10 because I want all mail to go through this server to +be scanned for SPAM and viruses and then relayed to the mail(20) server for +delivery. + +As I understand it, DNS A records are used in a rotating fashion for load +balancing, but DNS MX records are used in order or prority, meaning the 10 +before the 20 and only 20 if the 10 isn't available. + +But only some of the mail is actually being scanned which leads me to +believe that not all of the mail is actually hitting that box and the 10 +never goes down. Why? Have I got something confused here? + +Thanks, +V +------- End of Forwarded Message ------- + + + + +-- +This message has been scanned for viruses and +dangerous content by MailScanner at comp-wiz.com, +and is believed to be clean. + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1567.eeb0beaf2f749c8281d93d1536cce247 b/machine-learning-ex6/ex6/easy_ham/1567.eeb0beaf2f749c8281d93d1536cce247 new file mode 100644 index 0000000..37b3031 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1567.eeb0beaf2f749c8281d93d1536cce247 @@ -0,0 +1,140 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 20:45:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7E44416F03 + for ; Fri, 13 Sep 2002 20:45:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DJ6lC31348 for ; Fri, 13 Sep 2002 20:06:47 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pvjp-0007DC-00; Fri, + 13 Sep 2002 12:04:21 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17pvi8-0001P9-00 for + ; Fri, 13 Sep 2002 12:02:36 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g8DJ1I4q022972; + Fri, 13 Sep 2002 15:01:18 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g8DJ1I96022970; Fri, 13 Sep 2002 15:01:18 -0400 +From: Theo Van Dinter +To: vernon@comp-wiz.com +Cc: spamassassin-talk +Subject: Re: [SAtalk] OT: DNS MX Record Clarification Please +Message-Id: <20020913190117.GG5897@kluge.net> +References: <20020913151635.M21128@b2unow.com> + <20020913183343.M49078@b2unow.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="Fnm8lRGFTVS/3GuM" +Content-Disposition: inline +In-Reply-To: <20020913183343.M49078@b2unow.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 15:01:18 -0400 +Date: Fri, 13 Sep 2002 15:01:18 -0400 +X-Spam-Status: No, hits=-16.6 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--Fnm8lRGFTVS/3GuM +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Fri, Sep 13, 2002 at 01:33:43PM -0500, vernon wrote: +> As I understand it, DNS A records are used in a rotating fashion for load +> balancing, but DNS MX records are used in order or prority, meaning the 10 +> before the 20 and only 20 if the 10 isn't available. + +That's the theory, yes. + +> But only some of the mail is actually being scanned which leads me to +> believe that not all of the mail is actually hitting that box and the 10 +> never goes down. Why? Have I got something confused here? + +No, but either due to some technical glitch, or downright just wanting +to do so, people send to the secondary. It's a semi-usual spammer trick +actually to bypass the main server and send directly to a secondary +since it will either have less filtering, or be "trusted", or ... + +MX records in the mail world are all explained in RFC 2821, section 5: + +[...] + Multiple MX records contain a preference indication that MUST be used + in sorting (see below). Lower numbers are more preferred than higher + ones. If there are multiple destinations with the same preference + and there is no clear reason to favor one (e.g., by recognition of an + easily-reached address), then the sender-SMTP MUST randomize them to + spread the load across multiple mail exchangers for a specific + organization. +[...] + If it determines that it should relay the message without rewriting + the address, it MUST sort the MX records to determine candidates for + delivery. The records are first ordered by preference, with the + lowest-numbered records being most preferred. The relay host MUST + then inspect the list for any of the names or addresses by which it + might be known in mail transactions. If a matching record is found, + all records at that preference level and higher-numbered ones MUST be + discarded from consideration. If there are no records left at that + point, it is an error condition, and the message MUST be returned as + undeliverable. If records do remain, they SHOULD be tried, best + preference first, as described above. + +--=20 +Randomly Generated Tagline: +"Now let's say I like sheep... And now let's say I take the sheep to a=20 + Christmas party..." - Bob Golub + +--Fnm8lRGFTVS/3GuM +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9gjX9AuOQUeWAs2MRAg7PAJ42kO68knZx76oQbrZPMGdg/JbJHACfQvlX +O/Utl8FY01aS+/e3VNE9WWM= +=O6kU +-----END PGP SIGNATURE----- + +--Fnm8lRGFTVS/3GuM-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1568.dcedec6fe7d15916774846928acd2872 b/machine-learning-ex6/ex6/easy_ham/1568.dcedec6fe7d15916774846928acd2872 new file mode 100644 index 0000000..165f4fc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1568.dcedec6fe7d15916774846928acd2872 @@ -0,0 +1,127 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 20:45:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D0FD016F03 + for ; Fri, 13 Sep 2002 20:45:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:29 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DJEuC31586 for ; Fri, 13 Sep 2002 20:14:56 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pvtD-0000yV-00; Fri, + 13 Sep 2002 12:14:03 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17pvr2-00034R-00 for + ; Fri, 13 Sep 2002 12:11:49 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g8DJAW4q023487; + Fri, 13 Sep 2002 15:10:32 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g8DJAWrk023485; Fri, 13 Sep 2002 15:10:32 -0400 +From: Theo Van Dinter +To: Jeremy Kusnetz +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] spamc -c problems on 2.41? +Message-Id: <20020913191031.GH5897@kluge.net> +References: <20020912204727.99269.qmail@web20001.mail.yahoo.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="Hlh2aiwFLCZwGcpw" +Content-Disposition: inline +In-Reply-To: <20020912204727.99269.qmail@web20001.mail.yahoo.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 15:10:31 -0400 +Date: Fri, 13 Sep 2002 15:10:31 -0400 +X-Spam-Status: No, hits=-14.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--Hlh2aiwFLCZwGcpw +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Thu, Sep 12, 2002 at 01:47:27PM -0700, Jeremy Kusnetz wrote: +> When running: +> spamc -c < sample-spam.txt +> I get: 18.9/6.0 Which looks correct, BUT +> doing an echo $?, returns a 0 instead of 1. + +Can you submit this to bugzilla? It definately is a bug, I mean I do +a packet trace and here's what I get with one of my spams: + +[the request] + +0040 0b 8e 43 48 45 43 4b 20 53 50 41 4d 43 2f 31 2e ..CHECK SPAMC/1. +0050 32 0d 0a 55 73 65 72 3a 20 66 65 6c 69 63 69 74 2..User: felicit +0060 79 0d 0a 43 6f 6e 74 65 6e 74 2d 6c 65 6e 67 74 y..Content-lengt +0070 68 3a 20 38 33 34 39 0d 0a 0d 0a h: 8349.... + +[the spam, removed for brevity] + +[the response] + +0040 0b 8f 53 50 41 4d 44 2f 31 2e 31 20 30 20 45 58 ..SPAMD/1.1 0 EX +0050 5f 4f 4b 0d 0a 53 70 61 6d 3a 20 46 61 6c 73 65 _OK..Spam: False +0060 20 3b 20 34 36 2e 35 20 2f 20 35 2e 30 0d 0a 0d ; 46.5 / 5.0... + + +So spamd is definately returning false incorrectly. + + +--=20 +Randomly Generated Tagline: +?pu gnikcab yb naem uoy tahw siht sI + +--Hlh2aiwFLCZwGcpw +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9gjgnAuOQUeWAs2MRAgoCAKDJGoZwXy7vwZuQIRaFfYJ+haWtbQCg9T0V +IW7ty+Y1BTybFpquY1ifZPc= +=eL/8 +-----END PGP SIGNATURE----- + +--Hlh2aiwFLCZwGcpw-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1569.5a4e7eeca40257722ccbe4dee1d636fa b/machine-learning-ex6/ex6/easy_ham/1569.5a4e7eeca40257722ccbe4dee1d636fa new file mode 100644 index 0000000..8f3b110 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1569.5a4e7eeca40257722ccbe4dee1d636fa @@ -0,0 +1,82 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Sep 13 20:45:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C3D4E16F03 + for ; Fri, 13 Sep 2002 20:45:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 20:45:37 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DJZZC32227 for ; Fri, 13 Sep 2002 20:35:35 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pw9f-0005dL-00; Fri, + 13 Sep 2002 12:31:03 -0700 +Received: from nat-pool-rdu.example.com ([66.187.233.200] + helo=lacrosse.corp.redhat.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17pw8x-000458-00 for + ; Fri, 13 Sep 2002 12:30:19 -0700 +Received: from [10.0.0.221] (vpn50-6.rdu.example.com [172.16.50.6]) by + lacrosse.corp.redhat.com (8.11.6/8.9.3) with ESMTP id g8DJU6826890; + Fri, 13 Sep 2002 15:30:06 -0400 +Subject: Re: [SAtalk] OT: DNS MX Record Clarification Please +From: Jason Kohles +To: vernon@comp-wiz.com +Cc: spamassassin-talk +In-Reply-To: <20020913183343.M49078@b2unow.com> +References: <20020913151635.M21128@b2unow.com> + <20020913183343.M49078@b2unow.com> +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1031945265.2215.2.camel@traveller> +MIME-Version: 1.0 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 13 Sep 2002 15:27:38 -0400 +Date: 13 Sep 2002 15:27:38 -0400 +X-Spam-Status: No, hits=-10.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +On Fri, 2002-09-13 at 14:33, vernon wrote: +> +> But only some of the mail is actually being scanned which leads me to +> believe that not all of the mail is actually hitting that box and the 10 +> never goes down. Why? Have I got something confused here? +> +Sending mail directly to a backup mail server in the hopes that it has +less stringent spam scanning is a common spammer trick. + +-- +Jason Kohles jkohles@redhat.com +Senior Engineer Red Hat Professional Consulting + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1570.a0b2e109e4f244de9538fed3b472f1db b/machine-learning-ex6/ex6/easy_ham/1570.a0b2e109e4f244de9538fed3b472f1db new file mode 100644 index 0000000..d5fed5b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1570.a0b2e109e4f244de9538fed3b472f1db @@ -0,0 +1,122 @@ +From spamassassin-talk-admin@lists.sourceforge.net Sat Sep 14 20:05:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 14F9016F03 + for ; Sat, 14 Sep 2002 20:05:30 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 20:05:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8EGN4C09608 for ; Sat, 14 Sep 2002 17:23:04 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qFgK-0002eo-00; Sat, + 14 Sep 2002 09:22:04 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17qFew-0004CK-00 for + ; Sat, 14 Sep 2002 09:20:38 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g8EGJG4q021248; + Sat, 14 Sep 2002 12:19:16 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g8EGJEWB021246; Sat, 14 Sep 2002 12:19:14 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: Gerry Doris , + Spamassassin-talk@lists.sourceforge.net +Subject: Re: [SAtalk] Still confused about spamd/c +Message-Id: <20020914161913.GA20696@kluge.net> +References: + <20020914152752.AE39B16F03@jmason.org> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="Q68bSM7Ycu6FN28Q" +Content-Disposition: inline +In-Reply-To: <20020914152752.AE39B16F03@example.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 14 Sep 2002 12:19:14 -0400 +Date: Sat, 14 Sep 2002 12:19:14 -0400 +X-Spam-Status: No, hits=-16.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--Q68bSM7Ycu6FN28Q +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Sat, Sep 14, 2002 at 04:27:47PM +0100, Justin Mason wrote: +> It's probably that razor needs to be "razor-register"'d for each user. +> Try creating a world-writable "home dir" for Razor and DCC et al to store +> their files in; that way spamd will share the razor server info etc. +> between all users. + +uh, no, you don't want to make it world-writable. world-readable. + +> Then use "spamd -H /path/to/world/writeable/dir" . + +Just remember that the .razor and whatever DCC uses needs to be +world-readable as well. The solution is then to make a world-writable +log file for at least Razor. I like symlinking /dev/null myself. + +> IMO this is more efficient than using "spamd -H", which will use each +> user's own home dir for this data, but it's a matter of opinion ;) + +efficient? probably (depends on the user base), but it also takes +the control away from the user (which may or may not be a good thing, +depending again on the user base...) + +--=20 +Randomly Generated Tagline: +"What's funny? I'd like to know. Send me some E-Mail." - Prof. Farr + +--Q68bSM7Ycu6FN28Q +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9g2GBAuOQUeWAs2MRAlljAKC+83f/mNoINBjoxOWBaNk4NgWsVQCg3qzO +v0EQ6XGB3ufLLudAUAADtYA= +=l7M5 +-----END PGP SIGNATURE----- + +--Q68bSM7Ycu6FN28Q-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1571.5cc089d07e3c447b7be3a24b36fbd07a b/machine-learning-ex6/ex6/easy_ham/1571.5cc089d07e3c447b7be3a24b36fbd07a new file mode 100644 index 0000000..d90d89d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1571.5cc089d07e3c447b7be3a24b36fbd07a @@ -0,0 +1,68 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Sep 16 00:10:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 63E5E16F03 + for ; Mon, 16 Sep 2002 00:10:32 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:32 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FFARC19800 for ; Sun, 15 Sep 2002 16:10:28 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qb0F-0005Bq-00; Sun, + 15 Sep 2002 08:08:03 -0700 +Received: from mail.terraworld.net ([64.254.32.52] + helo=kronos.terraworld.net) by usw-sf-list1.sourceforge.net with smtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17qazw-0003nY-00 for + ; Sun, 15 Sep 2002 08:07:44 + -0700 +Received: (qmail 81756 invoked by uid 89); 15 Sep 2002 15:07:42 -0000 +Message-Id: <20020915150742.81753.qmail@kronos.terraworld.net> +From: "dhs" +To: spamassassin-devel@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; format=flowed; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +Subject: [SAdev] spamc load balancing to multiple spamd +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 10:07:42 -0500 +Date: Sun, 15 Sep 2002 10:07:42 -0500 +X-Spam-Status: No, hits=1.4 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: * + + +I have searched the list but did not find any info on this. + +How do I setup multiple spamd machines so that spamc load balances - or +anything similar? + +Duane. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1572.6b71d37ef29a804f1b0b65b90eee0d0e b/machine-learning-ex6/ex6/easy_ham/1572.6b71d37ef29a804f1b0b65b90eee0d0e new file mode 100644 index 0000000..038fdb8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1572.6b71d37ef29a804f1b0b65b90eee0d0e @@ -0,0 +1,86 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 16 00:10:34 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A1DD16F03 + for ; Mon, 16 Sep 2002 00:10:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:34 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FI3rC23733 for ; Sun, 15 Sep 2002 19:03:53 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qdhg-0001y3-00; Sun, + 15 Sep 2002 11:01:04 -0700 +Received: from esperi.demon.co.uk ([194.222.138.8]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17qdhR-0002Uh-00 for ; + Sun, 15 Sep 2002 11:00:49 -0700 +Received: from amaterasu.srvr.nix (0@amaterasu.srvr.nix [192.168.1.14]) by + esperi.demon.co.uk (8.11.6/8.11.6) with ESMTP id g8FHf9o05713; + Sun, 15 Sep 2002 18:41:10 +0100 +Received: (from nix@localhost) by amaterasu.srvr.nix (8.11.6/8.11.4) id + g8FHf8o22539; Sun, 15 Sep 2002 18:41:08 +0100 +To: "Tony L. Svanstrom" +Cc: carlo@alinoe.com, spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Getting yourself removed from spam lists +References: <20020913161526.A97345-100000@moon.campus.luth.se> +X-Emacs: a Lisp interpreter masquerading as ... a Lisp interpreter! +From: Nix +In-Reply-To: <20020913161526.A97345-100000@moon.campus.luth.se> +Message-Id: <87znujjgln.fsf@amaterasu.srvr.nix> +Lines: 16 +User-Agent: Gnus/5.0808 (Gnus v5.8.8) XEmacs/21.4 (Informed Management) +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 15 Sep 2002 18:41:08 +0100 +Date: 15 Sep 2002 18:41:08 +0100 +X-Spam-Status: No, hits=-10.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_03_05,USER_AGENT + version=2.50-cvs +X-Spam-Level: + +On Fri, 13 Sep 2002, Tony L. Svanstrom mused: +> On Fri, 13 Sep 2002 the voices made carlo@alinoe.com write: +> +>> What do spammers do with email addresses in +>> their database that are undeliverable for a +>> few years? Do they still continue to spam +>> them? +> +> Yes. + +So much so that I get thousands of bounces per day on this machine aimed +at what are plainly message-ids... + +-- +`Let's have a round of applause for those daring young men + and their flying spellcheckers.' --- Meg Worley + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1573.2fa3928a9828d1c51517565a833b9f18 b/machine-learning-ex6/ex6/easy_ham/1573.2fa3928a9828d1c51517565a833b9f18 new file mode 100644 index 0000000..3850b77 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1573.2fa3928a9828d1c51517565a833b9f18 @@ -0,0 +1,83 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 16 00:10:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 94B2A16F03 + for ; Mon, 16 Sep 2002 00:10:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:39 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FJQhC26167 for ; Sun, 15 Sep 2002 20:26:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qf0y-0000gZ-00; Sun, + 15 Sep 2002 12:25:04 -0700 +Received: from [209.176.10.157] (helo=linux.eopenex.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17qf02-0006KZ-00 for ; + Sun, 15 Sep 2002 12:24:06 -0700 +Received: from www.mp-i.com (linux.eopenex.com [209.176.10.8] (may be + forged)) by linux.eopenex.com (8.11.6/8.11.6) with ESMTP id g8FJI5H17211 + for ; Sun, 15 Sep 2002 15:18:13 + -0400 +From: "Vernon Webb" +To: "spamassassin-talk" +Reply-To: vernon@comp-wiz.com +Message-Id: <20020915191805.M8021@comp-wiz.com> +X-Mailer: MP-I.com Messaging OpenWebMail 1.71 20020827 +X-Originatingip: 67.81.72.77 (vernon) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +X-Mailscanner: Found to be clean +X-Mailscanner-Spamcheck: not spam, SpamAssassin () +Subject: [SAtalk] RBL timed oiut and Spam Assassin killed +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 14:18:05 -0500 +Date: Sun, 15 Sep 2002 14:18:05 -0500 +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03, + TO_LOCALPART_EQ_REAL + version=2.50-cvs +X-Spam-Level: + +I'm getting these messages and I'm not sure what they mean. Can anyone clear +this up for me? Thanks. + +Sep 15 11:45:09 linux mailscanner[6128]: RBL Check ORDB-RBL timed out and +was killed, consecutive failure 3 of 7 +Sep 15 11:45:24 linux mailscanner[6128]: SpamAssassin timed out and was +killed + + +-- +This message has been scanned for viruses and +dangerous content by MailScanner at comp-wiz.com, +and is believed to be clean. + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1574.b1f0d9b40506000be4910e25a7c3ac3c b/machine-learning-ex6/ex6/easy_ham/1574.b1f0d9b40506000be4910e25a7c3ac3c new file mode 100644 index 0000000..cafb6ee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1574.b1f0d9b40506000be4910e25a7c3ac3c @@ -0,0 +1,85 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Sep 16 00:10:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 63E3116F03 + for ; Mon, 16 Sep 2002 00:10:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:43 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FKY8C27737 for ; Sun, 15 Sep 2002 21:34:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qg3s-0004Ax-00; Sun, + 15 Sep 2002 13:32:08 -0700 +Received: from moon.campus.luth.se ([130.240.202.158]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17qg3c-0008Aa-00 for + ; Sun, 15 Sep 2002 13:31:53 + -0700 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g8FKVaMg044001; Sun, 15 Sep 2002 22:31:36 +0200 (CEST) (envelope-from + tony@svanstrom.com) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Marc Perkel +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Suggestion - 2 levels of Spam Status +In-Reply-To: <3D84E403.5000001@perkel.com> +Message-Id: <20020915223031.O43994-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 22:31:36 +0200 (CEST) +Date: Sun, 15 Sep 2002 22:31:36 +0200 (CEST) +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02 + version=2.50-cvs +X-Spam-Level: + +On Sun, 15 Sep 2002 the voices made Marc Perkel write: + +> Right now we have one spam status flag indicating that a message is or +> is not spam. The idea being that the end user perhaps make a rule that +> would move the spam flagged messages into a spam folder and thus gain +> some time by presorting messages into to piles. + + If you (people) don't know enough to filter on the actual score they've got +the "stars", which will give them more than enough levers, if they want it. + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1575.b4d0187663f37a4c6863e4aa2d594444 b/machine-learning-ex6/ex6/easy_ham/1575.b4d0187663f37a4c6863e4aa2d594444 new file mode 100644 index 0000000..717cce7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1575.b4d0187663f37a4c6863e4aa2d594444 @@ -0,0 +1,87 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 16 00:10:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6B30816F03 + for ; Mon, 16 Sep 2002 00:10:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:45 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FKdkC27782 for ; Sun, 15 Sep 2002 21:39:47 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qg9b-0005oW-00; Sun, + 15 Sep 2002 13:38:03 -0700 +Received: from cpe3236313132303031.cpe.net.cable.rogers.com + ([24.101.219.158] helo=tiger.dorfam.ca) by usw-sf-list1.sourceforge.net + with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qg8f-0000Wq-00 for + ; Sun, 15 Sep 2002 13:37:05 -0700 +Received: from tiger.dorfam.ca + (IDENT:f7rSrLFz9/M04Kx9/CJFe0AD7QQp/7rf@tiger.dorfam.ca [10.0.10.4]) + (authenticated) by tiger.dorfam.ca (8.11.6/8.11.6) with ESMTP id + g8FKaGQ25985; Sun, 15 Sep 2002 16:36:16 -0400 +From: Gerry Doris +To: Vernon Webb +Cc: spamassassin-talk +Subject: Re: [SAtalk] RBL timed oiut and Spam Assassin killed +In-Reply-To: <20020915191805.M8021@comp-wiz.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Mailscanner: Found to be clean +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 16:36:15 -0400 (EDT) +Date: Sun, 15 Sep 2002 16:36:15 -0400 (EDT) +X-Spam-Status: No, hits=-7.0 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_00_01,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Sun, 15 Sep 2002, Vernon Webb wrote: + +> I'm getting these messages and I'm not sure what they mean. Can anyone clear +> this up for me? Thanks. +> +> Sep 15 11:45:09 linux mailscanner[6128]: RBL Check ORDB-RBL timed out and +> was killed, consecutive failure 3 of 7 +> Sep 15 11:45:24 linux mailscanner[6128]: SpamAssassin timed out and was +> killed + +Your running mailscanner and the timeout used got to check ORDB-RBL is too +low and your timing out. mailscanner will count up to seven timeouts and +then automatically disable these checks until it restarts itself (within 4 +hours). + +-- +Gerry + +"The lyfe so short, the craft so long to learne" Chaucer + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1576.9fc27f643c41595b2801b4b7962bd6c0 b/machine-learning-ex6/ex6/easy_ham/1576.9fc27f643c41595b2801b4b7962bd6c0 new file mode 100644 index 0000000..0962765 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1576.9fc27f643c41595b2801b4b7962bd6c0 @@ -0,0 +1,90 @@ +From spamassassin-devel-admin@lists.sourceforge.net Mon Sep 16 00:10:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 15C2C16F03 + for ; Mon, 16 Sep 2002 00:10:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:10:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8FKfDC27929 for ; Sun, 15 Sep 2002 21:41:13 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qgBZ-0006Tv-00; Sun, + 15 Sep 2002 13:40:05 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17qgBK-0003IH-00 for + ; Sun, 15 Sep 2002 13:39:50 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (Exim 3.35 #1) id 17qgB6-0002Od-00; + Sun, 15 Sep 2002 13:39:36 -0700 +Message-Id: <3D84F004.7000805@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:0.9.9) Gecko/20020513 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: "Tony L. Svanstrom" +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Suggestion - 2 levels of Spam Status +References: <20020915223031.O43994-100000@moon.campus.luth.se> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 15 Sep 2002 13:39:32 -0700 +Date: Sun, 15 Sep 2002 13:39:32 -0700 +X-Spam-Status: No, hits=-5.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Tony L. Svanstrom wrote: + +>On Sun, 15 Sep 2002 the voices made Marc Perkel write: +> +>>Right now we have one spam status flag indicating that a message is or +>>is not spam. The idea being that the end user perhaps make a rule that +>>would move the spam flagged messages into a spam folder and thus gain +>>some time by presorting messages into to piles. +>> +> +> If you (people) don't know enough to filter on the actual score they've got +>the "stars", which will give them more than enough levers, if they want it. +> +> +> /Tony +> +Sure - we developers know that - but what I'm talking about is making it +easier for END USERS to figure out. + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1577.da07880d399d5552771d328aea473928 b/machine-learning-ex6/ex6/easy_ham/1577.da07880d399d5552771d328aea473928 new file mode 100644 index 0000000..3767bbd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1577.da07880d399d5552771d328aea473928 @@ -0,0 +1,70 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 16 18:32:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1CF2116F03 + for ; Mon, 16 Sep 2002 18:32:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 18:32:40 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8GHKaC03056 for ; Mon, 16 Sep 2002 18:20:36 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qzRm-0006Jz-00; Mon, + 16 Sep 2002 10:14:06 -0700 +Received: from med-core07.med.wayne.edu ([146.9.19.23]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17qzQw-0004tZ-00; Mon, 16 Sep 2002 10:13:14 -0700 +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: Performance +Thread-Index: AcJdpFL2vpGvj3A/R42dewEFZqr/aA== +From: "Rose, Bobby" +To: , + +Subject: [Razor-users] Performance +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 16 Sep 2002 13:13:06 -0400 +Date: Mon, 16 Sep 2002 13:13:06 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8GHKaC03056 +X-Spam-Status: No, hits=-0.8 required=7.0 + tests=AWL,KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Has anyone noticed a drop in razor-check performance over the past week? +I disabled the razorchecks in Spamassassin and my queues start to clean +out again. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1578.0c18da688c1ae54f27a3a4eb27d4005b b/machine-learning-ex6/ex6/easy_ham/1578.0c18da688c1ae54f27a3a4eb27d4005b new file mode 100644 index 0000000..23aec40 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1578.0c18da688c1ae54f27a3a4eb27d4005b @@ -0,0 +1,85 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Sep 17 17:35:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F1F016F03 + for ; Tue, 17 Sep 2002 17:35:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 17:35:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8HGPSC17512 for ; Tue, 17 Sep 2002 17:25:28 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17rL8u-0007Rp-00; Tue, + 17 Sep 2002 09:24:04 -0700 +Received: from defout.telus.net ([199.185.220.240] + helo=priv-edtnes28.telusplanet.net) by usw-sf-list1.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17rL8N-0000Pl-00 for + ; Tue, 17 Sep 2002 09:23:31 -0700 +Received: from monsta ([66.183.218.18]) by priv-edtnes28.telusplanet.net + (InterMail vM.5.01.04.05 201-253-122-122-105-20011231) with SMTP id + <20020917162324.GOG25741.priv-edtnes28.telusplanet.net@monsta> for + ; Tue, 17 Sep 2002 10:23:24 -0600 +Message-Id: <3.0.5.32.20020917092014.01035940@pop3.norton.antivirus> +X-Sender: a8a04969/pop.telus.net@pop3.norton.antivirus +X-Mailer: QUALCOMM Windows Eudora Light Version 3.0.5 (32) +To: spamassassin-talk@example.sourceforge.net +From: Chris +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Subject: [SAtalk] Running SA as a user app? +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 17 Sep 2002 09:20:14 -0700 +Date: Tue, 17 Sep 2002 09:20:14 -0700 +X-Spam-Status: No, hits=0.8 required=7.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +Can anybody point me to a project/FAQ similar to this:? + +1. Perl script fetches POP mail from a distant server +2. mail is fed to SA, running as a standalone module in my user account +3. SA spits out results back to perl script. +4. Script deletes offending mail. + +I don't have root access. I don't need a MTA. + +=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0 +Chris Fortune +Fortune's Web Computer Services +Nelson, BC, Canada +V1L 2W3 + +ph#: 250 505-5012 +email: cfortune@telus.net +website: http://cfortune.kics.bc.ca/ + +=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0=0 + + + +------------------------------------------------------- +Sponsored by: AMD - Your access to the experts on Hammer Technology! +Open Source & Linux Developers, register now for the AMD Developer +Symposium. Code: EX8664 http://www.developwithamd.com/developerlab +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1579.2b2d92136109e10122b2af311a414783 b/machine-learning-ex6/ex6/easy_ham/1579.2b2d92136109e10122b2af311a414783 new file mode 100644 index 0000000..759e063 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1579.2b2d92136109e10122b2af311a414783 @@ -0,0 +1,91 @@ +Replied: Mon, 16 Sep 2002 00:33:33 +0100 +Replied: yyyy@example.com (Justin Mason) +Replied: Daniel Quinlan +Replied: Matt Sergeant +Replied: Spamassassin-devel +From quinlan@pathname.com Mon Sep 16 00:08:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4B65C16F03 + for ; Mon, 16 Sep 2002 00:08:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 00:08:15 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8ELf9C18215 for + ; Sat, 14 Sep 2002 22:41:10 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17qKfW-0001tr-00; Sat, 14 Sep 2002 14:41:34 -0700 +To: yyyy@example.com (Justin Mason) +Cc: Matt Sergeant , + Spamassassin-devel +Subject: Re: [SAdev] testing with less rules +References: <20020913211335.564DD16F03@example.com> +From: Daniel Quinlan +Date: 14 Sep 2002 14:41:34 -0700 +In-Reply-To: yyyy@example.com's message of "Fri, 13 Sep 2002 22:13:30 +0100" +Message-Id: +Lines: 51 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,LINES_OF_YELLING, + LINES_OF_YELLING_2,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +>>> DATE_IN_PAST_48_96 +>>> SPAM_PHRASE_00_01 +>>> SPAM_PHRASE_01_02 +>>> SPAM_PHRASE_02_03 +>>> SPAM_PHRASE_03_05 +>>> SPAM_PHRASE_05_08 + +> I was thinking of just removing those particular rules, but keeping the +> other entries in the range, since they're proving too "noisy" to be +> effective. But I'd be willing to keep those ones in, all the same. What +> do you think? Matt/Craig, thoughts? + +I think I could handle commenting out the lowest SPAM_PHRASE_XX_YY +scores. If the GA could handle this sort of thing so they'd +automatically be zeroed, I'd feel better since the ranges could change +next time the phrase list is regenerated or the algorithm tweaked. + +I think we need to understand why DATE_IN_PAST_48_96 is so low before +we remove it. The two rules on either side perform quite well. + +>> And here are the rules that seem like they should be better or should +>> be recoverable: + +>>> FROM_MISSING +>>> GAPPY_TEXT +>>> INVALID_MSGID +>>> MIME_NULL_BLOCK +>>> SUBJ_MISSING + +> well, I don't like SUBJ_MISSING, I reckon there's a world of mails from +> cron jobs (e.g.) which hit it. + +Okay, drop SUBJ_MISSING. + +> But, yes, the others for sure should be recoverable, and I'm sure there's +> more. + +Probably a few, those seemed like the best prospects to me. + +> BTW do you agree with the proposed methodology (ie. remove the rules and +> bugzilla each one?) + +I only want a bugzilla ticket for each one if people are okay with +quick WONTFIX closes on the ones deemed unworthy of recovery. + +If you could put the stats for each rule in the ticket somehow (should +be automatable with email at the very least), it would help. + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1580.108304b0d17fc6c34436e63e5f30fc47 b/machine-learning-ex6/ex6/easy_ham/1580.108304b0d17fc6c34436e63e5f30fc47 new file mode 100644 index 0000000..86a45cd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1580.108304b0d17fc6c34436e63e5f30fc47 @@ -0,0 +1,53 @@ +From quinlan@pathname.com Mon Sep 16 10:41:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9220716F03 + for ; Mon, 16 Sep 2002 10:41:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 10:41:50 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8G4tNC13670 for + ; Mon, 16 Sep 2002 05:55:23 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17qnvH-0004Rr-00; Sun, 15 Sep 2002 21:55:47 -0700 +From: Daniel Quinlan +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15749.25683.361874.673913@proton.pathname.com> +Date: Sun, 15 Sep 2002 21:55:47 -0700 +To: yyyy@example.com (Justin Mason) +Cc: Daniel Quinlan , + Matt Sergeant , + Spamassassin-devel +Subject: Re: [SAdev] testing with less rules +In-Reply-To: <20020915233332.82A4E16F03@example.com> +References: + <20020915233332.82A4E16F03@jmason.org> +X-Mailer: VM 7.04 under Emacs 20.7.2 +Reply-To: quinlan@pathname.com +X-Spam-Status: No, hits=-8.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Justin Mason writes: + +> hmm. also I think I've found some cases where it's hitting on fetchmail +> Received hdrs. that's bad. so it could be fixed.... + +fetchmail adds Received headers? That seems wrong. I'll open a bug +to investigate. Can you attach some examples? + +> yeah, will do -- somehow. pity the bugzilla doesn't allow email +> submissions... + +Agreed. At least you can add information with email. + +- Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1581.c8719428ba4a8c4655281826b878ddd0 b/machine-learning-ex6/ex6/easy_ham/1581.c8719428ba4a8c4655281826b878ddd0 new file mode 100644 index 0000000..7ec7673 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1581.c8719428ba4a8c4655281826b878ddd0 @@ -0,0 +1,55 @@ +From schaefer@zanshin.com Mon Sep 16 19:20:19 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6CDDD16F16 + for ; Mon, 16 Sep 2002 19:20:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 19:20:19 +0100 (IST) +Received: from moonbase.zanshin.com (IDENT:root@moonbase.zanshin.com + [167.160.213.139]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8GIJ2C04846 for ; Mon, 16 Sep 2002 19:19:02 +0100 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g8GIJJh32385; Mon, 16 Sep 2002 11:19:19 -0700 +Date: Mon, 16 Sep 2002 11:19:19 -0700 (PDT) +From: Bart Schaefer +To: Justin Mason +Cc: Simon Matthews , + +Subject: Re: [SAtalk] Can someone please tell me how to get an answer from + this list? +In-Reply-To: <20020916180348.DBE0616F03@example.com> +Message-Id: +Mail-Followup-To: spamassassin-talk@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Spam-Status: No, hits=-7.1 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01,SUBJECT_IS_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Mon, 16 Sep 2002, Justin Mason wrote: + +> Simon Matthews said: +> +> > Procmail 3.21 is reliable as long as none of the recipies fails. I was +> > hoping to resolve the triplets.txt problem and thus avoid the procmail +> > "^rom" problem. +> +> I doubt it's related, actually -- the "triplets" stuff is in a totally +> unrelated area of code. + +The procmail bug happens when the filter program does something that +procmail doesn't expect. Exactly what that something is, hasn't been +confirmed by anyone on the procmail list. It might be exiting with a +nonzero status, or it might be producing output on the standard error, +or it might be something else entirely. + +So Simon is attempting to get SA to run flawlessly, because then it can't +tickle the procmail bug. This isn't a fix, it's a band-aid, but because +he apparently doesn't have the option of installing a newer procmail ... + + diff --git a/machine-learning-ex6/ex6/easy_ham/1582.ea28e13144adb7ec8718cad39728984b b/machine-learning-ex6/ex6/easy_ham/1582.ea28e13144adb7ec8718cad39728984b new file mode 100644 index 0000000..301ef8e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1582.ea28e13144adb7ec8718cad39728984b @@ -0,0 +1,58 @@ +From quinlan@pathname.com Tue Sep 17 23:30:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EF15F16F03 + for ; Tue, 17 Sep 2002 23:30:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 23:30:38 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8HKVLC25673 for + ; Tue, 17 Sep 2002 21:31:21 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17rP0f-0004fo-00; Tue, 17 Sep 2002 13:31:49 -0700 +To: yyyy@example.com (Justin Mason) +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Re: [SAtalk] SpamAssassin and unconfirmed.dsbl.org +References: <20020917142054.5C4E916F16@example.com> +From: Daniel Quinlan +Date: 17 Sep 2002 13:31:49 -0700 +In-Reply-To: yyyy@example.com's message of "Tue, 17 Sep 2002 15:20:49 +0100" +Message-Id: +Lines: 25 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-8.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES + version=2.50-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> Folks who've been hacking on the DNSBLs: would it be worthwhile commenting +> this in HEAD, seeing as it only gets .77 anyway? +> +> Sounds like the (a) broken server and (b) low hitrate combine to make it +> not-so-useful IMO. + +No, in my opinion, it's purely a bug in SA (or the libraries we use, +which is the same thing) that we don't handle outages of network +services better. + +The rule is useful and it does help reduce spam, we should keep it. I +have a feeling the DNSBL rules will cluster a bit more heavily around +the 1.0 to 2.0 range once we start using the new GA on them. + +Also, 0.77 was a slightly conservative number. Since I didn't have +real-time data, I typically used the lower or median number of different +periods (most recent month, two months, six months), depending on the +trend of the period data (better performance for recent messages -> +favor recent scores, worse performance for recent messages -> favor +lowest scores, never pick the highest number unless the rule was very +accurate and the highest number was for the most recent data). + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1583.11883906b08a91ecad2910a1e5d869e1 b/machine-learning-ex6/ex6/easy_ham/1583.11883906b08a91ecad2910a1e5d869e1 new file mode 100644 index 0000000..d07056a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1583.11883906b08a91ecad2910a1e5d869e1 @@ -0,0 +1,59 @@ +From jm@jmason.org Wed Sep 18 12:45:20 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 9B11716F1A; Wed, 18 Sep 2002 12:45:20 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 8EBC1F7B1; Wed, 18 Sep 2002 12:45:20 +0100 (IST) +To: "Gary Funck" +Cc: "Spamassassin List" , + "Justin Mason" +Subject: Re: [SAtalk] checking out Razor2 (and SA 2.41) install - Net::DNS:Resolver problem? +In-Reply-To: Message from "Gary Funck" + of "Tue, 17 Sep 2002 18:36:05 PDT." +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Wed, 18 Sep 2002 12:45:15 +0100 +Sender: yyyy@example.com +Message-Id: <20020918114520.9B11716F1A@example.com> +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Gary Funck said: +> I thought the ">> /perllocal.pod" line looked odd. Is it normal to write +> documentation into the root directory? (). Is there some Make parameter, o +> r +> environment variable that should've been set when I ran "make"? + +an issue for Razor folks I think. + +> It seems that by registering that I avoided the error path noted in my previo +> us +> e-mail where DNS::Net::Resolver was called, but does not exist in my Perl +> hierarchy. Here's the new output from SA ans Razor2: +looks good. + + +> Question: if we use spamassassin on a per-user basis, invoked from procmailrc +> , +> will each user have to run "razor-admin -register" first? Is there way to +> register with Razor just once per system? + +If you use spamd with the -H option and provide a shared directory for +the razor config files to be written to. RTFM for more details... + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1584.bb777200011a887b5e7cbc0de0f84d64 b/machine-learning-ex6/ex6/easy_ham/1584.bb777200011a887b5e7cbc0de0f84d64 new file mode 100644 index 0000000..87cbed0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1584.bb777200011a887b5e7cbc0de0f84d64 @@ -0,0 +1,57 @@ +From jm@jmason.org Wed Sep 18 12:57:54 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 4376516F1C; Wed, 18 Sep 2002 12:57:54 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 40A2CF7B1; Wed, 18 Sep 2002 12:57:54 +0100 (IST) +To: Matt Kettler +Cc: yyyy@example.com (Justin Mason), + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] phew! +In-Reply-To: Message from Matt Kettler + of "Wed, 18 Sep 2002 02:04:29 EDT." <5.1.1.6.0.20020918014722.00a99b20@mail.comcast.net> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Wed, 18 Sep 2002 12:57:49 +0100 +Sender: yyyy@example.com +Message-Id: <20020918115754.4376516F1C@example.com> +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Matt Kettler said: +> Ok, first, the important stuff. Happy birthday Justin (a lil late, but +> oh well) + +cheers! + +> a 13% miss ratio on the spam corpus at 5.0 seems awfully high, although +> that nice low FP percentage is quite nice, as is the narrow-in of average +> FP/FN scores compared to 2.40. + +As Dan said -- it's a hard corpus, made harder without the spamtrap data. + +Also -- and this is an important point -- those measurements can't be +directly compared, because I changed the methodology. In 2.40 the scores +were evolved on the entire corpus, then evaluated using that corpus; ie. +there was no "blind" testing, and the scores could overfit and still +provide good statistics. + +In 2.42, they're evaluated "blind", on a totally unseen set of messages, +so those figures would be a lot more accurate for real-world use. + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1585.82fb57152be63c79b28e68ae0ad319d9 b/machine-learning-ex6/ex6/easy_ham/1585.82fb57152be63c79b28e68ae0ad319d9 new file mode 100644 index 0000000..f96e6f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1585.82fb57152be63c79b28e68ae0ad319d9 @@ -0,0 +1,135 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Sep 18 14:07:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1B34B16F03 + for ; Wed, 18 Sep 2002 14:07:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 14:07:12 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8IBnfC28425 for ; Wed, 18 Sep 2002 12:49:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17rdJM-0003kl-00; Wed, + 18 Sep 2002 04:48:04 -0700 +Received: from cedar.shu.ac.uk ([143.52.2.51]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17rdIU-0007j4-00 for ; + Wed, 18 Sep 2002 04:47:10 -0700 +Received: from cis-sys-03.csv.shu.ac.uk ([143.52.20.90] + helo=videoproducer) by cedar.shu.ac.uk with esmtp (Exim 3.36 #2) id + 17rdFf-0005hM-00 for spamassassin-talk@lists.sourceforge.net; + Wed, 18 Sep 2002 12:44:15 +0100 +Message-Id: <005901c25f08$b6d5b0b0$5a14348f@videoproducer> +From: "Ray Gardener" +To: +Organization: Shefield Hallam University +MIME-Version: 1.0 +Content-Type: multipart/alternative; + boundary="----=_NextPart_000_0056_01C25F11.18554780" +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Mailscanner: Found to be clean +Subject: [SAtalk] spamc and DCC +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 18 Sep 2002 12:44:14 +0100 +Date: Wed, 18 Sep 2002 12:44:14 +0100 +X-Spam-Status: No, hits=-0.4 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. + +------=_NextPart_000_0056_01C25F11.18554780 +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + +Hi -=20 + +I upgraded to 2.40 (now 2.41) last week and the messages which are = +definitely in the DCC database aren't being marked as such by = +spamassassin when connected to via spamc. Interestingly it is detected = +when running spamassassin -t < sample-spam.txt (using the same userid = +incidentally). Is this a known "feature" of spamc under 2.4x or is there = +anything obvious that I am not implementing correctly? Note that as I = +implied above this used to work under 2.3x of spamassassin and = +spamd/spamc + +Regards + +Ray Gardener +Sheffield Hallam University +UK + + +------=_NextPart_000_0056_01C25F11.18554780 +Content-Type: text/html; + charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + + + + + + + + +
Hi -
+
 
+
I upgraded to 2.40 (now 2.41) last = +week and=20 +the messages which are definitely in the DCC database aren't being = +marked=20 +as such by spamassassin when connected to via spamc. Interestingly it is = + +detected when running spamassassin -t < sample-spam.txt (using the = +same=20 +userid incidentally). Is this a known "feature" of spamc under 2.4x or = +is there=20 +anything obvious that I am not implementing correctly? Note that as I = +implied=20 +above this used to work under 2.3x of spamassassin and = +spamd/spamc
+
 
+
Regards
+
 
+
Ray Gardener
+
Sheffield Hallam = +University
+
UK
+
 
+ +------=_NextPart_000_0056_01C25F11.18554780-- + + + +------------------------------------------------------- +This SF.NET email is sponsored by: AMD - Your access to the experts +on Hammer Technology! Open Source & Linux Developers, register now +for the AMD Developer Symposium. Code: EX8664 +http://www.developwithamd.com/developerlab +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1586.f2032491ca27076af18575e9ab78abcb b/machine-learning-ex6/ex6/easy_ham/1586.f2032491ca27076af18575e9ab78abcb new file mode 100644 index 0000000..edf3f67 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1586.f2032491ca27076af18575e9ab78abcb @@ -0,0 +1,78 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 19 16:31:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6BB0D16F03 + for ; Thu, 19 Sep 2002 16:31:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 16:31:48 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8JEFCC22965 for ; Thu, 19 Sep 2002 15:15:13 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17s1vV-0007ne-00; Thu, + 19 Sep 2002 07:05:05 -0700 +Received: from yertle.kcilink.com ([216.194.193.105]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17s1uY-0002kx-00 for ; + Thu, 19 Sep 2002 07:04:06 -0700 +Received: from onceler.kciLink.com (onceler.kciLink.com [216.194.193.106]) + by yertle.kciLink.com (Postfix) with ESMTP id 988432178B for + ; Thu, 19 Sep 2002 10:04:02 -0400 + (EDT) +Received: by onceler.kciLink.com (Postfix, from userid 100) id BB76E3D07; + Thu, 19 Sep 2002 10:04:01 -0400 (EDT) +From: Vivek Khera +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Message-Id: <15753.55633.535730.28416@onceler.kciLink.com> +To: "spamassassin-talk" +Subject: Re: [SAtalk] Ignore System Messages - How? +In-Reply-To: <20020918203819.M82175@b2unow.com> +References: <20020918203819.M82175@b2unow.com> +X-Mailer: VM 7.07 under 21.4 (patch 8) "Honest Recruiter" XEmacs Lucid +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 10:04:01 -0400 +Date: Thu, 19 Sep 2002 10:04:01 -0400 +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES + version=2.50-cvs +X-Spam-Level: + +>>>>> "v" == vernon writes: + +v> Some of my "Security Violations" and "Unusual System Events" are being +v> tagged as SPAM by SpamAssassin. How do I get SA to ignore these messages? + +whitelists. you *really* have to white list any message source that +discusses or is used to report spam, else the reports will be marked +as spam, given that they have the spam indicators in them, usually... + +This is the *only* whitelisting I use. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1587.846578886a749978ec4a3f8cc44d9424 b/machine-learning-ex6/ex6/easy_ham/1587.846578886a749978ec4a3f8cc44d9424 new file mode 100644 index 0000000..50ca4c9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1587.846578886a749978ec4a3f8cc44d9424 @@ -0,0 +1,53 @@ +Replied: Fri, 20 Sep 2002 13:03:34 +0100 +Replied: "Justin Mason" +Replied: "Michael Moncur" +Replied: "Daniel Quinlan" +Replied: SpamAssassin-devel@example.sourceforge.net +From mgm@starlingtech.com Fri Sep 20 11:29:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E7ADD16F03 + for ; Fri, 20 Sep 2002 11:29:50 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:29:50 +0100 (IST) +Received: from host.yrex.com (yrex.com [216.40.247.31]) by + dogma.slashnull.org (8.11.6/8.11.6) with SMTP id g8K3gaC19028 for + ; Fri, 20 Sep 2002 04:42:42 +0100 +Received: (qmail 18798 invoked from network); 20 Sep 2002 03:43:04 -0000 +Received: from mgm.dsl.xmission.com (HELO opus) (204.228.152.186) by + yrex.com with SMTP; 20 Sep 2002 03:43:04 -0000 +From: "Michael Moncur" +To: "Justin Mason" , + "Daniel Quinlan" +Cc: +Subject: RE: [SAdev] phew! +Date: Thu, 19 Sep 2002 21:42:52 -0600 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <20020919113604.D475F16F1C@example.com> +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> Yes, I think some others, (mgm?) have spamtrap data in there too. +> + +My corpus is about 50% spamtrap spam at any given time. Let me know if I +should leave that out next time, I do keep it separate. My spamtraps are +pretty clean of viruses and bounce messages most of the time. + +-- +Michael Moncur mgm at starlingtech.com http://www.starlingtech.com/ +"Lack of money is no obstacle. Lack of an idea is an obstacle." --Ken Hakuta + + diff --git a/machine-learning-ex6/ex6/easy_ham/1588.61ee71063f18d59f7c0326aa48ebec99 b/machine-learning-ex6/ex6/easy_ham/1588.61ee71063f18d59f7c0326aa48ebec99 new file mode 100644 index 0000000..23c7b50 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1588.61ee71063f18d59f7c0326aa48ebec99 @@ -0,0 +1,58 @@ +From dougy@brizzie.org Fri Sep 20 11:38:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0232716F03 + for ; Fri, 20 Sep 2002 11:38:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:38:29 +0100 (IST) +Received: from brizzie.org (CPE-203-51-206-87.qld.bigpond.net.au + [203.51.206.87]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8K3TEC18700 for ; Fri, 20 Sep 2002 04:29:16 +0100 +Received: from oracle (oracle.brizzie.org [192.168.0.3]) by brizzie.org + (8.12.3/8.12.3) with SMTP id g8K3Tdx2020418; Fri, 20 Sep 2002 13:29:40 + +1000 (EST) (envelope-from dougy@brizzie.org) +Message-Id: <031901c26055$f4aefab0$0300a8c0@oracle> +From: "Doug Young" +To: "Justin Mason" +Cc: +References: <20020813124910.563B943C32@phobos.labs.netnoteinc.com> +Subject: Re: [SAtalk] dependencies / pre-requisites for installation in + FreeBSD +Date: Fri, 20 Sep 2002 13:29:39 +1000 +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Spam-Status: No, hits=-0.7 required=5.0 + tests=QUOTED_EMAIL_TEXT,REFERENCES + version=2.50-cvs +X-Spam-Level: + +> > Would someone please enlighten me on dependencies / pre-requisites +> > for installation in FreeBSD. The 'official' documentation isn't +particularly +> > explicit about this stuff .... eg 'procmail' is mentioned but without +saying +> > whether or not its essential, & no info provided on whether GNUmake is +> > required or if standard BSD 'make' is OK. +> +> I thought we were quite good about it, in the README file! +> +> procmail is essential *if* you're using (a) SpamAssassin for local +> delivery, (b) not using a milter, and (c) not using a Mail::Audit +> script instead. So probably yes. +> +> BSD make is OK, if Perl generally uses it to build Perl modules. +> SpamAssassin is just anotehr Perl module in that respect. +> +Back to this stuff again ..... searched high & low but definitely nothing +on this system even vaguely resembling a README file for spamassassin. +I have procmail installed but having major problems comprehending the +setup .... would appreciate info on any 'simple english' HOWTo + + diff --git a/machine-learning-ex6/ex6/easy_ham/1589.5459ec44404ef9d0258edb476622bc45 b/machine-learning-ex6/ex6/easy_ham/1589.5459ec44404ef9d0258edb476622bc45 new file mode 100644 index 0000000..fff48b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1589.5459ec44404ef9d0258edb476622bc45 @@ -0,0 +1,62 @@ +From jm@jmason.org Fri Sep 20 13:03:34 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 6CA7916F03; Fri, 20 Sep 2002 13:03:34 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 69CACF7B1; Fri, 20 Sep 2002 13:03:34 +0100 (IST) +To: "Michael Moncur" +Cc: "Justin Mason" , + "Daniel Quinlan" , + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] phew! +In-Reply-To: Message from "Michael Moncur" + of "Thu, 19 Sep 2002 21:42:52 MDT." +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Fri, 20 Sep 2002 13:03:29 +0100 +Sender: yyyy@example.com +Message-Id: <20020920120334.6CA7916F03@example.com> +X-Spam-Status: No, hits=-6.1 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +"Michael Moncur" said: + +> My corpus is about 50% spamtrap spam at any given time. Let me know if I +> should leave that out next time, I do keep it separate. My spamtraps are +> pretty clean of viruses and bounce messages most of the time. + +IMO spamtrap data that's well-cleaned and monitored is fine. + +To my mind there's 3 types of spamtraps: + + 1. old user addresses, recycled into spamtraps when the user closes + the account + + 2. old user addresses, recycled into spamtraps several months after the + user closes the account, scanned for newsletters, unsubscribed + from them etc. + + 3. real spamtrap addresses to trap website crawlers. + +The latter 2 are the most effective, but #1 is a real PITA; it takes lots +of maintainance to avoid ham getting in there. Some of my spamtrap data +had a few 1's contributed by ISPs, and I hadn't spent enough time sifting +for legit mail that was slipping through. So I felt better leaving +them out for this run, apart from what I'd hand-cleaned. + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1590.8d27eaf596403ade34f593db10eb8f28 b/machine-learning-ex6/ex6/easy_ham/1590.8d27eaf596403ade34f593db10eb8f28 new file mode 100644 index 0000000..ab7215c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1590.8d27eaf596403ade34f593db10eb8f28 @@ -0,0 +1,90 @@ +From spamassassin-devel-admin@lists.sourceforge.net Sun Sep 22 00:46:56 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A9CF616F03 + for ; Sun, 22 Sep 2002 00:46:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:46:55 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8LNaWC09337 for ; Sun, 22 Sep 2002 00:36:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17stnB-0000K3-00; Sat, + 21 Sep 2002 16:36:05 -0700 +Received: from smtp6.mindspring.com ([207.69.200.110]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17stmk-0007nO-00 for ; + Sat, 21 Sep 2002 16:35:38 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by smtp6.mindspring.com with esmtp + (Exim 3.33 #1) id 17stmi-00023O-00 for + spamassassin-devel@lists.sourceforge.net; Sat, 21 Sep 2002 19:35:36 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 5EEF791DC9; Sat, 21 Sep 2002 16:35:35 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020921233535.5EEF791DC9@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 828] spamassassin.org is unreliable +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 21 Sep 2002 16:35:35 -0700 (PDT) +Date: Sat, 21 Sep 2002 16:35:35 -0700 (PDT) +X-Spam-Status: No, hits=-0.8 required=5.0 + tests=AWL,BUGZILLA_BUG,KNOWN_MAILING_LIST,NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=828 + +jm@jmason.org changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|ASSIGNED |RESOLVED + Resolution| |FIXED + + + +------- Additional Comments From jm@jmason.org 2002-09-21 16:35 ------- +OK, this should now be considered fixed, I should think. + + Domain Name: SPAMASSASSIN.ORG + Name Server: NS.PEREGRINEHW.COM + Name Server: NS1.RTS.COM.AU + Name Server: NS2.RTS.COM.AU + Name Server: NS3.RTS.COM.AU + Name Server: FAMILY.ZAWODNY.COM + +etc. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1591.6b6ae63033581aaf40cb6a6d08da2662 b/machine-learning-ex6/ex6/easy_ham/1591.6b6ae63033581aaf40cb6a6d08da2662 new file mode 100644 index 0000000..d212440 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1591.6b6ae63033581aaf40cb6a6d08da2662 @@ -0,0 +1,87 @@ +From spamassassin-devel-admin@lists.sourceforge.net Sun Sep 22 00:46:58 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7569B16F03 + for ; Sun, 22 Sep 2002 00:46:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:46:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8LNbJC09362 for ; Sun, 22 Sep 2002 00:37:20 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17sto8-0000Lc-00; Sat, + 21 Sep 2002 16:37:04 -0700 +Received: from blount.mail.mindspring.net ([207.69.200.226]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17sto1-0007xc-00 for ; + Sat, 21 Sep 2002 16:36:57 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17stnv-0004lA-00 for + spamassassin-devel@lists.sourceforge.net; Sat, 21 Sep 2002 19:36:51 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + AFB1488D3A; Sat, 21 Sep 2002 16:36:50 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020921233650.AFB1488D3A@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1008] SpamAssassin does not work with Glance for + Outlook 2k +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 21 Sep 2002 16:36:50 -0700 (PDT) +Date: Sat, 21 Sep 2002 16:36:50 -0700 (PDT) +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1008 + +jm@jmason.org changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |INVALID + + + +------- Additional Comments From jm@jmason.org 2002-09-21 16:36 ------- +Hi David -- + +I'm afraid this bug-tracking system is only used for the open-source +SpamAssassin (the UNIX one ;). You need to talk to somebody +at deersoft.com instead. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1592.e024e5de503dcf463bad5cd5c8c64210 b/machine-learning-ex6/ex6/easy_ham/1592.e024e5de503dcf463bad5cd5c8c64210 new file mode 100644 index 0000000..21f5eef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1592.e024e5de503dcf463bad5cd5c8c64210 @@ -0,0 +1,81 @@ +From spamassassin-devel-admin@lists.sourceforge.net Sun Sep 22 00:46:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3847016F03 + for ; Sun, 22 Sep 2002 00:46:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:46:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8LNcNC09370 for ; Sun, 22 Sep 2002 00:38:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17stp6-0000NI-00; Sat, + 21 Sep 2002 16:38:04 -0700 +Received: from blount.mail.mindspring.net ([207.69.200.226]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17stoz-00081e-00 for ; + Sat, 21 Sep 2002 16:37:57 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17stoy-00038c-00 for + spamassassin-devel@lists.sourceforge.net; Sat, 21 Sep 2002 19:37:56 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 7D8D188D3A; Sat, 21 Sep 2002 16:37:55 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020921233755.7D8D188D3A@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 886] Add a rule to detect Content-type message/partial +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 21 Sep 2002 16:37:55 -0700 (PDT) +Date: Sat, 21 Sep 2002 16:37:55 -0700 (PDT) +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=886 + + + + + +------- Additional Comments From jm@jmason.org 2002-09-21 16:37 ------- +I'd prefer to wait and see if spammers do anything about it. my +guess is they will not, as it'd mean modifying their spamware to +send >1 msg per recipient. + +I vote WONTFIX as a result ;) + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1593.de7504b4655691f11b3e807e42a2b82c b/machine-learning-ex6/ex6/easy_ham/1593.de7504b4655691f11b3e807e42a2b82c new file mode 100644 index 0000000..67139e6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1593.de7504b4655691f11b3e807e42a2b82c @@ -0,0 +1,78 @@ +From spamassassin-devel-admin@lists.sourceforge.net Sun Sep 22 00:47:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2735216F03 + for ; Sun, 22 Sep 2002 00:47:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:47:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8LNefC09390 for ; Sun, 22 Sep 2002 00:40:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17str3-0000Sj-00; Sat, + 21 Sep 2002 16:40:05 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17stqg-0001UQ-00 for ; + Sat, 21 Sep 2002 16:39:42 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17stqZ-0004Ba-00 for + spamassassin-devel@lists.sourceforge.net; Sat, 21 Sep 2002 19:39:35 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 1C7E791DD6; Sat, 21 Sep 2002 16:39:35 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: CC +Message-Id: <20020921233935.1C7E791DD6@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 813] add Bayesian spam filtering +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 21 Sep 2002 16:39:35 -0700 (PDT) +Date: Sat, 21 Sep 2002 16:39:35 -0700 (PDT) +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=813 + + + + + +------- Additional Comments From jm@jmason.org 2002-09-21 16:39 ------- +Dan, BTW, is there any code from this that we can get checked in? +I'd love to mess around with it a bit. + + + +------- You are receiving this mail because: ------- +You are on the CC list for the bug, or are watching someone who is. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1594.f552f47fa01a4ca29e34182de6f0cca7 b/machine-learning-ex6/ex6/easy_ham/1594.f552f47fa01a4ca29e34182de6f0cca7 new file mode 100644 index 0000000..852b67c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1594.f552f47fa01a4ca29e34182de6f0cca7 @@ -0,0 +1,100 @@ +From spamassassin-devel-admin@lists.sourceforge.net Sun Sep 22 00:47:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B748916F03 + for ; Sun, 22 Sep 2002 00:47:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 00:47:03 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8LNgUC09546 for ; Sun, 22 Sep 2002 00:42:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17stsz-0000Zy-00; Sat, + 21 Sep 2002 16:42:05 -0700 +Received: from blount.mail.mindspring.net ([207.69.200.226]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17stsm-0001nh-00 for ; + Sat, 21 Sep 2002 16:41:52 -0700 +Received: from user-vcaur02.dsl.mindspring.com ([216.175.108.2] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17stsj-0000XM-00 for + spamassassin-devel@lists.sourceforge.net; Sat, 21 Sep 2002 19:41:49 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 21E8791DC7; Sat, 21 Sep 2002 16:41:49 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020921234149.21E8791DC7@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1012] negate directive addition +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 21 Sep 2002 16:41:49 -0700 (PDT) +Date: Sat, 21 Sep 2002 16:41:49 -0700 (PDT) +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1012 + + + + + +------- Additional Comments From easmith@beatrice.rutgers.edu 2002-09-21 16:41 ------- +I like this idea, but from my reading - part of my dissertation research - +on GAs (or, in this case, more precisely "Evolutionary Programming", since +the parameters are non-binary and the major operator is mutation, not +crossover), you do need to keep in mind that the more interactions there are +between different variables, the better-tweaked the GA/EA will need to be, +especially to avoid local optima (which may have been the problem with the +suspiciously-high "anti-ratware" USER_AGENT scores). From past results, +what's needed are one or more of the below: + A. Determine mutational parameters by adapted-scores themselves, + with variation on a per-original score basis; ideally, allow + for having "correlated" mutations - in other words, have a + mechanism in place for trying out changes to a bunch of scores at + once, with them all moving about the same amount (albeit possibly + in different directions) - one means to do this is found in the + "Evolutionary Strategies" of Schwefel; + B. Adapt the probability of a mutation taking place depending on how + well previous mutation tries have done - if more than about a + fifth of the new "individuals" are doing about as well as, or + better than, the parental generation, then mutate more + parameters; if less than a fifth of them are doing about as well + as, or better than, the parental generation, then mutate less + parameters. + + -Allen + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1595.fa533692bb0d635d6d1219663ee0f82c b/machine-learning-ex6/ex6/easy_ham/1595.fa533692bb0d635d6d1219663ee0f82c new file mode 100644 index 0000000..548c7e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1595.fa533692bb0d635d6d1219663ee0f82c @@ -0,0 +1,104 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 23 15:13:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D608416F03 + for ; Mon, 23 Sep 2002 15:13:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 15:13:19 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8NE3qC19579 for ; Mon, 23 Sep 2002 15:03:52 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17tTks-0007kN-00; Mon, + 23 Sep 2002 07:00:06 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17tTkc-00077F-00 for ; + Mon, 23 Sep 2002 06:59:50 -0700 +Received: (qmail 23892 messnum 1191200 invoked from + network[194.125.148.241/ts04-114.dublin.indigo.ie]); 23 Sep 2002 13:59:44 + -0000 +Received: from ts04-114.dublin.indigo.ie (HELO example.com) + (194.125.148.241) by relay05.indigo.ie (qp 23892) with SMTP; + 23 Sep 2002 13:59:44 -0000 +Received: by example.com (Postfix, from userid 500) id 7E8F716F17; + Mon, 23 Sep 2002 12:48:39 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 7B70DF7B1; Mon, 23 Sep 2002 12:48:39 +0100 (IST) +To: "Mike Bostock" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Spam host? +In-Reply-To: Message from + "Mike Bostock" + of + "Mon, 23 Sep 2002 09:56:59 BST." + <20029238570161296016@surgery1.wistaria.co.uk> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020923114839.7E8F716F17@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 12:48:34 +0100 +Date: Mon, 23 Sep 2002 12:48:34 +0100 +X-Spam-Status: No, hits=-5.9 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +"Mike Bostock" said: + +> Received: from tracking2 (tracking2.roving.com [10.20.40.142]) +> by ccm01.roving.com (Postfix) with ESMTP id 4696633ED4 +> for ; Sun, 22 Sep 2002 17:57:03 -0400 (EDT) +> X-Mailer: Roving Constant Contact +> 5.0.Patch121c.P121C_SchedEnhancement_09_05_02 +> (http://www.constantcontact.com) +> +> Is worthy of attention and a rule - if you go to their web site it +> would appear that they are in the business of email mass marketing. +> Unfortunately their mailing to me got through Spamassassin :-( + +Interesting -- I haven't seen anything from these guys in about a year, +but looking at your hdr they're still doing it. + +OK, come up with an X-Mailer rule that hits your mails, and we'll put it +in testing... + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1596.313021ceff8185c1fad0d2d8d9e2342b b/machine-learning-ex6/ex6/easy_ham/1596.313021ceff8185c1fad0d2d8d9e2342b new file mode 100644 index 0000000..91636fa --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1596.313021ceff8185c1fad0d2d8d9e2342b @@ -0,0 +1,107 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Sep 23 23:44:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F35E016F03 + for ; Mon, 23 Sep 2002 23:44:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 23:44:34 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8NMdhC05937 for ; Mon, 23 Sep 2002 23:39:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17tboF-0007Xg-00; Mon, + 23 Sep 2002 15:36:07 -0700 +Received: from klawatti.watchguard.com ([64.74.30.161] + helo=watchguard.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17tbnf-00050f-00 for + ; Mon, 23 Sep 2002 15:35:31 -0700 +Message-Id: +From: Jason Qualkenbush +To: "'Stephane Lentz'" , + spamassassin-talk@lists.sourceforge.net +Subject: RE: [SAtalk] separate inbound and outbound +MIME-Version: 1.0 +Content-Type: text/plain; charset="ISO-8859-1" +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 15:33:48 -0700 +Date: Mon, 23 Sep 2002 15:33:48 -0700 +X-Spam-Status: No, hits=0.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +No I was just a little confused because I'm running procmail on a gateway +and sits between the external sendmail box and internal exchange bridgehead +server. So there isn't any delivery to the local system. + +The only email it gets is inbound at the moment and we're looking to get rid +of complication and go back to two boxes. I did a test which looked like +you guys are right about procmail, but testing is very limited due to the +config I currently have. It's just confusing when set up as a gateway. + +-Jason + +-----Original Message----- +From: Stephane Lentz [mailto:Stephane.Lentz@ansf.alcatel.fr] +Sent: Monday, September 23, 2002 2:50 PM +To: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] separate inbound and outbound + + +On Mon, Sep 23, 2002 at 02:26:34PM -0700, Jason Qualkenbush wrote: +> +> Is there is way to separate inbound and outbound email so that I only +check +> for spam on inbound mail and ignore the outbound? +> +> I'm using Sendmail and running procmail on the gateway to call +spamassassin. +> I know it more of a sendmail question, but my google searches have only +> turned up people trying to log all inbound and outbound email. +> +Using procmail, SpamAssassin doesn't get called for outgoing email +(messages sent to other machines). +Procmail=Local Delivery Agent => inbound traffic to LOCAL machine. + +SL/ +--- +Stephane Lentz / Alcanet International - Internet Services + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1597.e85265a0da41a962b316d117548bb3ea b/machine-learning-ex6/ex6/easy_ham/1597.e85265a0da41a962b316d117548bb3ea new file mode 100644 index 0000000..9921051 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1597.e85265a0da41a962b316d117548bb3ea @@ -0,0 +1,153 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Sep 24 23:33:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2EDC616F03 + for ; Tue, 24 Sep 2002 23:33:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 24 Sep 2002 23:33:10 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8OMScC25067 for ; Tue, 24 Sep 2002 23:28:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ty92-0008AH-00; Tue, + 24 Sep 2002 15:27:04 -0700 +Received: from ns1.apexvoice.com ([64.52.111.15] + helo=popeye.apexvoice.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17ty84-00085i-00 for + ; Tue, 24 Sep 2002 15:26:04 -0700 +Received: from sthomas (64-52-111-64.apexvoice.com [64.52.111.64]) by + popeye.apexvoice.com (8.12.3/8.12.3) with SMTP id g8OMPrba011319; + Tue, 24 Sep 2002 15:25:53 -0700 +From: "Steve Thomas" +To: "Cheryl L. Southard" , + +Subject: RE: [SAtalk] user_prefs ignored +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +In-Reply-To: <20020924212731.GA24786@deimos.caltech.edu> +X-Virus-Scanned: by amavisd-milter (http://amavis.org/) +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 24 Sep 2002 15:25:54 -0700 +Date: Tue, 24 Sep 2002 15:25:54 -0700 +X-Spam-Status: No, hits=-0.1 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +This is just an semi-educated guess - if I'm wrong, someone please correct +me! + +Spamd setuid's to the user running spamc. Since you're calling spamc from a +global procmailrc file, it's being run as root (most likely). If called as +root, spamd won't open user_prefs files. + +>>From the spamc man page: + + -u username + This argument has been semi-obsoleted. To have spamd use + per-user-config files, run spamc as the user whose config + files spamd should load. If you're running spamc as some + other user though (eg. root, mail, nobody, cyrus, etc.) + then you can still use this flag. + + +The solution is to set DROPPRIVS=yes in /etc/procmailrc, just before running +spamc. From the procmailrc man page: + + DROPPRIVS If set to `yes' procmail will drop all privileges + it might have had (suid or sgid). This is only + useful if you want to guarantee that the bottom + half of the /etc/procmailrc file is executed on + behalf of the recipient. + + +I hope that helps, and I also hope it's right! + +St- + + +| -----Original Message----- +| From: spamassassin-talk-admin@example.sourceforge.net +| [mailto:spamassassin-talk-admin@lists.sourceforge.net]On Behalf Of +| Cheryl L. Southard +| Sent: Tuesday, September 24, 2002 2:28 PM +| To: spamassassin-talk@example.sourceforge.net +| Subject: [SAtalk] user_prefs ignored +| +| +| Hi All, +| +| I am running SpamAssassin 2.41 with procmail as my local delivery agent +| with sendmail. I use spamc/spamd so that it runs site-wide from +| /etc/procmailrc. +| +| spamd is run as root with the flags "-d -a -c", and spamc isn't run with +| any flags. +| +| When I was testing the program, I deployed spamc from my personal +| ~/.procmailrc file, my ~/.spamassassin/user_prefs file was read each time. +| I can see this because I have a non-default "required_hits" value which +| gets reported in every e-mail on the "X-Spam-Status" line. +| +| Now that I run spamc from the global /etc/procmailrc file, my +| ~/.spamassassin/user_prefs file is no longer being read or processed from +| e-mails from outside computers. The "required_hits" value gets set back +| to the one in /etc/mail/spamassassin/local.cf. However, if I send local +| e-mail, my user_prefs file is read and processed correctly. +| +| Does anyone know how to fix this problem? if this is a spamassassin or +| procmail bug? +| +| Thanks, +| +| Cheryl +| +| -- +| Cheryl Southard +| cld@astro.caltech.edu +| +| +| ------------------------------------------------------- +| This sf.net email is sponsored by:ThinkGeek +| Welcome to geek heaven. +| http://thinkgeek.com/sf +| _______________________________________________ +| Spamassassin-talk mailing list +| Spamassassin-talk@lists.sourceforge.net +| https://lists.sourceforge.net/lists/listinfo/spamassassin-talk +| + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1598.d9a96d6e7aa7c5a7001cf43ec39f44f6 b/machine-learning-ex6/ex6/easy_ham/1598.d9a96d6e7aa7c5a7001cf43ec39f44f6 new file mode 100644 index 0000000..953454e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1598.d9a96d6e7aa7c5a7001cf43ec39f44f6 @@ -0,0 +1,49 @@ +From quinlan@pathname.com Thu Sep 26 10:59:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B0CCE16F16 + for ; Thu, 26 Sep 2002 10:59:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 10:59:47 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8PKrgC13456 for + ; Wed, 25 Sep 2002 21:53:42 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17uJAn-0006v7-00; Wed, 25 Sep 2002 13:54:17 -0700 +To: yyyy@example.com (Justin Mason) +Cc: Theo Van Dinter , + Spamassassin Devel List +Subject: Re: [SAdev] Have mass-check remove X-Spam-* headers? +References: <20020925163306.98BD616F18@example.com> +From: Daniel Quinlan +Date: 25 Sep 2002 13:54:17 -0700 +In-Reply-To: yyyy@example.com's message of "Wed, 25 Sep 2002 17:32:59 +0100" +Message-Id: +Lines: 15 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-5.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> except for 1 thing: defanged MIME messages. that's a big problem. +> but if you didn't just *remove* the headers and instead reverted +> back to the X-Spam-Prev versions, it'd more-or-less work. +> +> (BTW fixed the downloads page ;) + +&check now un-defangs MIME -- it was screwing up some of my mass-check +results (where SA-markup was present, yes). + +If there ever was a warning about SA-markup in mass-check, it never +worked for me. + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1599.1f738c1f2512f6179f1d94e2949cce00 b/machine-learning-ex6/ex6/easy_ham/1599.1f738c1f2512f6179f1d94e2949cce00 new file mode 100644 index 0000000..8c8f932 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1599.1f738c1f2512f6179f1d94e2949cce00 @@ -0,0 +1,75 @@ +Replied: Thu, 26 Sep 2002 11:37:44 +0100 +Replied: Doug Crompton +Replied: SpamAssassin-Talk list +From spamassassin-talk-admin@lists.sourceforge.net Thu Sep 26 11:10:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9800216F03 + for ; Thu, 26 Sep 2002 11:10:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 11:10:38 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8Q5A7C01797 for ; Thu, 26 Sep 2002 06:10:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17uQse-00017m-00; Wed, + 25 Sep 2002 22:08:04 -0700 +Received: from crompton.com ([207.103.34.25] helo=bridget.crompton.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17uQre-0008Lg-00 for ; + Wed, 25 Sep 2002 22:07:03 -0700 +Received: from localhost (doug@localhost) by bridget.crompton.com + (8.11.6/8.11.6/SuSE Linux 0.5) with ESMTP id g8Q55Si17986 for + ; Thu, 26 Sep 2002 01:05:37 -0400 +From: Doug Crompton +To: SpamAssassin-Talk list +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [SAtalk] Razor problem +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 26 Sep 2002 01:05:28 -0400 (EDT) +Date: Thu, 26 Sep 2002 01:05:28 -0400 (EDT) +X-Spam-Status: No, hits=-0.9 required=5.0 + tests=KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +I just picked up Razor SDK 2.03 and 2.14 agents from the the razor site. +I am using SuSe 7.3 - intalled SDK with no problems. All tests passed. + +When I try to make the 2.14 agents I get all kinds of errors. In +particuliar it says the net::dns is missing. But it seems to be there. The +SDK test passes it. + +Any help would be appreciated. + +Doug + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1600.7d1caa5855ff06f37269178401aff693 b/machine-learning-ex6/ex6/easy_ham/1600.7d1caa5855ff06f37269178401aff693 new file mode 100644 index 0000000..84fc564 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1600.7d1caa5855ff06f37269178401aff693 @@ -0,0 +1,71 @@ +From easmith@beatrice.rutgers.edu Thu Sep 26 16:29:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E7CEA16F03 + for ; Thu, 26 Sep 2002 16:29:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 16:29:48 +0100 (IST) +Received: from dogberry.rutgers.edu + (IDENT:ZZyo5NaveTUUTqXKkTS+TJzdiDPFTOoJ@dogberry.rutgers.edu + [165.230.209.227]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8QD5Vg19025 for ; Thu, 26 Sep 2002 14:05:31 +0100 +Received: from puck2.rutgers.edu (sendmail@puck2.rutgers.edu + [165.230.209.234]) by dogberry.rutgers.edu (8.11.2/8.11.2) with ESMTP id + g8QD5BP13089103; Thu, 26 Sep 2002 09:05:11 -0400 (EDT) +Received: (from easmith@localhost) by puck2.rutgers.edu (8.11.2/8.11.2) id + g8QD5At2678978; Thu, 26 Sep 2002 09:05:10 -0400 (EDT) +From: "Allen Smith" +Message-Id: <10209260905.ZM2657541@puck2.rutgers.edu> +Date: Thu, 26 Sep 2002 09:05:08 -0400 +In-Reply-To: Daniel Quinlan + "Re: GA Development (was Re: [SAdev] [Bug 1030] NO_INVENTORY dangerous)" + (Sep 25, 7:35pm) +References: <20020925231047.137DE9CE4C@belphegore.hughes-family.org> + <10209251923.ZM2637799@puck2.rutgers.edu> + <15762.18084.872694.456893@proton.pathname.com> +X-Mailer: Z-Mail (3.2.3 08feb96 MediaMail) +To: Daniel Quinlan +Subject: Re: GA Development (was Re: [SAdev] [Bug 1030] NO_INVENTORY + dangerous) +Cc: yyyy@example.com, spamassassin-devel@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 8bit +X-Spam-Status: No, hits=-2.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,SIGNATURE_SHORT_DENSE + version=2.50-cvs +X-Spam-Level: + +On Sep 25, 7:35pm, Daniel Quinlan wrote: +> Allen Smith writes: +> +> > Well, I have been doing a bit of fiddling with the GA. I don't have +> > a _large_ corpus practically available to me (or processable within +> > reasonable processor time - I can justify the GA fiddling part as +> > being part of my research, but not the mail processing...), so in +> > order to test out my changes someone needs to send me a copy of the +> > "tmp/scores.h" and "tmp/tests.h" that get generated prior to the GA +> > going into action. +> +> Why not start with mass-check corpus results? It's much easier to get +> those + +Ah. As in getting a directory listing of the corpus server and doing some +downloads? OK, done. + +> and you can create your own tmp/scores.h and tmp/tests.h. + +Good point. Will report back on my results. + + -Allen + +-- +Allen Smith http://cesario.rutgers.edu/easmith/ +September 11, 2001 A Day That Shall Live In Infamy II +"They that can give up essential liberty to obtain a little temporary +safety deserve neither liberty nor safety." - Benjamin Franklin + + diff --git a/machine-learning-ex6/ex6/easy_ham/1601.e586e85a3d75cc48f9b913f244d52632 b/machine-learning-ex6/ex6/easy_ham/1601.e586e85a3d75cc48f9b913f244d52632 new file mode 100644 index 0000000..97d5bff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1601.e586e85a3d75cc48f9b913f244d52632 @@ -0,0 +1,62 @@ +From spamassassin-commits-admin@lists.sourceforge.net Thu Sep 26 20:43:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5868216F16 + for ; Thu, 26 Sep 2002 20:43:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 26 Sep 2002 20:43:38 +0100 (IST) +Received: from usw-sf-list1.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8QIvSg01698 for ; Thu, 26 Sep 2002 19:57:29 +0100 +Received: from usw-sf-list2-b.sourceforge.net ([10.3.1.14] + helo=usw-sf-list2.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17udpr-0003Gn-00 for ; Thu, 26 Sep 2002 + 11:58:03 -0700 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17udpt-0007W1-00 for + ; Thu, 26 Sep 2002 11:58:05 -0700 +Received: from bouncemail1.prodigy.net ([207.115.63.83]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17udp0-0003Ax-00 for ; + Thu, 26 Sep 2002 11:57:10 -0700 +Received: from vma-ext.prodigy.net (vma-int.prodigy.net [192.168.241.86]) + by BounceMail1.prodigy.net (8.11.6/8.11.6) with ESMTP id g8QHUeo23558 for + ; Thu, 26 Sep 2002 + 13:30:40 -0400 +Received: (from root@localhost) by vma-ext.prodigy.net (8.12.3 da nor + stuldap/8.12.3) id g8QHUeTt304894 for + spamassassin-commits-admin@lists.sourceforge.net; Thu, 26 Sep 2002 + 13:30:40 -0400 +From: MAILER-DAEMON@prodigy.net +Message-Id: <200209261730.g8QHUeTt304894@vma-ext.prodigy.net> +Date: Thu, 26 Sep 2002 13:16:12 -0400 +Subject: Returned mail: [SACVS] CVS: spamassassin/masses craig-evolve.c.ALTIVEC,NONE,1.1 + craig-evolve.c,1.8,1.9 +To: +Sender: spamassassin-commits-owner@example.sourceforge.net +Errors-To: spamassassin-commits-owner@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Spam-Status: No, hits=-0.5 required=5.0 tests=FAILURE_NOTICE_1,KNOWN_MAILING_LIST,MAILER_DAEMON, + NO_REAL_NAME version=2.50-cvs +X-Spam-Level: + +Unable to find user: +Please make sure the address is correct and resend your mail. + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1602.a6d0709065f52668e973ba89f32def7a b/machine-learning-ex6/ex6/easy_ham/1602.a6d0709065f52668e973ba89f32def7a new file mode 100644 index 0000000..6fe8d03 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1602.a6d0709065f52668e973ba89f32def7a @@ -0,0 +1,102 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Oct 1 11:01:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 59C9416F16 + for ; Tue, 1 Oct 2002 11:01:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 01 Oct 2002 11:01:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g919uNK19800 for ; Tue, 1 Oct 2002 10:56:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wJiD-0006pw-00; Tue, + 01 Oct 2002 02:53:05 -0700 +Received: from relay07.indigo.ie ([194.125.133.231]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wJhX-0007dq-00 for ; + Tue, 01 Oct 2002 02:52:23 -0700 +Received: (qmail 752 messnum 1022591 invoked from + network[194.125.172.18/ts12-018.dublin.indigo.ie]); 1 Oct 2002 09:52:19 + -0000 +Received: from ts12-018.dublin.indigo.ie (HELO example.com) + (194.125.172.18) by relay07.indigo.ie (qp 752) with SMTP; 1 Oct 2002 + 09:52:19 -0000 +Received: by example.com (Postfix, from userid 500) id 95CB616F03; + Tue, 1 Oct 2002 10:52:01 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 9408FF7B1; Tue, 1 Oct 2002 10:52:01 +0100 (IST) +To: SpamTalk +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] URL blacklist +In-Reply-To: Message from SpamTalk of + "Mon, 30 Sep 2002 19:38:24 CDT." + <0FCA00EE04CDD3119C910050041FBA703A68A0@ilpostoffice.main.net56.net> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20021001095201.95CB616F03@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 01 Oct 2002 10:51:56 +0100 +Date: Tue, 01 Oct 2002 10:51:56 +0100 +X-Spam-Status: No, hits=-105.6 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,ONLY_COST, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +SpamTalk said: +> Probably better than the "spam phrases" approach would be the database +> approach as currently used for white/black listing. +> Any way to tie that to an XML retrieval from a list of central repositories? +> Does mySQL do replication? A properly done XML would let us eyeball the list +> as well as use it to keep the database up to date. +> Another idea: could we synthesize an RBL so that +> http://www.spammer.com/spam/web/bug/ becomes spam.web.bug.x.www.spammer.com +> for a reverse lookup? It is going to get tricky, how to specify a randomized +> intermediate directory? + +A good plan, needs an implementation though: + + http://bl.reynolds.net.au/ksi/email/ + +hmm. seems down to me. Basically it's a plan to store hash sums of +URLs/phone numbers found in spam in a DNSBL, for apps like SpamAssassin to +look up. A little like spamcop's "spamvertized URL" list... + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: DEDICATED SERVERS only $89! +Linux or FreeBSD, FREE setup, FAST network. Get your own server +today at http://www.ServePath.com/indexfm.htm +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1603.c0963552df600d961b960f710d6ffaa7 b/machine-learning-ex6/ex6/easy_ham/1603.c0963552df600d961b960f710d6ffaa7 new file mode 100644 index 0000000..224ca66 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1603.c0963552df600d961b960f710d6ffaa7 @@ -0,0 +1,88 @@ +From felicity@kluge.net Sun Sep 22 21:55:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0B22316F03 + for ; Sun, 22 Sep 2002 21:55:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 21:55:57 +0100 (IST) +Received: from eclectic.kluge.net + (IDENT:QCBC2WuA3fKBlFCg7HAjloSLekUZTvh3@eclectic.kluge.net [66.92.69.221]) + by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8MGbmC07994 for + ; Sun, 22 Sep 2002 17:37:48 +0100 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g8MGcKm5026158; + Sun, 22 Sep 2002 12:38:20 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g8MGcKc8026156; Sun, 22 Sep 2002 12:38:20 -0400 +Date: Sun, 22 Sep 2002 12:38:20 -0400 +From: Theo Van Dinter +To: Justin Mason +Cc: Spamassassin List +Subject: Re: [SAtalk] telesp.net.br? +Message-Id: <20020922163819.GB25030@kluge.net> +References: <20020922133353.193AC16F03@example.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="qcHopEYAB45HaUaB" +Content-Disposition: inline +In-Reply-To: <20020922133353.193AC16F03@example.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +X-Spam-Status: No, hits=-11.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--qcHopEYAB45HaUaB +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Sun, Sep 22, 2002 at 02:33:48PM +0100, Justin Mason wrote: +> I seem to be getting a *lot* of spam relayed via these guys recently. +> Can others confirm this? +>=20 +> if it's the case, I'll come up with a forged-hostname test for it. + +I do get some from them, typically some dsl.telesp.net.br host: + +% grep -c telesp.net.br *| sort -rn +spammers-2002-09:59 +spammers-2002-08:64 +spammers-2002-07:23 +spammers-2002-06:13 +spammers-2002-05:4 +spammers-2002-04:2 + +Definitely increasing per month. Percentage-wise: 2002-09 has 1212 +spams in it, so 59/1212 is about 4.8%. Last month was 3.6%. + +--=20 +Randomly Generated Tagline: +I don't believe I've ever cuddled my elses. + -- Larry Wall in <199806221550.IAA07171@wall.org> + +--qcHopEYAB45HaUaB +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9jfH7AuOQUeWAs2MRAkcuAKDZpe2Imevx9OkqkCh1rKh2IXvv6ACfZ/kn +aBRBTJx/PNPOZg5GNPk5b/s= +=mUje +-----END PGP SIGNATURE----- + +--qcHopEYAB45HaUaB-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/1604.051f662e3490b712974e5af2cc90043a b/machine-learning-ex6/ex6/easy_ham/1604.051f662e3490b712974e5af2cc90043a new file mode 100644 index 0000000..63ba7b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1604.051f662e3490b712974e5af2cc90043a @@ -0,0 +1,42 @@ +From quinlan@pathname.com Fri Sep 20 11:28:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2948016F16 + for ; Fri, 20 Sep 2002 11:28:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:28:06 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8JLUVC04528 for + ; Thu, 19 Sep 2002 22:30:31 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17s8t2-0003Io-00; Thu, 19 Sep 2002 14:31:00 -0700 +To: yyyy@example.com (Justin Mason) +Cc: Matt Kettler , + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] phew! +References: <20020919113604.D475F16F1C@example.com> +From: Daniel Quinlan +Date: 19 Sep 2002 14:31:00 -0700 +In-Reply-To: yyyy@example.com's message of "Thu, 19 Sep 2002 12:35:59 +0100" +Message-Id: +Lines: 8 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-5.9 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +jm@jmason.org (Justin Mason) writes: + +> Yes -- 50% of the entire set for training and 50% for evaluation. + +Once you've settled on the final method for any one release, why not +use 100% of the data for a final run? + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1605.95c19e87a7c394abe0e459ba511935e5 b/machine-learning-ex6/ex6/easy_ham/1605.95c19e87a7c394abe0e459ba511935e5 new file mode 100644 index 0000000..c69c776 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1605.95c19e87a7c394abe0e459ba511935e5 @@ -0,0 +1,71 @@ +From quinlan@pathname.com Wed Oct 2 11:43:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3D25716F17 + for ; Wed, 2 Oct 2002 11:43:09 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 11:43:09 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g922LbK21545 for + ; Wed, 2 Oct 2002 03:21:38 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17wZ9U-0005lL-00; Tue, 01 Oct 2002 19:22:16 -0700 +To: Theo Van Dinter +Cc: Justin Mason , + Spamassassin Devel List +Subject: Re: [SAdev] Re: [Razor-users] Mutating spam +References: + <5.1.1.6.0.20021001095106.01ac9760@192.168.50.2> + <20021001194648.DBAAC16F16@jmason.org> <20021001205821.GN29097@kluge.net> +From: Daniel Quinlan +Date: 01 Oct 2002 19:22:16 -0700 +In-Reply-To: Theo Van Dinter's message of "Tue, 1 Oct 2002 16:58:21 -0400" +Message-Id: +Lines: 34 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-74.6 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,QUOTED_EMAIL_TEXT, + REFERENCES,REPLY_WITH_QUOTES,T_QUOTE_TWICE_2, + USER_AGENT_GNUS_XM + version=2.50-cvs +X-Spam-Level: + +Justin Mason wrote: + +>> Interestingly, some of these seem (apparently) to be encrypted versions of +>> the recipient email address. To see this, ROT13 yr address and grep your +>> spam archive. There'll be at least 1 hit. + +Theo Van Dinter writes: + +> Hmmm. I'm surprised at these results, especially since I should be +> seeing some false positives... Not a lot of matches though. :( + +Still worthwhile -- 1.257% is not that bad. :-) + +My results: + + OVERALL% SPAM% NONSPAM% S/O RANK SCORE NAME + 11774 4079 7695 0.35 0.00 0.00 (all messages) + 100.000 34.644 65.356 0.35 0.00 0.00 (all messages as %) + 0.195 0.564 0.000 1.00 0.75 1.00 T_ROT13_EMAIL_3 + 0.161 0.466 0.000 1.00 0.73 1.00 T_ROT13_EMAIL_2 + 0.161 0.466 0.000 1.00 0.73 1.00 T_ROT13_EMAIL + +The interesting thing is that these hits all seem to be rot13 versions +of the To: address. If we ever start getting FPs (or if anyone is +worried), we could make it an eval test for rot13 of the To: address +(turning non-word characters into "." characters in the regular +expression). + +At the same time, it might be worth testing for username in HTML +comments. I found some types in HTML comments, but I +haven't seen enough hits so far to bother (however, I did add a really +good test for email addresses in comments). + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1606.3dc1298108c79723735fefb01991f22d b/machine-learning-ex6/ex6/easy_ham/1606.3dc1298108c79723735fefb01991f22d new file mode 100644 index 0000000..5e8a855 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1606.3dc1298108c79723735fefb01991f22d @@ -0,0 +1,109 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C4BD016F21 + for ; Wed, 2 Oct 2002 16:01:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DM0K10237 for ; Wed, 2 Oct 2002 14:22:07 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjSV-00083D-00; Wed, + 02 Oct 2002 06:22:35 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjPX-0005v9-00 for ; + Wed, 02 Oct 2002 06:19:31 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjPX-00056m-00 for + ; Wed, 02 Oct 2002 06:19:31 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjPW-00014B-00 for + ; Wed, 02 Oct 2002 06:19:30 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/lib/Mail SpamAssassin.pm,1.115.2.11,1.115.2.12 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:19:30 -0700 +Date: Wed, 02 Oct 2002 06:19:30 -0700 +X-Spam-Status: No, hits=-56.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/lib/Mail +In directory usw-pr-cvs1:/tmp/cvs-serv4019/lib/Mail + +Modified Files: + Tag: b2_4_0 + SpamAssassin.pm +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: SpamAssassin.pm +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/lib/Mail/SpamAssassin.pm,v +retrieving revision 1.115.2.11 +retrieving revision 1.115.2.12 +diff -b -w -u -d -r1.115.2.11 -r1.115.2.12 +--- SpamAssassin.pm 24 Sep 2002 18:51:37 -0000 1.115.2.11 ++++ SpamAssassin.pm 2 Oct 2002 13:19:28 -0000 1.115.2.12 +@@ -696,7 +696,13 @@ + } + + ########################################################################### +-# non-public methods. ++ ++=item $f->init ($use_user_prefs) ++ ++Read and parse the current configuration. C<$use_user_prefs> can ++be C<0> (do not read user preferences) or C<1> (do). ++ ++=cut + + sub init { + my ($self, $use_user_pref) = @_; +@@ -767,6 +773,9 @@ + + # TODO -- open DNS cache etc. if necessary + } ++ ++########################################################################### ++# non-public methods. + + sub read_cf { + my ($self, $path, $desc) = @_; + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1607.d2f250ddf3a443a4a10c5ea9825da694 b/machine-learning-ex6/ex6/easy_ham/1607.d2f250ddf3a443a4a10c5ea9825da694 new file mode 100644 index 0000000..af59627 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1607.d2f250ddf3a443a4a10c5ea9825da694 @@ -0,0 +1,94 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:40 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id DB61416F49 + for ; Wed, 2 Oct 2002 16:01:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DM1K10238 for ; Wed, 2 Oct 2002 14:22:07 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjSX-000848-00; Wed, + 02 Oct 2002 06:22:37 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjPX-0005v7-00 for ; + Wed, 02 Oct 2002 06:19:31 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjPX-00056i-00 for + ; Wed, 02 Oct 2002 06:19:31 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjPW-000143-00 for + ; Wed, 02 Oct 2002 06:19:30 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin spamassassin.raw,1.68.2.12,1.68.2.13 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:19:30 -0700 +Date: Wed, 02 Oct 2002 06:19:30 -0700 +X-Spam-Status: No, hits=-58.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin +In directory usw-pr-cvs1:/tmp/cvs-serv4019 + +Modified Files: + Tag: b2_4_0 + spamassassin.raw +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: spamassassin.raw +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/spamassassin.raw,v +retrieving revision 1.68.2.12 +retrieving revision 1.68.2.13 +diff -b -w -u -d -r1.68.2.12 -r1.68.2.13 +--- spamassassin.raw 24 Sep 2002 18:51:37 -0000 1.68.2.12 ++++ spamassassin.raw 2 Oct 2002 13:19:28 -0000 1.68.2.13 +@@ -216,6 +216,9 @@ + if ($@) { warn $@; } + + if ($doing_whitelist_operation) { ++ # read the config! ++ $spamtest->init (1); ++ + if ($opt{'add-to-whitelist'}) { + $spamtest->add_all_addresses_to_whitelist ($mail); + } elsif ($opt{'remove-from-whitelist'}) { + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1608.aeda79b0cdb36bdde6d6b275b7484a89 b/machine-learning-ex6/ex6/easy_ham/1608.aeda79b0cdb36bdde6d6b275b7484a89 new file mode 100644 index 0000000..1869425 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1608.aeda79b0cdb36bdde6d6b275b7484a89 @@ -0,0 +1,159 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:41 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5269A16F56 + for ; Wed, 2 Oct 2002 16:01:07 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:07 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DNHK10379 for ; Wed, 2 Oct 2002 14:23:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjTk-0000QG-00; Wed, + 02 Oct 2002 06:23:52 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjPX-0005vM-00 for ; + Wed, 02 Oct 2002 06:19:31 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjPX-00056q-00 for + ; Wed, 02 Oct 2002 06:19:31 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjPX-00014T-00 for + ; Wed, 02 Oct 2002 06:19:31 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/t db_based_whitelist.t,1.6.4.1,1.6.4.2 + db_based_whitelist_ips.t,1.1.2.1,1.1.2.2 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:19:31 -0700 +Date: Wed, 02 Oct 2002 06:19:31 -0700 +X-Spam-Status: No, hits=-60.5 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/t +In directory usw-pr-cvs1:/tmp/cvs-serv4019/t + +Modified Files: + Tag: b2_4_0 + db_based_whitelist.t db_based_whitelist_ips.t +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: db_based_whitelist.t +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/t/db_based_whitelist.t,v +retrieving revision 1.6.4.1 +retrieving revision 1.6.4.2 +diff -b -w -u -d -r1.6.4.1 -r1.6.4.2 +--- db_based_whitelist.t 24 Sep 2002 18:51:38 -0000 1.6.4.1 ++++ db_based_whitelist.t 2 Oct 2002 13:19:28 -0000 1.6.4.2 +@@ -2,7 +2,7 @@ + + use lib '.'; use lib 't'; + use SATest; sa_t_init("db_based_whitelist"); +-use Test; BEGIN { plan tests => 3 }; ++use Test; BEGIN { plan tests => 8 }; + + # --------------------------------------------------------------------------- + +@@ -16,17 +16,17 @@ + %patterns = %is_nonspam_patterns; + $scr_test_args = "-M Mail::SpamAssassin::DBBasedAddrList"; + +-sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb); ++ok (sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb)); + + # 3 times, to get into the whitelist: +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + + # Now check + ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + ok_all_patterns(); + + %patterns = %is_spam_patterns; +-sarun ("-L -a -t < data/spam/004", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/spam/004", \&patterns_run_cb)); + ok_all_patterns(); + +Index: db_based_whitelist_ips.t +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/t/db_based_whitelist_ips.t,v +retrieving revision 1.1.2.1 +retrieving revision 1.1.2.2 +diff -b -w -u -d -r1.1.2.1 -r1.1.2.2 +--- db_based_whitelist_ips.t 24 Sep 2002 18:51:38 -0000 1.1.2.1 ++++ db_based_whitelist_ips.t 2 Oct 2002 13:19:29 -0000 1.1.2.2 +@@ -2,7 +2,7 @@ + + use lib '.'; use lib 't'; + use SATest; sa_t_init("db_based_whitelist_ips"); +-use Test; BEGIN { plan tests => 3 }; ++use Test; BEGIN { plan tests => 8 }; + + # --------------------------------------------------------------------------- + +@@ -15,18 +15,18 @@ + + %patterns = %is_nonspam_patterns; + +-sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb); ++ok (sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb)); + + # 3 times, to get into the whitelist: +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + + # Now check + ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + ok_all_patterns(); + + %patterns = %is_spam_patterns; +-sarun ("-L -a -t < data/spam/007", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/spam/007", \&patterns_run_cb)); + ok_all_patterns(); + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1609.d3849c49c9377d824b5ab007f36e96f8 b/machine-learning-ex6/ex6/easy_ham/1609.d3849c49c9377d824b5ab007f36e96f8 new file mode 100644 index 0000000..3970414 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1609.d3849c49c9377d824b5ab007f36e96f8 @@ -0,0 +1,93 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C231F16F69 + for ; Wed, 2 Oct 2002 16:01:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:11 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DNKK10392 for ; Wed, 2 Oct 2002 14:23:20 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjTo-0000TE-00; Wed, + 02 Oct 2002 06:23:56 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjQZ-0006N1-00 for ; + Wed, 02 Oct 2002 06:20:35 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjQY-000585-00 for + ; Wed, 02 Oct 2002 06:20:34 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjQY-0001AG-00 for + ; Wed, 02 Oct 2002 06:20:34 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin spamassassin.raw,1.76,1.77 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:20:34 -0700 +Date: Wed, 02 Oct 2002 06:20:34 -0700 +X-Spam-Status: No, hits=-62.7 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin +In directory usw-pr-cvs1:/tmp/cvs-serv4429 + +Modified Files: + spamassassin.raw +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: spamassassin.raw +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/spamassassin.raw,v +retrieving revision 1.76 +retrieving revision 1.77 +diff -b -w -u -d -r1.76 -r1.77 +--- spamassassin.raw 26 Sep 2002 17:14:59 -0000 1.76 ++++ spamassassin.raw 2 Oct 2002 13:20:32 -0000 1.77 +@@ -218,6 +218,9 @@ + if ($@) { warn $@; } + + if ($doing_whitelist_operation) { ++ # read the config! ++ $spamtest->init (1); ++ + if ($opt{'add-to-whitelist'}) { + $spamtest->add_all_addresses_to_whitelist ($mail); + } elsif ($opt{'remove-from-whitelist'}) { + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1610.adfdd3cbb3bad46220490cf0d9c26396 b/machine-learning-ex6/ex6/easy_ham/1610.adfdd3cbb3bad46220490cf0d9c26396 new file mode 100644 index 0000000..f842573 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1610.adfdd3cbb3bad46220490cf0d9c26396 @@ -0,0 +1,107 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:45 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E413116F6A + for ; Wed, 2 Oct 2002 16:01:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:13 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DNLK10396 for ; Wed, 2 Oct 2002 14:23:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjTo-0000T2-00; Wed, + 02 Oct 2002 06:23:56 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjQZ-0006N4-00 for ; + Wed, 02 Oct 2002 06:20:35 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjQZ-000589-00 for + ; Wed, 02 Oct 2002 06:20:35 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjQZ-0001AP-00 for + ; Wed, 02 Oct 2002 06:20:35 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/rules 50_scores.cf,1.226,1.227 + 60_whitelist.cf,1.31,1.32 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:20:35 -0700 +Date: Wed, 02 Oct 2002 06:20:35 -0700 +X-Spam-Status: No, hits=-64.9 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/rules +In directory usw-pr-cvs1:/tmp/cvs-serv4429/rules + +Modified Files: + 50_scores.cf 60_whitelist.cf +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: 50_scores.cf +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/rules/50_scores.cf,v +retrieving revision 1.226 +retrieving revision 1.227 +diff -b -w -u -d -r1.226 -r1.227 +--- 50_scores.cf 1 Oct 2002 09:53:43 -0000 1.226 ++++ 50_scores.cf 2 Oct 2002 13:20:32 -0000 1.227 +@@ -611,7 +611,7 @@ + score PORN_GALLERIES 1.000 + score RATWARE_LC_OUTLOOK 1.000 + score SHORT_RECEIVED_LINE 4.300 +-score SAFEGUARD_NOTICE -3.300 ++score SAFEGUARD_NOTICE 3.300 + score MAILMAN_CONFIRM -1.000 + score SIGNIFICANT 1.000 + score RATWARE_DIFFOND 2.200 + +Index: 60_whitelist.cf +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/rules/60_whitelist.cf,v +retrieving revision 1.31 +retrieving revision 1.32 +diff -b -w -u -d -r1.31 -r1.32 +--- 60_whitelist.cf 11 Sep 2002 21:31:35 -0000 1.31 ++++ 60_whitelist.cf 2 Oct 2002 13:20:33 -0000 1.32 +@@ -65,3 +65,4 @@ + + # Friends re-united (popular UK old-school-network) + whitelist_from_rcvd *@friendsreunited.co.uk friendsreunited.co.uk ++ + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1611.e83818d7655d711bee3f320bd19e6f6d b/machine-learning-ex6/ex6/easy_ham/1611.e83818d7655d711bee3f320bd19e6f6d new file mode 100644 index 0000000..8342475 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1611.e83818d7655d711bee3f320bd19e6f6d @@ -0,0 +1,158 @@ +From spamassassin-commits-admin@lists.sourceforge.net Wed Oct 2 16:02:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9E87616F71 + for ; Wed, 2 Oct 2002 16:01:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 02 Oct 2002 16:01:16 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92DNKK10395 for ; Wed, 2 Oct 2002 14:23:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wjTo-0000TO-00; Wed, + 02 Oct 2002 06:23:56 -0700 +Received: from usw-sf-sshgate.sourceforge.net ([216.136.171.253] + helo=usw-sf-netmisc.sourceforge.net) by usw-sf-list1.sourceforge.net with + esmtp (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wjQZ-0006N6-00 for ; + Wed, 02 Oct 2002 06:20:35 -0700 +Received: from usw-pr-cvs1-b.sourceforge.net ([10.5.1.7] + helo=usw-pr-cvs1.sourceforge.net) by usw-sf-netmisc.sourceforge.net with + esmtp (Exim 3.22 #1 (Debian)) id 17wjQZ-00058D-00 for + ; Wed, 02 Oct 2002 06:20:35 + -0700 +Received: from yyyyason by usw-pr-cvs1.sourceforge.net with local (Exim 3.22 + #1 (Debian)) id 17wjQZ-0001AW-00 for + ; Wed, 02 Oct 2002 06:20:35 + -0700 +To: spamassassin-commits@example.sourceforge.net +Message-Id: +From: Justin Mason +Subject: [SACVS] CVS: spamassassin/t db_based_whitelist.t,1.7,1.8 + db_based_whitelist_ips.t,1.2,1.3 +Sender: spamassassin-commits-admin@example.sourceforge.net +Errors-To: spamassassin-commits-admin@example.sourceforge.net +X-Beenthere: spamassassin-commits@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 02 Oct 2002 06:20:35 -0700 +Date: Wed, 02 Oct 2002 06:20:35 -0700 +X-Spam-Status: No, hits=-67.0 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,PATCH_UNIFIED_DIFF + version=2.50-cvs +X-Spam-Level: + +Update of /cvsroot/spamassassin/spamassassin/t +In directory usw-pr-cvs1:/tmp/cvs-serv4429/t + +Modified Files: + db_based_whitelist.t db_based_whitelist_ips.t +Log Message: +fixed bug 1033: -R and -W were not respecting auto_whitelist_path + +Index: db_based_whitelist.t +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/t/db_based_whitelist.t,v +retrieving revision 1.7 +retrieving revision 1.8 +diff -b -w -u -d -r1.7 -r1.8 +--- db_based_whitelist.t 26 Sep 2002 17:15:04 -0000 1.7 ++++ db_based_whitelist.t 2 Oct 2002 13:20:33 -0000 1.8 +@@ -2,7 +2,7 @@ + + use lib '.'; use lib 't'; + use SATest; sa_t_init("db_based_whitelist"); +-use Test; BEGIN { plan tests => 3 }; ++use Test; BEGIN { plan tests => 8 }; + + # --------------------------------------------------------------------------- + +@@ -16,17 +16,17 @@ + %patterns = %is_nonspam_patterns; + $scr_test_args = "-M Mail::SpamAssassin::DBBasedAddrList"; + +-sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb); ++ok (sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb)); + + # 3 times, to get into the whitelist: +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + + # Now check + ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + ok_all_patterns(); + + %patterns = %is_spam_patterns; +-sarun ("-L -a -t < data/spam/004", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/spam/004", \&patterns_run_cb)); + ok_all_patterns(); + +Index: db_based_whitelist_ips.t +=================================================================== +RCS file: /cvsroot/spamassassin/spamassassin/t/db_based_whitelist_ips.t,v +retrieving revision 1.2 +retrieving revision 1.3 +diff -b -w -u -d -r1.2 -r1.3 +--- db_based_whitelist_ips.t 26 Sep 2002 17:15:04 -0000 1.2 ++++ db_based_whitelist_ips.t 2 Oct 2002 13:20:33 -0000 1.3 +@@ -2,7 +2,7 @@ + + use lib '.'; use lib 't'; + use SATest; sa_t_init("db_based_whitelist_ips"); +-use Test; BEGIN { plan tests => 3 }; ++use Test; BEGIN { plan tests => 8 }; + + # --------------------------------------------------------------------------- + +@@ -15,18 +15,18 @@ + + %patterns = %is_nonspam_patterns; + +-sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb); ++ok (sarun ("--remove-addr-from-whitelist whitelist_test\@whitelist.spamassassin.taint.org", \&patterns_run_cb)); + + # 3 times, to get into the whitelist: +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); +-sarun ("-L -a -t < data/nice/002", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); ++ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + + # Now check + ok (sarun ("-L -a -t < data/nice/002", \&patterns_run_cb)); + ok_all_patterns(); + + %patterns = %is_spam_patterns; +-sarun ("-L -a -t < data/spam/007", \&patterns_run_cb); ++ok (sarun ("-L -a -t < data/spam/007", \&patterns_run_cb)); + ok_all_patterns(); + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-commits mailing list +Spamassassin-commits@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-commits + + diff --git a/machine-learning-ex6/ex6/easy_ham/1612.17083808deba0447726df856cbb574aa b/machine-learning-ex6/ex6/easy_ham/1612.17083808deba0447726df856cbb574aa new file mode 100644 index 0000000..7826aec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1612.17083808deba0447726df856cbb574aa @@ -0,0 +1,104 @@ +From spamassassin-talk-admin@lists.sourceforge.net Fri Oct 4 11:07:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2F97F16F1C + for ; Fri, 4 Oct 2002 11:04:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:03 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93KOEK13766 for ; Thu, 3 Oct 2002 21:24:14 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xCVx-0000UX-00; Thu, + 03 Oct 2002 13:24:05 -0700 +Received: from relay07.indigo.ie ([194.125.133.231]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xCV8-0004Tu-00 for ; + Thu, 03 Oct 2002 13:23:14 -0700 +Received: (qmail 85140 messnum 1024118 invoked from + network[194.125.173.131/ts13-131.dublin.indigo.ie]); 3 Oct 2002 20:23:11 + -0000 +Received: from ts13-131.dublin.indigo.ie (HELO example.com) + (194.125.173.131) by relay07.indigo.ie (qp 85140) with SMTP; + 3 Oct 2002 20:23:11 -0000 +Received: by example.com (Postfix, from userid 500) id C3E6C16F03; + Thu, 3 Oct 2002 21:23:09 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id C0200F7B1; Thu, 3 Oct 2002 21:23:09 +0100 (IST) +To: "Malte S. Stretz" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] 2.42: est release? +In-Reply-To: Message from + "Malte S. Stretz" + of + "Wed, 02 Oct 2002 20:31:49 +0200." + <200210022031.49748@malte.stretz.eu.org> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20021003202309.C3E6C16F03@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 03 Oct 2002 21:23:04 +0100 +Date: Thu, 03 Oct 2002 21:23:04 +0100 +X-Spam-Status: No, hits=-191.2 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +Malte S. Stretz said: +> 1046 is fixed. But what about +> 1011 (add a notice about IRIX and -m to the docs), +> 1031 (cygwin's EXE_EXT), +> 1043 (a cosmetic but rather disturbing one ;-), + +all now fixed! + +> 1004 (TO_MALFORMED borken), + +WONTFIX ;) + +> 1006 (packaging related)? + +eh, will leave this for 2.50. ;) + +OK, if there's nothing moderately serious shown up tonight, I'll release +it tomorrow AM (GMT). + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1613.19c5758c67f8ba03cd7412c56c979390 b/machine-learning-ex6/ex6/easy_ham/1613.19c5758c67f8ba03cd7412c56c979390 new file mode 100644 index 0000000..4de2f3c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1613.19c5758c67f8ba03cd7412c56c979390 @@ -0,0 +1,83 @@ +Replied: Fri, 04 Oct 2002 11:24:17 +0100 +Replied: spamassassin-devel@example.sourceforge.net +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5FE216F6D + for ; Fri, 4 Oct 2002 11:05:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:06 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g940XSK26519 for ; Fri, 4 Oct 2002 01:33:28 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xGJ9-00089k-00; Thu, + 03 Oct 2002 17:27:07 -0700 +Received: from cpe013060001360.cpe.net.cable.rogers.com ([24.102.84.250] + helo=green.daf.ddts.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17xGI4-0000jO-00 for + ; Thu, 03 Oct 2002 17:26:01 + -0700 +Received: from daf by green.daf.ddts.net with local (Exim 3.36 #1 + (Debian)) id 17xGI2-0002aT-00 for + ; Thu, 03 Oct 2002 20:25:58 + -0400 +From: Duncan Findlay +To: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Re: Web subscription for spamassassin package +Message-Id: <20021004002558.GD9666@green.daf.ddts.net> +Mail-Followup-To: spamassassin-devel@example.sourceforge.net +References: + <20021003130229.6F0C716F16@jmason.org> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <20021003130229.6F0C716F16@example.com> +User-Agent: Mutt/1.4i +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 20:25:58 -0400 +Date: Thu, 3 Oct 2002 20:25:58 -0400 +X-Spam-Status: No, hits=-6.5 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + REFERENCES,SIGNATURE_LONG_SPARSE,T_NONSENSE_FROM_60_70, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +> eh? any reason why? wasn't causing any trouble for me, and +> seems like a good idea. + +Because every time someone submitted a bug, they'd get a response +saying "Message is held for moderator because of implicit message +destination" or something like that. It annoyed users, it annoyed me, +and Justin, you never actually got around to accepting the messages :-) + +-- +Duncan Findlay + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1614.6923314b59e82a205ba3f227deea1d59 b/machine-learning-ex6/ex6/easy_ham/1614.6923314b59e82a205ba3f227deea1d59 new file mode 100644 index 0000000..e5adb2f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1614.6923314b59e82a205ba3f227deea1d59 @@ -0,0 +1,85 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C9C1116F1E + for ; Fri, 4 Oct 2002 11:04:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93KSoK13843 for ; Thu, 3 Oct 2002 21:28:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xCYq-0000ra-00; Thu, + 03 Oct 2002 13:27:04 -0700 +Received: from smtp6.mindspring.com ([207.69.200.110]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xCY1-0004tZ-00 for ; + Thu, 03 Oct 2002 13:26:13 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by smtp6.mindspring.com with esmtp + (Exim 3.33 #1) id 17xCXw-0008RO-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 16:26:08 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 0BE97A877E; Thu, 3 Oct 2002 13:26:08 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003202608.0BE97A877E@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1049] Pathname for "triplets.txt" is incorrect. +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 13:26:08 -0700 (PDT) +Date: Thu, 3 Oct 2002 13:26:08 -0700 (PDT) +X-Spam-Status: No, hits=-26.4 required=5.0 + tests=AWL,BUGZILLA_BUG,KNOWN_MAILING_LIST,NO_REAL_NAME, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1049 + +felicity@kluge.net changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |FIXED + + + +------- Additional Comments From felicity@kluge.net 2002-10-03 13:26 ------- +Hmmm, my last message doesn't seem to have made it into bugzilla yet. + +I've committed a patch to fix this problem in both HEAD and b2_4_0. The last +message explains what the problem was and what the patch does to fix it. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1615.bb0721aadf9f170a979323adf11c22d5 b/machine-learning-ex6/ex6/easy_ham/1615.bb0721aadf9f170a979323adf11c22d5 new file mode 100644 index 0000000..12a00d6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1615.bb0721aadf9f170a979323adf11c22d5 @@ -0,0 +1,97 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3C46C16F7B + for ; Fri, 4 Oct 2002 11:04:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:11 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93KYxK14047 for ; Thu, 3 Oct 2002 21:34:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xCbm-0001TP-00; Thu, + 03 Oct 2002 13:30:06 -0700 +Received: from maynard.mail.mindspring.net ([207.69.200.243]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xCbg-0005UN-00 for ; + Thu, 03 Oct 2002 13:30:00 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by maynard.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17xCbe-0005Z9-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 16:29:58 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 0F304A877E; Thu, 3 Oct 2002 13:29:58 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003202958.0F304A877E@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1006] Spamassassin's build process makes packaging + unnecessarily difficult +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 13:29:58 -0700 (PDT) +Date: Thu, 3 Oct 2002 13:29:58 -0700 (PDT) +X-Spam-Status: No, hits=-26.7 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1006 + +jm@jmason.org changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |ASSIGNED + + + +------- Additional Comments From jm@jmason.org 2002-10-03 13:29 ------- +1. Use of $Config is gradually being removed, thankfully. I don't want +to see any of that stuff in there if it acn be avoided, as different +perl versions jsut vary so much in that stuff. + +2. perl has no concept of where the rules could be -- unless they're in +the perl libdir (/usr/lib/perl5/site_perl/5.x.x/foo). Perl does not +know about the existence of /usr/share or /etc. Used to use /usr/lib/perl5 +for storing rules, and it was actually *much worse* than it is now. So +we need an out-of-band way to tell SA where to find this stuff. that's +the problem! + +3. try "perl Makefile.PL < /dev/null" to allow bots to build it. + +I think I might be missing some details of what you're peeved about, +though... could you elaborate specifically? + + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1616.cedc09d67c941d1541cf598e0007509e b/machine-learning-ex6/ex6/easy_ham/1616.cedc09d67c941d1541cf598e0007509e new file mode 100644 index 0000000..38ec90e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1616.cedc09d67c941d1541cf598e0007509e @@ -0,0 +1,130 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EE5E516F7C + for ; Fri, 4 Oct 2002 11:04:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93KwcK14628 for ; Thu, 3 Oct 2002 21:58:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xD2r-0006C9-00; Thu, + 03 Oct 2002 13:58:05 -0700 +Received: from barry.mail.mindspring.net ([207.69.200.25]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xD1x-0002DN-00 for ; + Thu, 03 Oct 2002 13:57:09 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by barry.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xD1u-0001dQ-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 16:57:06 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 9BEC9A37B9; Thu, 3 Oct 2002 13:57:05 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: CC +Message-Id: <20021003205705.9BEC9A37B9@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1046] Errors from 'perl Makefile.PL' +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 13:57:05 -0700 (PDT) +Date: Thu, 3 Oct 2002 13:57:05 -0700 (PDT) +X-Spam-Status: No, hits=-28.1 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,QUOTED_EMAIL_TEXT,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1046 + + + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-03 13:57 ------- +> I've thought about this and PM_FILTER needs to die. I've now tried +> multiple ways to make it just transparently work on 5.00503 and failed. +> If anyone has any bright ideas please jump in. +> +> You see anyone upgrading from the CPAN shell will get a failure on the line: +> +> use ExtUtils::MakeMaker 5.45; + +Quite some modules from CPAN do have a line like this nowadays (I think or +read so somewhere, respectively). And the Perl error message is very clear: +"ExtUtils::MakeMaker version 5.45 required--this is only version 5.4302 at +Makefile.PL line 2." + +> Because it never gets chance to reach a "WriteMakefile" line with a +> PREREQ_PM => { ExtUtils::MakeMaker => 5.45 } option. So the CPAN shell +> can't automatically upgrade this module. I cannot think of any way +> around this. + +I could think of a solution: We could remove the "use" line and add the +version to PREREQ_PM. After WriteMakefile() we could add the lines + require ExtUtils::MakeMaker; + ExtUtils::MakeMaker->VERSION(5.45); +to do per hand what 'use ExtUtils::MakeMaker 5.45' does automagically; `perl +Makefile.PL` will die with a "Uncaught exception from user code: +ExtUtils::MakeMaker version 5.45 required--this is only version 5.4302 at +Makefile.PL line 103." there but we've got a Makefile. But I don't know if +CPAN will run the make anyway... + +> To add insult to injury, the PM_FILTER part gets run during pm_to_blib, +> which would be fine, except ExtUtils::MakeMaker doesn't let you write a +> MY::pm_to_blib - it's non-overridable! So even though we could +> potentially copy the 5.45 ExtUtils::Install::pm_to_blib code somewhere +> into the spamassassin codebase (I tried that first), we can't cause the +> Makefile to call our code :-( + +We could call the preprocessor on install time. That's not a very clean +approach but could work. + +We can also overwrite pm_to_blib in the Makefile directly per postamble. We +already have a useless line "pm_to_blib: spamassassin doc/.made" there. Adding +some commands in this section gives some make warnings ("Makefile:933: +warning: overriding commands for target `pm_to_blib' Makefile:877: warning: +ignoring old commands for target `pm_to_blib'") but does work. Not a very good +solution either. + +> So I'm *strongly* against the current use of ExtUtils::MakeMaker 5.45 +> usage (if this were an Apache project this would be my veto vote), and +> really hope we can find another way. + +The "use MakeMaker::..." error message is IMHO quite clear, so I think it's ok +to require the user to do a manual update of ExtUtils::MakeMaker before the SA +installation. But that's just my opinion ;-) + +I'll ask on makemaker@perl.org for the best solution. They should know. + + + +------- You are receiving this mail because: ------- +You are on the CC list for the bug, or are watching someone who is. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1617.75b61ae83ecff7b45a80cac6cc8c9192 b/machine-learning-ex6/ex6/easy_ham/1617.75b61ae83ecff7b45a80cac6cc8c9192 new file mode 100644 index 0000000..7c94790 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1617.75b61ae83ecff7b45a80cac6cc8c9192 @@ -0,0 +1,79 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1523216F7D + for ; Fri, 4 Oct 2002 11:04:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:17 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93KwfK14634 for ; Thu, 3 Oct 2002 21:58:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xD2u-0006EO-00; Thu, + 03 Oct 2002 13:58:08 -0700 +Received: from smtp10.atl.mindspring.net ([207.69.200.246]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xD2W-0002GR-00 for ; + Thu, 03 Oct 2002 13:57:44 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by smtp10.atl.mindspring.net with esmtp + (Exim 3.33 #1) id 17xD2U-00072h-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 16:57:42 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 3CDB7A8787; Thu, 3 Oct 2002 13:57:42 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003205742.3CDB7A8787@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1006] Spamassassin's build process makes packaging + unnecessarily difficult +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 13:57:42 -0700 (PDT) +Date: Thu, 3 Oct 2002 13:57:42 -0700 (PDT) +X-Spam-Status: No, hits=-29.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1006 + + + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-03 13:57 ------- +A solution could be the preprocessor in combination with PM_FILTER -- if we +get the ExtUtils::MakeMaker versioning stuff right (see bug 1046). + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1618.07459a459f6163e2dd40cbd207ee6ba5 b/machine-learning-ex6/ex6/easy_ham/1618.07459a459f6163e2dd40cbd207ee6ba5 new file mode 100644 index 0000000..f9a811f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1618.07459a459f6163e2dd40cbd207ee6ba5 @@ -0,0 +1,83 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 45E8916F49 + for ; Fri, 4 Oct 2002 11:04:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:37 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93LIcK15344 for ; Thu, 3 Oct 2002 22:18:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xDMC-0003Az-00; Thu, + 03 Oct 2002 14:18:04 -0700 +Received: from barry.mail.mindspring.net ([207.69.200.25]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xDLC-00059f-00 for ; + Thu, 03 Oct 2002 14:17:02 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by barry.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xDL8-00050u-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 17:16:58 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 0D5A8A87E2; Thu, 3 Oct 2002 14:16:57 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003211657.0D5A8A87E2@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 960] COMMENT low-performing rule pruned +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 14:16:57 -0700 (PDT) +Date: Thu, 3 Oct 2002 14:16:57 -0700 (PDT) +X-Spam-Status: No, hits=-30.5 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=960 + +spamassassin-contrib@msquadrat.de changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |WONTFIX + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-03 14:16 ------- +I think it's ok to close this one? Comment is a valid, albeit seldom used RFC +2822 header... + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1619.cd1eb30a6bd51a230fb0bc79195ad18f b/machine-learning-ex6/ex6/easy_ham/1619.cd1eb30a6bd51a230fb0bc79195ad18f new file mode 100644 index 0000000..cf1a684 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1619.cd1eb30a6bd51a230fb0bc79195ad18f @@ -0,0 +1,82 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:21 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 967AE16F20 + for ; Fri, 4 Oct 2002 11:04:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:42 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93LLmK15443 for ; Thu, 3 Oct 2002 22:21:48 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xDMI-0003ET-00; Thu, + 03 Oct 2002 14:18:10 -0700 +Received: from tisch.mail.mindspring.net ([207.69.200.157]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xDLn-0005Ux-00 for ; + Thu, 03 Oct 2002 14:17:39 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by tisch.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xDLk-00050L-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 17:17:37 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + B2950A87E2; Thu, 3 Oct 2002 14:17:36 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003211736.B2950A87E2@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 739] rules broken: RATWARE_* +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 14:17:36 -0700 (PDT) +Date: Thu, 3 Oct 2002 14:17:36 -0700 (PDT) +X-Spam-Status: No, hits=-31.7 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=739 + +spamassassin-contrib@msquadrat.de changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |WONTFIX + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-03 14:17 ------- +Relieving Dan ;-) + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1620.4e348b4994896c22848d0b7bb8e8aedb b/machine-learning-ex6/ex6/easy_ham/1620.4e348b4994896c22848d0b7bb8e8aedb new file mode 100644 index 0000000..04aca78 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1620.4e348b4994896c22848d0b7bb8e8aedb @@ -0,0 +1,82 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EAD4A16F69 + for ; Fri, 4 Oct 2002 11:04:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:04:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93LMlK15600 for ; Thu, 3 Oct 2002 22:22:47 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xDQC-0004OH-00; Thu, + 03 Oct 2002 14:22:12 -0700 +Received: from maynard.mail.mindspring.net ([207.69.200.243]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xDPv-0008GO-00 for ; + Thu, 03 Oct 2002 14:21:55 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by maynard.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17xDPu-0007Xk-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 17:21:54 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 87EB0A87E2; Thu, 3 Oct 2002 14:21:53 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003212153.87EB0A87E2@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 779] rule broken: CORRUPT_MSGID +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 14:21:53 -0700 (PDT) +Date: Thu, 3 Oct 2002 14:21:53 -0700 (PDT) +X-Spam-Status: No, hits=-33.0 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=779 + +spamassassin-contrib@msquadrat.de changed: + + What |Removed |Added +---------------------------------------------------------------------------- + Status|NEW |RESOLVED + Resolution| |FIXED + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-03 14:21 ------- +I think INVALID_MSGID does what this rule was supposed to do + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1621.e0c43e18cb0b93910128e85a0a0a936f b/machine-learning-ex6/ex6/easy_ham/1621.e0c43e18cb0b93910128e85a0a0a936f new file mode 100644 index 0000000..4c59427 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1621.e0c43e18cb0b93910128e85a0a0a936f @@ -0,0 +1,96 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2B16316F67 + for ; Fri, 4 Oct 2002 11:05:00 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:00 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93NIXK19983 for ; Fri, 4 Oct 2002 00:18:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xFEO-0002TD-00; Thu, + 03 Oct 2002 16:18:08 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xFDa-00063W-00 for ; + Thu, 03 Oct 2002 16:17:18 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xFDZ-0003oA-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 19:17:17 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 5708CA879B; Thu, 3 Oct 2002 16:17:16 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021003231716.5708CA879B@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1052] New: bondedsender.com is a scam +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 16:17:16 -0700 (PDT) +Date: Thu, 3 Oct 2002 16:17:16 -0700 (PDT) +X-Spam-Status: No, hits=-34.2 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1052 + + Summary: bondedsender.com is a scam + Product: Spamassassin + Version: unspecified + Platform: Other + URL: http://www.bondedsender.com/ + OS/Version: other + Status: NEW + Severity: normal + Priority: P2 + Component: Rules + AssignedTo: spamassassin-devel@example.sourceforge.net + ReportedBy: friedman+spamassassin@splode.com + + +The default score for bondedsender-certified domains is -10, but I do not +believe they should be trusted and encourage you to change the default. + +* I have been spammed by their customers. +* There is no documentation on their website about how I can complain about + this and have their customers financially penalized for sending me unsolicited + mail. +* What proof do any of us have that they really even do anything about it? + Their contract is with their customers, not with us. + +This is a scam! Don't trust them! + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1622.91772e8eb2efcbfe9ee14aabaaa65a2e b/machine-learning-ex6/ex6/easy_ham/1622.91772e8eb2efcbfe9ee14aabaaa65a2e new file mode 100644 index 0000000..6be97e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1622.91772e8eb2efcbfe9ee14aabaaa65a2e @@ -0,0 +1,79 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:07:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 214CB16F6E + for ; Fri, 4 Oct 2002 11:05:29 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:29 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g941r7K30125 for ; Fri, 4 Oct 2002 02:53:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xHdM-0000p6-00; Thu, + 03 Oct 2002 18:52:04 -0700 +Received: from barry.mail.mindspring.net ([207.69.200.25]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xHcg-0001nS-00 for ; + Thu, 03 Oct 2002 18:51:23 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by barry.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xHcf-0005Yr-00 for + spamassassin-devel@lists.sourceforge.net; Thu, 03 Oct 2002 21:51:21 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + C89A0A87F0; Thu, 3 Oct 2002 18:51:19 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021004015119.C89A0A87F0@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1052] bondedsender.com is a scam +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 18:51:19 -0700 (PDT) +Date: Thu, 3 Oct 2002 18:51:19 -0700 (PDT) +X-Spam-Status: No, hits=-36.7 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1052 + + + + + +------- Additional Comments From rOD-spamassassin@arsecandle.org 2002-10-03 18:51 ------- +Ignoring the conspiracy theories, can you supply examples of spam which was +scored with RCVD_IN_BONDEDSENDER? The only mail I have received which scored +this were from Amazon.com. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1623.72d038c7896dc6d5b1ed6086a4ae2872 b/machine-learning-ex6/ex6/easy_ham/1623.72d038c7896dc6d5b1ed6086a4ae2872 new file mode 100644 index 0000000..8b048ed --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1623.72d038c7896dc6d5b1ed6086a4ae2872 @@ -0,0 +1,189 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:08:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BFF9F16F8B + for ; Fri, 4 Oct 2002 11:05:47 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g944iBK03577 for ; Fri, 4 Oct 2002 05:44:11 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xKE1-00085D-00; Thu, + 03 Oct 2002 21:38:06 -0700 +Received: from hall.mail.mindspring.net ([207.69.200.60]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xKDi-0005dW-00 for ; + Thu, 03 Oct 2002 21:37:46 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17xKDf-0004gz-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 04 Oct 2002 00:37:43 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 7FD7BA87DB; Thu, 3 Oct 2002 21:37:42 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021004043742.7FD7BA87DB@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1053] New: IMG tag based rules +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 21:37:42 -0700 (PDT) +Date: Thu, 3 Oct 2002 21:37:42 -0700 (PDT) +X-Spam-Status: No, hits=-37.4 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10,UPPERCASE_25_50 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1053 + + Summary: IMG tag based rules + Product: Spamassassin + Version: unspecified + Platform: Other + OS/Version: other + Status: NEW + Severity: enhancement + Priority: P2 + Component: Eval Tests + AssignedTo: spamassassin-devel@example.sourceforge.net + ReportedBy: matt@nightrealms.com + + +Inspired by complaints about all-image or mostly-image spam that's +getting by SA, I've cooked up three sets of rules that analyze the use +of IMG tags in HTML: one that looks at the total area of all of the +images in the message (T_HTML_IMAGE_AREA*), one that looks at the +total number of images in the message (T_HTML_NUM_IMGS*), and one that +looks at the longest total run of consecutive images +(T_HTML_CONSEC_IMG*). + +=============== + +The total area of all images is rather easy to compute: inside of +HTML::html_tests(), if an IMG tag has both the width and height +properties, then multiply them together and add the result to the +running total. + +OVERALL% SPAM% NONSPAM% S/O RANK SCORE NAME + 15113 4797 10316 0.32 0.00 0.00 (all messages) +100.000 31.741 68.259 0.32 0.00 0.00 (all messages as %) + 0.635 2.001 0.000 1.00 0.81 0.01 T_HTML_IMAGE_AREA14 + 0.417 1.313 0.000 1.00 0.78 0.01 T_HTML_IMAGE_AREA15 + 0.331 1.042 0.000 1.00 0.76 0.01 T_HTML_IMAGE_AREA07 + 0.245 0.771 0.000 1.00 0.74 0.01 T_HTML_IMAGE_AREA10 + 0.238 0.750 0.000 1.00 0.74 0.01 T_HTML_IMAGE_AREA02 + 0.225 0.709 0.000 1.00 0.74 0.01 T_HTML_IMAGE_AREA16 + 0.126 0.396 0.000 1.00 0.70 0.01 T_HTML_IMAGE_AREA18 + 0.119 0.375 0.000 1.00 0.70 0.01 T_HTML_IMAGE_AREA19 + 0.119 0.375 0.000 1.00 0.70 0.01 T_HTML_IMAGE_AREA17 + 1.125 3.523 0.010 1.00 0.68 0.01 T_HTML_IMAGE_AREA12 + 0.741 2.314 0.010 1.00 0.65 0.01 T_HTML_IMAGE_AREA13 + 1.542 4.732 0.058 0.99 0.58 0.01 T_HTML_IMAGE_AREA11 + 0.139 0.417 0.010 0.98 0.54 0.01 T_HTML_IMAGE_AREA08 + 0.483 1.397 0.058 0.96 0.50 0.01 T_HTML_IMAGE_AREA03 + 0.192 0.500 0.048 0.91 0.44 0.01 T_HTML_IMAGE_AREA06 + 0.820 1.834 0.349 0.84 0.39 0.01 T_HTML_IMAGE_AREA04 + 0.946 2.022 0.446 0.82 0.38 0.01 T_HTML_IMAGE_AREA01 + 0.569 0.896 0.417 0.68 0.32 0.01 T_HTML_IMAGE_AREA05 + 6.498 0.500 9.287 0.05 0.02 0.01 T_HTML_IMAGE_AREA09 + +Spam % of all rules with S/0 > 0.90: 20.615% + +============================= + +The total number of IMG tags is really easy to do. + + 0.648 2.043 0.000 1.00 0.81 0.01 T_HTML_NUM_IMGS08 + 0.609 1.918 0.000 1.00 0.80 0.01 T_HTML_NUM_IMGS09 + 0.490 1.543 0.000 1.00 0.79 0.01 T_HTML_NUM_IMGS10 + 0.119 0.375 0.000 1.00 0.70 0.01 T_HTML_NUM_IMGS14 + 0.986 3.064 0.019 0.99 0.63 0.01 T_HTML_NUM_IMGS06 + 2.303 7.150 0.048 0.99 0.62 0.01 T_HTML_NUM_IMGS11 + 0.033 0.104 0.000 1.00 0.61 0.01 T_HTML_NUM_IMGS17 + 0.787 2.439 0.019 0.99 0.61 0.01 T_HTML_NUM_IMGS12 + 0.344 1.063 0.010 0.99 0.60 0.01 T_HTML_NUM_IMGS13 + 0.020 0.063 0.000 1.00 0.58 0.01 T_HTML_NUM_IMGS20 + 0.020 0.063 0.000 1.00 0.58 0.01 T_HTML_NUM_IMGS16 + 0.860 2.627 0.039 0.99 0.57 0.01 T_HTML_NUM_IMGS05 + 0.754 2.293 0.039 0.98 0.56 0.01 T_HTML_NUM_IMGS07 + 0.013 0.042 0.000 1.00 0.55 0.01 T_HTML_NUM_IMGS18 + 0.887 2.627 0.078 0.97 0.52 0.01 T_HTML_NUM_IMGS04 + 1.356 3.711 0.262 0.93 0.47 0.01 T_HTML_NUM_IMGS03 + 0.046 0.125 0.010 0.93 0.46 0.01 T_HTML_NUM_IMGS15 + 6.061 10.256 4.110 0.71 0.34 0.01 T_HTML_NUM_IMGS01 + 0.040 0.063 0.029 0.68 0.32 0.01 T_HTML_NUM_IMGS19 + 6.233 4.753 6.921 0.41 0.22 0.01 T_HTML_NUM_IMGS02 + +Spam % of all rules with S/O > 0.90: 31.25% + +========================= + +I figured that spam that is made up of only images is going to only +have IMG tags interspersed with table, paragraph and linebreak tags, +and some whitespace, so there would be a lot of IMG tags with no plain +text (non-whitespace) between them. So I defined consecutive IMG tags +to be ones with no text between them, and looked at the longest run of +consecutive IMGs within a message. + +This one seems to do pretty good, because in my non-spam corpus +there's only a handful of messages with IMG runs larger than two. + + 0.450 1.418 0.000 1.00 0.78 0.01 T_HTML_CONSEC_IMGS06 + 0.232 0.730 0.000 1.00 0.74 0.01 T_HTML_CONSEC_IMGS08 + 0.205 0.646 0.000 1.00 0.73 0.01 T_HTML_CONSEC_IMGS11 + 1.813 5.691 0.010 1.00 0.71 0.01 T_HTML_CONSEC_IMGS02 + 1.019 3.189 0.010 1.00 0.67 0.01 T_HTML_CONSEC_IMGS03 + 0.768 2.397 0.010 1.00 0.66 0.01 T_HTML_CONSEC_IMGS05 + 0.053 0.167 0.000 1.00 0.64 0.01 T_HTML_CONSEC_IMGS12 + 1.006 3.127 0.019 0.99 0.63 0.01 T_HTML_CONSEC_IMGS04 + 0.483 1.501 0.010 0.99 0.62 0.01 T_HTML_CONSEC_IMGS07 + 0.020 0.063 0.000 1.00 0.58 0.01 T_HTML_CONSEC_IMGS13 + 0.020 0.063 0.000 1.00 0.58 0.01 T_HTML_CONSEC_IMGS15 + 1.032 3.148 0.048 0.98 0.57 0.01 T_HTML_CONSEC_IMGS10 + 0.199 0.605 0.010 0.98 0.57 0.01 T_HTML_CONSEC_IMGS09 + 0.013 0.042 0.000 1.00 0.55 0.01 T_HTML_CONSEC_IMGS17 + 0.013 0.042 0.000 1.00 0.55 0.01 T_HTML_CONSEC_IMGS19 + 0.007 0.021 0.000 1.00 0.51 0.01 T_HTML_CONSEC_IMGS14 + 7.080 7.484 6.892 0.52 0.26 0.01 T_HTML_CONSEC_IMGS01 + 0.000 0.000 0.000 0.00 0.00 0.01 T_HTML_CONSEC_IMGS16 + 0.000 0.000 0.000 0.00 0.00 0.01 T_HTML_CONSEC_IMGS18 + +Spam % of all rules with S/O > 0.90: 22.85% + +========================== + +Next I'm going to see if there's any meta rules I can make that will +reduce the FP rate for low S/O rules. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1624.d73f5a35be403b0532263e72ccdab448 b/machine-learning-ex6/ex6/easy_ham/1624.d73f5a35be403b0532263e72ccdab448 new file mode 100644 index 0000000..02dd3dd --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1624.d73f5a35be403b0532263e72ccdab448 @@ -0,0 +1,80 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:08:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 08EA116F71 + for ; Fri, 4 Oct 2002 11:05:51 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:51 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g944pCK03653 for ; Fri, 4 Oct 2002 05:51:12 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xKMj-0001bB-00; Thu, + 03 Oct 2002 21:47:05 -0700 +Received: from smtp6.mindspring.com ([207.69.200.110]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xKML-0006l8-00 for ; + Thu, 03 Oct 2002 21:46:41 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by smtp6.mindspring.com with esmtp + (Exim 3.33 #1) id 17xKMJ-000880-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 04 Oct 2002 00:46:39 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + DD4D7A87DB; Thu, 3 Oct 2002 21:46:38 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021004044638.DD4D7A87DB@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1053] IMG tag based rules +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 21:46:38 -0700 (PDT) +Date: Thu, 3 Oct 2002 21:46:38 -0700 (PDT) +X-Spam-Status: No, hits=-40.0 required=5.0 + tests=AWL,BUGZILLA_BUG,DISCLAIMER,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1053 + + + + + +------- Additional Comments From mgm@starlingtech.com 2002-10-03 21:46 ------- +Looks great! One note: most "image-only" spam actually has some text (a few +words at the top, a disclaimer at the end) so keep that in mind. The typical +image spam that slips through SA seems to have a bit of text, one huge image, +then a bit more. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1625.08690a3d25fcaacc8929c31657f85c8f b/machine-learning-ex6/ex6/easy_ham/1625.08690a3d25fcaacc8929c31657f85c8f new file mode 100644 index 0000000..7851c7a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1625.08690a3d25fcaacc8929c31657f85c8f @@ -0,0 +1,114 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Oct 4 11:08:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5F3316F73 + for ; Fri, 4 Oct 2002 11:05:55 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 04 Oct 2002 11:05:55 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g944tnK03832 for ; Fri, 4 Oct 2002 05:55:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xKUS-0003W7-00; Thu, + 03 Oct 2002 21:55:04 -0700 +Received: from smtp10.atl.mindspring.net ([207.69.200.246]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17xKTV-0000Pd-00 for ; + Thu, 03 Oct 2002 21:54:05 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by smtp10.atl.mindspring.net with esmtp + (Exim 3.33 #1) id 17xKTO-0006ze-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 04 Oct 2002 00:53:59 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 92EA622876; Thu, 3 Oct 2002 21:51:06 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20021004045106.92EA622876@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1054] New: Split up FROM_ENDS_IN_NUMS +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 21:51:06 -0700 (PDT) +Date: Thu, 3 Oct 2002 21:51:06 -0700 (PDT) +X-Spam-Status: No, hits=-40.5 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1054 + + Summary: Split up FROM_ENDS_IN_NUMS + Product: Spamassassin + Version: unspecified + Platform: Other + OS/Version: other + Status: NEW + Severity: enhancement + Priority: P2 + Component: Rules + AssignedTo: spamassassin-devel@example.sourceforge.net + ReportedBy: matt@nightrealms.com + + +The current FROM_ENDS_IN_NUMS triggers on any from where the user name ends +in two or more digits. I think this should be split up into different +numbers of trailing digits, so that rules with different S/O ratios can +get different scores. So I've made test rules that look from From +names that end with two, three, four, or five digitis, and one for six or +more digitis; I also put in a test rule that looks for Froms that end in a +single digit, just the sake of completeness. + +Here is what I got: + +OVERALL% SPAM% NONSPAM% S/O RANK SCORE NAME + 15113 4797 10316 0.32 0.00 0.00 (all messages) +100.000 31.741 68.259 0.32 0.00 0.00 (all messages as %) + 1.244 3.877 0.019 1.00 0.64 0.01 T_FROM_ENDS_IN_NUMS6 + 0.576 1.459 0.165 0.90 0.43 0.01 T_FROM_ENDS_IN_NUMS5 + 4.982 10.694 2.326 0.82 0.38 0.01 T_FROM_ENDS_IN_NUMS4 + 3.434 6.337 2.084 0.75 0.35 0.01 T_FROM_ENDS_IN_NUMS3 + 8.979 12.383 7.396 0.63 0.30 0.01 T_FROM_ENDS_IN_NUMS2 + 8.847 6.817 9.791 0.41 0.22 0.01 T_FROM_ENDS_IN_NUMS1 + +I should note that I get rather bad S/O's for FROM_ENDS_IN_NUMS, probably +because so much of my corpus is made up of Yahoo! Groups traffic, which +seems to have a lot of users that like sticking numbers at the ends of their +names. Here is the normal stats for FROM_ENDS_IN_NUMS: + + 7.024 28.480 2.834 0.91 0.50 0.88 FROM_ENDS_IN_NUMS + +and my stats: + + 19.228 34.793 11.991 0.74 0.35 0.88 FROM_ENDS_IN_NUMS + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1626.3c8c730d8741c9357da8984dd1057665 b/machine-learning-ex6/ex6/easy_ham/1626.3c8c730d8741c9357da8984dd1057665 new file mode 100644 index 0000000..2c8c154 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1626.3c8c730d8741c9357da8984dd1057665 @@ -0,0 +1,76 @@ +Replied: Sat, 05 Oct 2002 13:03:11 +0100 +Replied: Justin Mason +Replied: Craig R Hughes +Replied: Daniel Quinlan +Replied: SpamAssassin Developers +From craig@hughes-family.org Sat Oct 5 12:38:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C055216F03 + for ; Sat, 5 Oct 2002 12:38:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 05 Oct 2002 12:38:04 +0100 (IST) +Received: from granger.mail.mindspring.net (granger.mail.mindspring.net + [207.69.200.148]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g958BfK03016 for ; Sat, 5 Oct 2002 09:11:41 +0100 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by granger.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17xk2y-0007R8-00; Sat, 05 Oct 2002 04:12:24 -0400 +Received: from belphegore.hughes-family.org (unknown [10.0.240.200]) + (using TLSv1 with cipher EDH-RSA-DES-CBC3-SHA (168/168 bits)) (No client + certificate requested) by belphegore.hughes-family.org (Postfix) with + ESMTP id 8BB783FDD; Sat, 5 Oct 2002 01:12:23 -0700 (PDT) +Date: Sat, 5 Oct 2002 01:12:23 -0700 (PDT) +From: Craig R Hughes +To: Daniel Quinlan +Cc: Justin Mason , + SpamAssassin Developers +Subject: Re: [SAdev] nightly mass-check and hit-frequencies +In-Reply-To: +Message-Id: +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Spam-Status: No, hits=-3.7 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,HABEAS_SWE, + IN_REP_TO,T_NONSENSE_FROM_30_40,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Daniel Quinlan wrote: + +DQ> jm@jmason.org (Justin Mason) writes: +DQ> +DQ> > But I think rsync is key; it's very efficient bandwidth-wise, and it +DQ> > allows you to select which ones you want just as well as wget would. +DQ> > (Bandwidth is a much bigger issue for me and some other of the europeans +DQ> > involved, than it would be for you guys ;) IMO it's by far the most +DQ> > efficient and scriptable way to do this stuff, these days. +DQ> +DQ> It must be horrible being a dial-up user in 2002. If we can *automate* +DQ> rsync submission with good *authentication*, it would be fine with me. +DQ> The current rsync method is not sufficiently authenticated, though. + +I'll take a look at it. I'm sure there's got to be some reasonly easy way to +have rsync carry itself over ssh and secure access using ssh keys. + +DQ> > I suggest we use the hughes-family.org server for rsyncing, as we do for +DQ> > the corpus_submit stuff -- in a separate subdirectory, though! -- then +DQ> > I'll take a look at getting a nightly hit-frequencies-collation system +DQ> > going. + +Ok, I'll take a look at it. + +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/1627.6e01ae785063460c6a1227465ae3c85b b/machine-learning-ex6/ex6/easy_ham/1627.6e01ae785063460c6a1227465ae3c85b new file mode 100644 index 0000000..be814fb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1627.6e01ae785063460c6a1227465ae3c85b @@ -0,0 +1,57 @@ +From jm@jmason.org Sat Oct 5 18:17:58 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 6038A16F03; Sat, 5 Oct 2002 18:17:58 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 4CA2BF7B1; Sat, 5 Oct 2002 18:17:58 +0100 (IST) +To: Randy Bush +Cc: yyyy@example.com (Justin Mason), + spamassassin list +Subject: Re: [SAtalk] razor2 auth? +In-Reply-To: Message from Randy Bush + of "Sat, 05 Oct 2002 09:16:29 PDT." +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Sat, 05 Oct 2002 18:17:53 +0100 +Sender: yyyy@example.com +Message-Id: <20021005171758.6038A16F03@example.com> +X-Spam-Status: No, hits=-19.8 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +Randy Bush said: + +> >> freebsd -stable +> >> spamassassin 2.41 +> >> spamasassin -r +> >> results in +> >> razor2 report failed: No such file or directory Razor2 reporting requires +> authentication at /usr/local/lib/perl5/site_perl/5.005/Mail/SpamAssassin/Repo +> rter.pm line 77. +> >> used to work until upgrade +> > +> > using spamd? try the -H switch. +> +> no, pipinng the message to "spamassassin -r" from within my mail +> user agent, VM under Emacs. + +oops, sorry -- didn't notice the "report" bit. Yes, you need to register +for Razor2 -- "razor-register" or "razor-admin -register" if I recall +correctly. + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1628.fed40c4cb72a87d6520ca377e2c4df23 b/machine-learning-ex6/ex6/easy_ham/1628.fed40c4cb72a87d6520ca377e2c4df23 new file mode 100644 index 0000000..ad4071b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1628.fed40c4cb72a87d6520ca377e2c4df23 @@ -0,0 +1,67 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Oct 7 13:15:13 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D150A16F22 + for ; Mon, 7 Oct 2002 13:12:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 13:12:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g97BYYK29665 for ; Mon, 7 Oct 2002 12:34:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17yW4R-0004WO-00; Mon, + 07 Oct 2002 04:29:07 -0700 +Received: from zurich.ai.mit.edu ([18.43.0.244]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17yW4K-00072G-00 for + ; Mon, 07 Oct 2002 04:29:00 -0700 +Received: from nestle.ai.mit.edu (nestle.ai.mit.edu [18.43.0.45]) by + zurich.ai.mit.edu (8.12.3/8.12.3/Debian -4) with ESMTP id g97BSqJ0023380; + Mon, 7 Oct 2002 07:28:52 -0400 +Received: from dsaklad by nestle.ai.mit.edu with local (Exim 3.12 #1 + (Debian)) id 17yW4C-00077t-00; Mon, 07 Oct 2002 07:28:52 -0400 +From: Don Saklad +To: spamassassin-talk@example.sourceforge.net, + dsaklad@zurich.ai.mit.edu +Message-Id: +Subject: [SAtalk] emacs rmail How to sort subject lines and headers. +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 07:28:52 -0400 +Date: Mon, 07 Oct 2002 07:28:52 -0400 +X-Spam-Status: No, hits=1.3 required=5.0 + tests=KNOWN_MAILING_LIST,TO_HAS_SPACES,T_NONSENSE_FROM_30_40 + version=2.50-cvs +X-Spam-Level: * + +In emacs rmail what varieties of different techniques are there for +sorting your favorite correspondents from the mix?... leaving the hundreds +of spam commercials. A filter for the campus computer system puts subject +lines and headers on many of the hundreds of spam commercials +with http://spamassassin.org + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1629.a65b12c5ddbee4016ecda63b404149d8 b/machine-learning-ex6/ex6/easy_ham/1629.a65b12c5ddbee4016ecda63b404149d8 new file mode 100644 index 0000000..b028d96 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1629.a65b12c5ddbee4016ecda63b404149d8 @@ -0,0 +1,101 @@ +From spamassassin-talk-admin@lists.sourceforge.net Mon Oct 7 20:37:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C8A0116F16 + for ; Mon, 7 Oct 2002 20:37:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 07 Oct 2002 20:37:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g97JJVK13715 for ; Mon, 7 Oct 2002 20:19:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ydPJ-0000uV-00; Mon, + 07 Oct 2002 12:19:09 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ydOd-0007iV-00 for ; + Mon, 07 Oct 2002 12:18:27 -0700 +Received: (qmail 79119 messnum 1202246 invoked from + network[194.125.172.237/ts12-237.dublin.indigo.ie]); 7 Oct 2002 19:18:21 + -0000 +Received: from ts12-237.dublin.indigo.ie (HELO example.com) + (194.125.172.237) by relay05.indigo.ie (qp 79119) with SMTP; + 7 Oct 2002 19:18:21 -0000 +Received: by example.com (Postfix, from userid 500) id 18C6916F03; + Mon, 7 Oct 2002 20:18:20 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 152DCF7B1; Mon, 7 Oct 2002 20:18:20 +0100 (IST) +To: "Kenneth Nerhood" +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Re: AWL bug in 2.42? +In-Reply-To: Message from + "Kenneth Nerhood" + of + "Mon, 07 Oct 2002 14:54:11 EDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20021007191820.18C6916F03@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 20:18:15 +0100 +Date: Mon, 07 Oct 2002 20:18:15 +0100 +X-Spam-Status: No, hits=-44.2 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +Kenneth Nerhood said: + +> I too am seeing very weird things with 2.42 and AWL. I installed a +> fresh system, and then ran a bunch of test spam through it (all from the +> same user). All messages should have scored over 15. The AWL kept +> adjusting them down so that after about 10 message I had a negative +> score. I'm using spamc/d. + +That's exactly what is intended; the idea is that legit senders who +habitually score just > 5, will eventually get out of "AWL hell" after +6-10 messages. + +Note that running a single spam through "spamassassin -a -t" *will* +eventually whitelist the spammer. but that's why the man page tells you +not to do it ;) + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1630.f16808d817c720df2c97122c2c62d4a2 b/machine-learning-ex6/ex6/easy_ham/1630.f16808d817c720df2c97122c2c62d4a2 new file mode 100644 index 0000000..28ca4c3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1630.f16808d817c720df2c97122c2c62d4a2 @@ -0,0 +1,75 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 22 15:25:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id B48D543F99 + for ; Thu, 22 Aug 2002 10:25:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 15:25:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MEI8Z09886 for ; Thu, 22 Aug 2002 15:18:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hskl-0002W7-00; Thu, + 22 Aug 2002 07:16:03 -0700 +Received: from mail-gr-oh.networksonline.com ([65.163.204.6]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hskN-0008Ox-00 for ; + Thu, 22 Aug 2002 07:15:39 -0700 +Received: from mordor (mordor.networksonline.com [65.163.204.19]) by + mail-gr-oh.networksonline.com (Postfix) with SMTP id C06C537794 for + ; Thu, 22 Aug 2002 10:13:48 -0400 + (EDT) +Message-Id: <001001c249e6$863c4e00$13cca341@networksonline.com> +From: "NOI Administrator" +To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4133.2400 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4133.2400 +Subject: [SAtalk] SA CGI Configurator Scripts +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 10:16:36 -0400 +Date: Thu, 22 Aug 2002 10:16:36 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.5 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +I have been trying to research via SA mirrors and search engines if a canned +script exists giving clients access to their user_prefs options via a +web-based CGI interface. Numerous ISPs provide this feature to clients, but +so far I can find nothing. Our configuration uses Amavis-Postfix and ClamAV +for virus filtering and Procmail with SpamAssassin for spam filtering. I +would prefer not to have to write a script myself, but will appreciate any +suggestions. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1631.83be0168863d5e67ce580ac556150ed2 b/machine-learning-ex6/ex6/easy_ham/1631.83be0168863d5e67ce580ac556150ed2 new file mode 100644 index 0000000..e3882e6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1631.83be0168863d5e67ce580ac556150ed2 @@ -0,0 +1,78 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 15:25:29 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AE2D043F9B + for ; Thu, 22 Aug 2002 10:25:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 15:25:29 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MENlZ09984 for ; Thu, 22 Aug 2002 15:23:47 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17hsof-00042r-00; Thu, + 22 Aug 2002 07:20:05 -0700 +Received: from vivi.uptime.at ([62.116.87.11] helo=mail.uptime.at) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17hsoM-0000Ge-00 for ; + Thu, 22 Aug 2002 07:19:47 -0700 +Received: from [192.168.0.4] (chello062178142216.4.14.vie.surfer.at + [62.178.142.216]) (authenticated bits=0) by mail.uptime.at (8.12.5/8.12.5) + with ESMTP id g7MEI7Vp022036 for + ; Thu, 22 Aug 2002 16:18:07 + +0200 +User-Agent: Microsoft-Entourage/10.0.0.1309 +From: David H=?ISO-8859-1?B?9g==?=hn +To: +Message-Id: +MIME-Version: 1.0 +X-Trusted: YES +X-From-Laptop: YES +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Mailscanner: Nothing found, baby +Subject: [SAdev] Interesting approach to Spam handling.. +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 16:19:48 +0200 +Date: Thu, 22 Aug 2002 16:19:48 +0200 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_ENTOURAGE + version=2.40-cvs +X-Spam-Level: + +Hello, have you seen and discussed this article and his approach? + +Thank you + +http://www.paulgraham.com/spam.html +-- "Hell, there are no rules here-- we're trying to accomplish something." +-- Thomas Alva Edison + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1632.eda28ab249a9f3dcad3f7a343e6b76fb b/machine-learning-ex6/ex6/easy_ham/1632.eda28ab249a9f3dcad3f7a343e6b76fb new file mode 100644 index 0000000..57f0adb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1632.eda28ab249a9f3dcad3f7a343e6b76fb @@ -0,0 +1,74 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 16:06:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 6B14047C66 + for ; Thu, 22 Aug 2002 11:06:53 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:06:53 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MF4sZ11366 for ; Thu, 22 Aug 2002 16:04:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htRL-0005ql-00; Thu, + 22 Aug 2002 08:00:03 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htQZ-0001jw-00 for + ; Thu, 22 Aug 2002 07:59:15 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17htRO-0003Mw-00 for spamassassin-devel@lists.sourceforge.net; + Thu, 22 Aug 2002 08:00:06 -0700 +Message-Id: <3D64FC22.4040409@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: spamassassin-devel@example.sourceforge.net +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [SAdev] Party in San Francisco tonight +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 07:58:42 -0700 +Date: Thu, 22 Aug 2002 07:58:42 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_05_08,USER_AGENT, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +I don't know how make of you are in the Bay Area but EFF is having a benifit +party ast the DNA Lounge in San Francisco tonight. Wil Weaton (Wesley Crussher +from star Trek TNG) will fight Barney the Dinasour. + +Come on by if you're not doing anything. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1633.c1b90a09ff40266eef2b0b60587a3881 b/machine-learning-ex6/ex6/easy_ham/1633.c1b90a09ff40266eef2b0b60587a3881 new file mode 100644 index 0000000..432f032 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1633.c1b90a09ff40266eef2b0b60587a3881 @@ -0,0 +1,85 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 16:27:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id DF2DD43F9B + for ; Thu, 22 Aug 2002 11:27:24 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 16:27:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MFJHZ11964 for ; Thu, 22 Aug 2002 16:19:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17htfq-0001G0-00; Thu, + 22 Aug 2002 08:15:02 -0700 +Received: from www.ctyme.com ([209.237.228.10] helo=darwin.ctyme.com) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17htfa-0006Zq-00 for + ; Thu, 22 Aug 2002 08:14:47 + -0700 +Received: from m206-56.dsl.tsoft.com ([198.144.206.56] helo=perkel.com) by + darwin.ctyme.com with asmtp (TLSv1:RC4-MD5:128) (Exim 3.35 #1) id + 17htgP-0004te-00; Thu, 22 Aug 2002 08:15:37 -0700 +Message-Id: <3D64FFC4.5010908@perkel.com> +From: Marc Perkel +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.1; en-US; rv:1.1b) + Gecko/20020721 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Theo Van Dinter +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Live Rule Updates after Release ??? +References: <3D64F4E8.7040000@perkel.com> <20020822151134.GD6369@kluge.net> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 08:14:12 -0700 +Date: Thu, 22 Aug 2002 08:14:12 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-4.6 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +Yes - great minds think alike. But even withput eval rules it would be very +useful. It would allow us to respond quickly to spammer's tricks. + +Theo Van Dinter wrote: +> On Thu, Aug 22, 2002 at 07:27:52AM -0700, Marc Perkel wrote: +> +>>Has anyone though of the idea of live updates of rules after release? The +>>idea being that the user can run a cron job once a week or so and get the +>>new default rule set. This would allow us to react faster to: +> +> +> I suggested this a few months ago. I don't remember the details of what +> came out of it except that it would only be useful for non-eval rules +> since those require code changes. +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1634.272759499861b548d69fb7377157ea79 b/machine-learning-ex6/ex6/easy_ham/1634.272759499861b548d69fb7377157ea79 new file mode 100644 index 0000000..6e233cf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1634.272759499861b548d69fb7377157ea79 @@ -0,0 +1,73 @@ +From craig@deersoft.com Fri Aug 23 11:03:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D5BBB44156 + for ; Fri, 23 Aug 2002 06:03:29 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:29 +0100 (IST) +Received: from hall.mail.mindspring.net (hall.mail.mindspring.net + [207.69.200.60]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MISAZ19627 for ; Thu, 22 Aug 2002 19:28:10 +0100 +Received: from user-105nd99.dialup.mindspring.com ([64.91.181.41] + helo=belphegore.hughes-family.org) by hall.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17hwgo-00049c-00; Thu, 22 Aug 2002 14:28:14 -0400 +Received: from balam.hughes-family.org + (adsl-67-118-234-50.dsl.pltn13.pacbell.net [67.118.234.50]) by + belphegore.hughes-family.org (Postfix) with ESMTP id 05665A3FD9; + Thu, 22 Aug 2002 11:28:12 -0700 (PDT) +Date: Thu, 22 Aug 2002 11:28:13 -0700 +Subject: Re: [SAdev] 2.40 RELEASE PROCESS: mass-check status, folks? +Content-Type: text/plain; charset=US-ASCII; format=flowed +MIME-Version: 1.0 (Apple Message framework v482) +Cc: "Malte S. Stretz" , + SpamAssassin-devel@lists.sourceforge.net, + SpamAssassin-talk@lists.sourceforge.net +To: yyyy@example.com (Justin Mason) +From: "Craig R.Hughes" +In-Reply-To: <20020822172428.4FCCD43F99@phobos.labs.netnoteinc.com> +Message-Id: +Content-Transfer-Encoding: 7bit +X-Mailer: Apple Mail (2.482) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.6 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01,USER_AGENT_APPLEMAIL + version=2.40-cvs +X-Spam-Level: + + +On Thursday, August 22, 2002, at 10:24 AM, Justin Mason wrote: + +> I plan to +> +> 1. figure out the freqs tonight, suggest what tests to drop +> 2. wait for comments +> 3. drop tests that nobody cares about tomorrow +> 4. sed out the dropped tests from the mass-check logs + +This step is unneccesary -- unless you've changed the scripts +much, any test in the logs which aren't in the rules files will +just be ignored I think. You do seem to have changed the +logs-to-c script and removed the bit where you could specify +immutable tests at the top -- I took a brief glance through the +code and couldn't fully make out how it had changed. I think we +want to be able to specify immutable test scores though in there +somewhere -- or is that now handled by the tflags stuff? For +the last couple releases, any test which occurred infrequently +(by thumb-in-the-wind subjective criteria) I set to have +immutable scores, as well as a handful of other rules. + +> 5. kick off the GA +> +> BTW I'll be away this weekend at Linuxbierwanderung, so Craig, +> you might +> have to run the GA. ;) + +Shouldn't be a problem. Assuming I can get the darned thing to +compile :) + +C + + diff --git a/machine-learning-ex6/ex6/easy_ham/1635.52b59f11291134697f3604f9dfd72080 b/machine-learning-ex6/ex6/easy_ham/1635.52b59f11291134697f3604f9dfd72080 new file mode 100644 index 0000000..049aabe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1635.52b59f11291134697f3604f9dfd72080 @@ -0,0 +1,153 @@ +From spamassassin-talk-admin@lists.sourceforge.net Thu Aug 29 16:42:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id EDB0C43F9B + for ; Thu, 29 Aug 2002 11:42:43 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 29 Aug 2002 16:42:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TFYvZ18369 for ; Thu, 29 Aug 2002 16:34:58 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRI7-0008KP-00; Thu, + 29 Aug 2002 08:33:03 -0700 +Received: from moonbase.zanshin.com ([167.160.213.139]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17kRHG-000488-00 for + ; Thu, 29 Aug 2002 08:32:10 -0700 +Received: from aztec.zanshin.com (IDENT:schaefer@aztec.zanshin.com + [167.160.213.132]) by moonbase.zanshin.com (8.11.0/8.11.0) with ESMTP id + g7TFW8J23933 for ; Thu, + 29 Aug 2002 08:32:08 -0700 +From: Bart Schaefer +To: Spamassassin-Talk +Subject: Re: [SAtalk] O.T. Habeus -- Why? +In-Reply-To: <3D6E255A.CB569D9B@hallikainen.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 08:32:08 -0700 (PDT) +Date: Thu, 29 Aug 2002 08:32:08 -0700 (PDT) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.4 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_01_02,TO_LOCALPART_EQ_REAL, + USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On 28 Aug 2002, Daniel Quinlan wrote: + +> Dan Kohn writes: +> +> > Daniel, it's easy enough for you to change the Habeas scores yourself +> > on your installation. If Habeas fails to live up to its promise to +> > only license the warrant mark to non-spammers and to place all +> > violators on the HIL, then I have no doubt that Justin and Craig will +> > quickly remove us from the next release. But, you're trying to kill +> > Habeas before it has a chance to show any promise. +> +> I think I've worked on SA enough to understand that I can localize a +> score. I'm just not comfortable with using SpamAssassin as a vehicle +> for drumming up your business at the expense of our user base. + +I have to agree here. If Habeas is going to die just because SA does not +support it, that's a serious problem with the business model; but that is +nobody's problem but Habeas's. + +A possible solution is for Habeas's business model to include some kind of +incentive for users of SA to give it the benefit of the doubt. I have yet +to think of an incentive that fits the bill ... + +On Thu, 29 Aug 2002, Justin Mason wrote: + +> I don't see a problem supporting it in SpamAssassin -- but I see Dan's +> points. +> +> - high score: as far as I can see, that's because SpamAssassin is +> assigning such high scores to legit newsletters these days, and the +> Habeas mark has to bring it down below that. :( IMO we have to fix +> the high-scorers anyway -- no spam ever *needs* to score over 5 in our +> scoring system, 5 == tagged anyway. + +This is off the topic of the rest of this discussion, but amavisd (in all +its incarnations) and MIMEDefang and several other MTA plugins all reject +at SMTP time messages that scores higher than some threshold (often 10). +If some new release were to start scoring all spam no higher than 5.1, +there'd better be _zero_ FPs, because all those filters would drop their +thresholds to 5. + +On Thu, 29 Aug 2002, Michael Moncur wrote: + +> But I agree that there needs to be more focus on eliminating rules that +> frequently hit on newsletters. If any newsletters actually use the Habeas +> mark, that will be one way to help. + +Newsletters won't use the mark. Habeas is priced way too high -- a factor +of at least 20 over what the market will bear, IMO -- on a per-message +basis for most typical mailing lists (Lockergnome, say) to afford it. + +On Thu, 29 Aug 2002, Harold Hallikainen wrote: + +> Habeus has come up with a very clever way to use existing law to battle +> spam. It seems that at some point they could drop the licensing fee to +> $1 or less and make all their income off suing the spammers for +> copyright infringement. + +Sorry, that just can't work. + +If the Habeas mark actually becomes both widespread enough in non-spam, +and effectively-enforced enough to be absent from spam, such that, e.g., +SA could assign a positive score to messages that do NOT have it, then +spammers are out of business and Habeas has no one to sue. There's nobody +left to charge except the people who want (or are forced against their +will because their mail won't get through otherwise) to use the mark. + +Conversely, if there are enough spammers forging the mark for Habeas to +make all its income suing them, then the mark is useless for the purpose +for which it was designed. + +Either way it seems to me that, after maybe a couple of lawsuits against +real spammers and a lot of cease-and-desist letters to clueless Mom&Pops, +then either (a) they're out of business, (b) they have to sell the rights +to use the mark to increasingly questionable senders, or (c) they've both +created and monopolized a market for "internet postage stamps" that +everybody has to pay them for. + +The latter would be quite a coup if they [*] could pull it off -- they do +absolutely nothing useful, unless you consider threatening people with +lawsuits useful, yet still collect a fee either directly or indirectly +from everyone on the internet -- effectively we'll be paying them for the +privilege of policing their trademark for them. I don't believe they'll +ever get that far, but I don't particularly want to help them make it. + +[*] And I use the term "they" loosely, because the whole company could +consist of one lawyer if it really got to that point. + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1636.5583afc73885e3bc8d4e6ce1bb31c90a b/machine-learning-ex6/ex6/easy_ham/1636.5583afc73885e3bc8d4e6ce1bb31c90a new file mode 100644 index 0000000..42448ab --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1636.5583afc73885e3bc8d4e6ce1bb31c90a @@ -0,0 +1,87 @@ +From spamassassin-devel-admin@lists.sourceforge.net Tue Oct 8 12:28:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1C20616F19 + for ; Tue, 8 Oct 2002 12:27:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 12:27:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g98BIUK12977 for ; Tue, 8 Oct 2002 12:18:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ysMO-0002G3-00; Tue, + 08 Oct 2002 04:17:08 -0700 +Received: from barry.mail.mindspring.net ([207.69.200.25]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ysMB-0003mv-00 for ; + Tue, 08 Oct 2002 04:16:55 -0700 +Received: from user-2injgi2.dsl.mindspring.com ([165.121.194.66] + helo=belphegore.hughes-family.org) by barry.mail.mindspring.net with esmtp + (Exim 3.33 #1) id 17ysM9-0006bl-00 for + spamassassin-devel@lists.sourceforge.net; Tue, 08 Oct 2002 07:16:53 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + 9BE8B40A1; Tue, 8 Oct 2002 04:16:52 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo CC +Message-Id: <20021008111652.9BE8B40A1@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 1075] RPM build puts wrong path in the *.cf files +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 04:16:52 -0700 (PDT) +Date: Tue, 8 Oct 2002 04:16:52 -0700 (PDT) +X-Spam-Status: No, hits=-170.6 required=5.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST, + NO_REAL_NAME,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=1075 + +spamassassin-contrib@msquadrat.de changed: + + What |Removed |Added +---------------------------------------------------------------------------- + CC| |spamassassin- + | |devel@lists.sourceforge.net + AssignedTo|spamassassin- |spamassassin- + |devel@lists.sourceforge.net |contrib@msquadrat.de + + + +------- Additional Comments From spamassassin-contrib@msquadrat.de 2002-10-08 04:16 ------- +I'm gonna fix this one. I think the best solution will be to copy the modified +rules to blib and install them from there. Then the rules files will be +changed on build time and not install time, too. + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. +You are on the CC list for the bug, or are watching someone who is. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + + diff --git a/machine-learning-ex6/ex6/easy_ham/1637.d9ae62cb17b80f3ae47d18a6d7100c51 b/machine-learning-ex6/ex6/easy_ham/1637.d9ae62cb17b80f3ae47d18a6d7100c51 new file mode 100644 index 0000000..e311dfc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1637.d9ae62cb17b80f3ae47d18a6d7100c51 @@ -0,0 +1,65 @@ +From tony@svanstrom.com Wed Aug 28 11:02:33 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3334043F99 + for ; Wed, 28 Aug 2002 06:02:32 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 11:02:32 +0100 (IST) +Received: from moon.campus.luth.se (root@moon.campus.luth.se + [130.240.202.158]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7S4MwZ10483 for ; Wed, 28 Aug 2002 05:22:58 +0100 +Received: from moon.campus.luth.se (tony@moon.campus.luth.se + [130.240.202.158]) by moon.campus.luth.se (8.12.3/8.12.3) with ESMTP id + g7S4N9Mg010720; Wed, 28 Aug 2002 06:23:09 +0200 (CEST) (envelope-from + tony@svanstrom.com) +Date: Wed, 28 Aug 2002 06:23:09 +0200 (CEST) +From: "Tony L. Svanstrom" +X-X-Sender: tony@moon.campus.luth.se +To: Robin Lynn Frank +Cc: Justin Mason , + , +Subject: Re: [SAtalk] Re: patent on TMDA-like system +In-Reply-To: <1030506273.18567.TMDA@omega.paradigm-omega.net> +Message-Id: <20020828062019.Y10668-100000@moon.campus.luth.se> +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-2.8 required=7.0 + tests=IN_REP_TO,NORMAL_HTTP_TO_IP,QUOTED_EMAIL_TEXT, + SIGNATURE_SHORT_SPARSE,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +On Tue, 27 Aug 2002 the voices made Robin Lynn Frank write: + +> > Tony Svanstrom, on SpamAssassin-talk, noted this US patent: +> > +> > http://appft1.uspto.gov/netacgi/nph-Parser?Sect1=PTO2&Sect2=HITOFF&u=/netah +> >tml/PTO/search-adv.html&r=62&f=G&l=50&d=PG01&s1=spam&p=2&OS=haiku&RS=spam + +> I took a bit of time to review what is on the above URL. If I were a news +> editor, the headline would be: +> +> "Inventor" from country that ignores patents and copyrights, seeks patent for +> inventing the wheel! + + The wheel is already patented in Australia; Melbourne man patents the wheel: + + + + + The sad news is that there seems to be a lot of patents (pending or not) +that's for very basic/general ideas; it's the current form of "domainnapping", +and it might turn uggly when people start trying to enfoce these patents. + + + /Tony +-- +# Per scientiam ad libertatem! // Through knowledge towards freedom! # +# Genom kunskap mot frihet! =*= (c) 1999-2002 tony@svanstrom.com =*= # + + perl -e'print$_{$_} for sort%_=`lynx -dump svanstrom.com/t`' + + diff --git a/machine-learning-ex6/ex6/easy_ham/1638.0ac4bcc3695f59f140556e976cf76443 b/machine-learning-ex6/ex6/easy_ham/1638.0ac4bcc3695f59f140556e976cf76443 new file mode 100644 index 0000000..e230319 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1638.0ac4bcc3695f59f140556e976cf76443 @@ -0,0 +1,98 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 11:31:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8D5F943F99 + for ; Wed, 28 Aug 2002 06:31:03 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 11:31:03 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SASPZ20018 for ; Wed, 28 Aug 2002 11:28:25 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k00W-0004WX-00; Wed, + 28 Aug 2002 03:25:04 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k00C-0005AS-00 for ; + Wed, 28 Aug 2002 03:24:46 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7SAOA501889; Wed, 28 Aug 2002 11:24:10 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + A2DAE43F99; Wed, 28 Aug 2002 06:21:52 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 7D7E933D8C; + Wed, 28 Aug 2002 11:21:52 +0100 (IST) +To: "Steve Thomas" +Cc: "Jonathan Nichols" , + "Spam Assassin" +Subject: Re: [SAtalk] Setting up a spam eating address +In-Reply-To: Message from + "Steve Thomas" + of + "Tue, 27 Aug 2002 11:09:34 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020828102152.A2DAE43F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:21:47 +0100 +Date: Wed, 28 Aug 2002 11:21:47 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-27.1 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +"Steve Thomas" said: + +> I created a user (honeypot) and set up an alias to it. Then I added a +> 'hidden' (font color same as background color) link to that address at the +> bottom of my html pages. The .procmailrc file for that user is: ..... +> which will submit the msg to razor then save it locally. I set this up about +> a month ago, and haven't received anything other than some viruses (Sircam) +> on it yet. The viruses are rejected at the MTA level, so they're not being +> saved/reported to razor. + +FWIW, I would now recommend doing this (using a user with a procmailrc) +instead of a system alias; more secure, and easier to filter out crud +like bounces, virii etc. that render a corpus dirty. + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1639.9abec21910adc16386517d83c04cf051 b/machine-learning-ex6/ex6/easy_ham/1639.9abec21910adc16386517d83c04cf051 new file mode 100644 index 0000000..2ba4828 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1639.9abec21910adc16386517d83c04cf051 @@ -0,0 +1,95 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Aug 28 11:31:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 1E94343F99 + for ; Wed, 28 Aug 2002 06:31:20 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 28 Aug 2002 11:31:20 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7SAWhZ20222 for ; Wed, 28 Aug 2002 11:32:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17k07J-00060B-00; Wed, + 28 Aug 2002 03:32:05 -0700 +Received: from [212.2.188.179] (helo=mandark.labs.netnoteinc.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17k072-0005yP-00 for ; + Wed, 28 Aug 2002 03:31:50 -0700 +Received: from phobos.labs.netnoteinc.com (phobos.labs.netnoteinc.com + [192.168.2.14]) by mandark.labs.netnoteinc.com (8.11.6/8.11.6) with ESMTP + id g7SAVa501897; Wed, 28 Aug 2002 11:31:36 +0100 +Received: by phobos.labs.netnoteinc.com (Postfix, from userid 500) id + C5C3143F99; Wed, 28 Aug 2002 06:29:18 -0400 (EDT) +Received: from phobos (localhost [127.0.0.1]) by + phobos.labs.netnoteinc.com (Postfix) with ESMTP id 9E4EF33D8E; + Wed, 28 Aug 2002 11:29:18 +0100 (IST) +To: Bob Sully +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] False Positive of the Week +In-Reply-To: Message from Bob Sully of + "Tue, 27 Aug 2002 22:21:30 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020828102918.C5C3143F99@phobos.labs.netnoteinc.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 28 Aug 2002 11:29:13 +0100 +Date: Wed, 28 Aug 2002 11:29:13 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-27.1 required=7.0 + tests=HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + + +Bob Sully said: + +> Spamassassin (2.30) has been tossing my daily LogWatch (3.3) reports into +> the spam bucket. A recent one generated the folowing hits: .... + +fixed in CVS I think, or at least my logwatches get through fine. If it +is not fixed in CVS, then report it, using the correct bug-reporting +procedure: + + 1. open a Bugzilla bug. http://bugzilla.SpamAssassin.org/ + + 2. attach a sample mail message *as an attachment* with all + headers intact + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by: Jabber - The world's fastest growing +real-time communications platform! Don't just IM. Build it in! +http://www.jabber.com/osdn/xim +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + diff --git a/machine-learning-ex6/ex6/easy_ham/1640.8be9ccf87265637007623bd28edffcb0 b/machine-learning-ex6/ex6/easy_ham/1640.8be9ccf87265637007623bd28edffcb0 new file mode 100644 index 0000000..b66ceda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1640.8be9ccf87265637007623bd28edffcb0 @@ -0,0 +1,85 @@ +From spamassassin-devel-admin@lists.sourceforge.net Fri Sep 6 11:49:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7AFA916F9A + for ; Fri, 6 Sep 2002 11:42:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:42:10 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868PtW25450 for + ; Fri, 6 Sep 2002 09:25:57 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id GAA20344 for + ; Fri, 6 Sep 2002 06:24:27 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17nBaA-00078T-00; Thu, + 05 Sep 2002 22:23:02 -0700 +Received: from blount.mail.mindspring.net ([207.69.200.226]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17nBZK-00070N-00 for ; + Thu, 05 Sep 2002 22:22:10 -0700 +Received: from user-1120ft5.dsl.mindspring.com ([66.32.63.165] + helo=belphegore.hughes-family.org) by blount.mail.mindspring.net with + esmtp (Exim 3.33 #1) id 17nBZJ-0005pc-00 for + spamassassin-devel@lists.sourceforge.net; Fri, 06 Sep 2002 01:22:09 -0400 +Received: by belphegore.hughes-family.org (Postfix, from userid 48) id + C3692A3C5E; Thu, 5 Sep 2002 22:22:08 -0700 (PDT) +From: bugzilla-daemon@hughes-family.org +To: spamassassin-devel@example.sourceforge.net +X-Bugzilla-Reason: AssignedTo +Message-Id: <20020906052208.C3692A3C5E@belphegore.hughes-family.org> +Subject: [SAdev] [Bug 839] mailbox corruption not fixed with procmail 3.22 +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 22:22:08 -0700 (PDT) +Date: Thu, 5 Sep 2002 22:22:08 -0700 (PDT) +X-Spam-Status: No, hits=-0.3 required=7.0 + tests=AWL,BUGZILLA_BUG,FORGED_RCVD_TRAIL,FOR_FREE, + KNOWN_MAILING_LIST,NO_REAL_NAME,SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +http://www.hughes-family.org/bugzilla/show_bug.cgi?id=839 + + + + + +------- Additional Comments From alan@rdrop.com 2002-09-05 22:22 ------- +I haven't tried 2.41 yet because it requires File::Spec, which barfs when +spamassassin tries to use it. I haven't filed a bug yet because I suspect it's +because I'm still running 5.005 perl because of reported compatibility issues +with 5.6 and later, but I probably will because I think there's too much legacy +perl code to put up with major compatibility problems, and spamassassin didn't, +at least in the quickest of looks, say it needed a newer one. The perl @ stuff +was bad enough... but this is all a separate soapbox... + + + +------- You are receiving this mail because: ------- +You are the assignee for the bug, or are watching the assignee. + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1641.7555c5920365e6315e3f20d83211d558 b/machine-learning-ex6/ex6/easy_ham/1641.7555c5920365e6315e3f20d83211d558 new file mode 100644 index 0000000..66d851c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1641.7555c5920365e6315e3f20d83211d558 @@ -0,0 +1,186 @@ +From spamassassin-talk-admin@lists.sourceforge.net Tue Oct 8 17:02:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B8FA616F18 + for ; Tue, 8 Oct 2002 17:02:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 17:02:19 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g98FWJK22155 for <077-jm-sa-listinfo-9089756@jmason.org>; Tue, + 8 Oct 2002 16:32:19 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ywM8-0004Su-00 for + <077-jm-sa-listinfo-9089756@jmason.org>; Tue, 08 Oct 2002 08:33:08 -0700 +Received: from buffy.jpci.net ([212.113.192.239]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ywLg-0005eg-00 for ; + Tue, 08 Oct 2002 08:32:40 -0700 +From: "postmaster@jpci.net" +To: "spamassassin-talk-admin@example.sourceforge.net" +Subject: Failed mail: Banned or potentially offensive material +Date: Tue, 8 Oct 2002 16:30:44 +0100 +Message-Id: <15304473447566@buffy.jpci.net> +X-Mailer: NTMail v7.02.3037 +MIME-Version: 1.0 +Content-Type: multipart/report; report-type=delivery-status; + boundary="==_15304473447567@buffy.jpci.net==_" +Sender: spamassassin-talk-owner@example.sourceforge.net +Errors-To: spamassassin-talk-owner@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Spam-Status: No, hits=-6.2 required=5.0 tests=AWL,KNOWN_MAILING_LIST,TO_ADDRESS_EQ_REAL, + T_NONSENSE_FROM_00_10 version=2.50-cvs +X-Spam-Level: + +This is a MIME-encapsulated message + +--==_15304473447567@buffy.jpci.net==_ +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +Content-Disposition: inline + +Your message was not delivered to + + daz@jpci.net + +This mail message contains banned or potentially offensive text. + + +--==_15304473447567@buffy.jpci.net==_ +Content-Type: message/delivery-status +Content-Transfer-Encoding: 7bit +Content-Disposition: inline + +Reporting-MTA: dns;buffy.jpci.net + +Final-Recipient: rfc822;daz@jpci.net +Action: failure +Status: 550 Phrase in email not acceptable + + +--==_15304473447567@buffy.jpci.net==_ +Content-Type: message/rfc822 +Content-Transfer-Encoding: 7bit +Content-Disposition: inline + +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] helo=usw-sf-list1.sourceforge.net) + by usw-sf-list2.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17ywHF-0003wQ-00; Tue, 08 Oct 2002 08:28:05 -0700 +Received: from dsl092-072-213.bos1.dsl.speakeasy.net ([66.92.72.213] helo=blazing.arsecandle.org) + by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) + id 17ywGP-000544-00 + for ; Tue, 08 Oct 2002 08:27:14 -0700 +Received: (qmail 31751 invoked from network); 8 Oct 2002 15:26:25 -0000 +Received: from localhost (HELO RAGING) (rod@127.0.0.1) + by localhost with SMTP; 8 Oct 2002 15:26:25 -0000 +Message-ID: <042a01c26edf$16332c50$b554a8c0@RAGING> +From: "rODbegbie" +To: "Odhiambo Washington" , + "spamassassin" +References: <20021008130510.GA23757@ns2.wananchi.com> +Subject: Re: [SAtalk] spamd error messages +Organization: Arsecandle Industries, Inc. +X-Habeas-SWE-1: winter into spring +X-Habeas-SWE-2: brightly anticipated +X-Habeas-SWE-3: like Habeas SWE (tm) +X-Habeas-SWE-4: Copyright 2002 Habeas (tm) +X-Habeas-SWE-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-SWE-6: email in exchange for a license for this Habeas +X-Habeas-SWE-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-SWE-8: Message (HCM) and not spam. Please report use of this +X-Habeas-SWE-9: mark in spam to . +MIME-Version: 1.0 +Content-Type: multipart/signed; + micalg=SHA1; + protocol="application/x-pkcs7-signature"; + boundary="----=_NextPart_000_0426_01C26EBD.8DF911E0" +X-Priority: 3 +X-MSMail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2800.1106 +X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2800.1106 +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-BeenThere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 8 Oct 2002 11:26:32 -0400 +Date: Tue, 8 Oct 2002 11:26:32 -0400 + +This is a multi-part message in MIME format. + +------=_NextPart_000_0426_01C26EBD.8DF911E0 +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: 7bit + +Odhiambo Washington wrote: +> After being bitten by bugs in 2.41, I've downgraded to 2.31 but now spamd +> spews errors like I've never seen before: + +Delete the contents of /usr/local/share/spamassassin and reinstall. There +are some files that were new to v2.4x, so they won't be overwritten when you +downgrade. + +rOD. + + +-- +"Fast! Fast! Faster! Bring the beef, you bastard," +cries Paula Abdul, "and don't forget the pasta!" + +Doing the blogging thang again at http://www.groovymother.com/ << + +------=_NextPart_000_0426_01C26EBD.8DF911E0 +Content-Type: application/x-pkcs7-signature; + name="smime.p7s" +Content-Transfer-Encoding: base64 +Content-Disposition: attachment; + filename="smime.p7s" + +MIAGCSqGSIb3DQEHAqCAMIACAQExCzAJBgUrDgMCGgUAMIAGCSqGSIb3DQEHAQAAoIIJIjCCAnow +ggHjoAMCAQICARcwDQYJKoZIhvcNAQEFBQAwUzELMAkGA1UEBhMCVVMxHDAaBgNVBAoTE0VxdWlm +YXggU2VjdXJlIEluYy4xJjAkBgNVBAMTHUVxdWlmYXggU2VjdXJlIGVCdXNpbmVzcyBDQS0xMB4X +DTAyMDQxODE1MjkzN1oXDTIwMDQxMzE1MjkzN1owTjELMAkGA1UEBhMCVVMxFjAUBgNVBAoTDUdl +b1RydXN0IEluYy4xJzAlBgNVBAMTHkdlb1RydXN0IFRydWUgQ3JlZGVudGlhbHMgQ0EgMjCBnzAN +BgkqhkiG9w0BAQEFAAOBjQAwgYkCgYEAspcspZISpYX/aJqWoYcSyyGqFby3OvsepRzLRU0ENDJR +wJo7DwFpirRFOUQkTkKXsY6BQzX/CeCRrn9i4ny5gcXuI2JSyrSmDwobbwl52n5cPEbHGcebybWd +KfAf8vvkxYUnTmDZPtt2ob5RNpJTeTiq9MpNCB/5G7Ocr1hEljcCAwEAAaNjMGEwDgYDVR0PAQH/ +BAQDAgHGMB0GA1UdDgQWBBQig0tNIAIMMfR8WrAaTRXIeF0RSTAPBgNVHRMBAf8EBTADAQH/MB8G +A1UdIwQYMBaAFEp4MlIR21kWNl7fwRQ2QGpHfEyhMA0GCSqGSIb3DQEBBQUAA4GBACmw3z+sLsLS +fAfdECQJPfiZFzJzSPQKLwY7vHnNWH2lAKYECbtAFHBpdyhSPkrj3KghXeIJnKyMFjsK6xd1k1Yu +wMXrauUH+HIDuZUg4okBwQbhBTqjjEdo/cCHILQsaLeU2kM+n5KKrpb0uvrHrocGffRMrWhz9zYB +lxoq0/EEMIICgjCCAeugAwIBAgIBBDANBgkqhkiG9w0BAQQFADBTMQswCQYDVQQGEwJVUzEcMBoG +A1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1c2lu +ZXNzIENBLTEwHhcNOTkwNjIxMDQwMDAwWhcNMjAwNjIxMDQwMDAwWjBTMQswCQYDVQQGEwJVUzEc +MBoGA1UEChMTRXF1aWZheCBTZWN1cmUgSW5jLjEmMCQGA1UEAxMdRXF1aWZheCBTZWN1cmUgZUJ1 +c2luZXNzIENBLTEwgZ8wDQYJKoZIhvcNAQEBBQADgY0AMIGJAoGBAM4vGbwXt3fek6lfWg0XTzQa +DJj0ItlZ1MRoRvC0NcWFAyDGr0WlIVFFQesWWDYyb+JQYmT5/VGcqiTZ9J2DKocKIdMSODRsjQBu +WqDZQu4aIZX5UkxVWsUPOE9G+m34LjXWHXzr4vCwdYDIqROsvojvOm6rXyo4YgKwEnv+j6YDAgMB + +------=_NextPart_000_0426_01C26EBD.8DF911E0-- + +--==_15304473447567@buffy.jpci.net==_-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/1642.c4eea2387cc6850b5e1cb84529535f8b b/machine-learning-ex6/ex6/easy_ham/1642.c4eea2387cc6850b5e1cb84529535f8b new file mode 100644 index 0000000..f4dcc13 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1642.c4eea2387cc6850b5e1cb84529535f8b @@ -0,0 +1,84 @@ +From spamassassin-devel-admin@lists.sourceforge.net Thu Aug 22 15:46:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C4B4247C66 + for ; Thu, 22 Aug 2002 10:46:25 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 22 Aug 2002 15:46:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MEfWZ10476 for ; Thu, 22 Aug 2002 15:41:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ht5L-0000HM-00; Thu, + 22 Aug 2002 07:37:19 -0700 +Received: from hippo.star.co.uk ([195.216.14.9]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ht4D-0001uR-00 for ; + Thu, 22 Aug 2002 07:36:10 -0700 +Received: from MATT_LINUX by hippo.star.co.uk via smtpd (for + usw-sf-lists.sourceforge.net [216.136.171.198]) with SMTP; 22 Aug 2002 + 14:27:19 UT +Received: (qmail 8220 invoked from network); 20 Aug 2002 14:32:24 -0000 +Received: from unknown (HELO startechgroup.co.uk) (10.2.100.178) by + matt?dev.int.star.co.uk with SMTP; 20 Aug 2002 14:32:24 -0000 +Message-Id: <3D64F610.80104@startechgroup.co.uk> +From: Matt Sergeant +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0rc1) Gecko/20020426 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: =?ISO-8859-1?Q?David_H=F6hn?= +Cc: spamassassin-devel@example.sourceforge.net +Subject: Re: [SAdev] Interesting approach to Spam handling.. +References: +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +Sender: spamassassin-devel-admin@example.sourceforge.net +Errors-To: spamassassin-devel-admin@example.sourceforge.net +X-Beenthere: spamassassin-devel@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: SpamAssassin Developers +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 22 Aug 2002 15:32:48 +0100 +Date: Thu, 22 Aug 2002 15:32:48 +0100 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +David Höhn wrote: +> Hello, have you seen and discussed this article and his approach? +> +> Thank you +> +> http://www.paulgraham.com/spam.html + +Yes. See the perl module Mail::SpamTest::Bayesian on CPAN, and the +thread on sa-talk. + +Matt. + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Spamassassin-devel mailing list +Spamassassin-devel@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-devel + diff --git a/machine-learning-ex6/ex6/easy_ham/1643.6376ec92af99da9b90e5a3ab60f9fd09 b/machine-learning-ex6/ex6/easy_ham/1643.6376ec92af99da9b90e5a3ab60f9fd09 new file mode 100644 index 0000000..04d36ef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1643.6376ec92af99da9b90e5a3ab60f9fd09 @@ -0,0 +1,109 @@ +From spamassassin-talk-admin@lists.sourceforge.net Wed Oct 9 18:31:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D016816F03 + for ; Wed, 9 Oct 2002 18:31:41 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:31:41 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g99HPQK13803 for ; Wed, 9 Oct 2002 18:25:26 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17zKZ7-0003Gb-00; Wed, + 09 Oct 2002 10:24:09 -0700 +Received: from relay05.indigo.ie ([194.125.133.229]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17zKYV-0002NW-00 for ; + Wed, 09 Oct 2002 10:23:31 -0700 +Received: (qmail 89758 messnum 1203278 invoked from + network[194.125.220.79/ts05-079.dublin.indigo.ie]); 9 Oct 2002 17:23:27 + -0000 +Received: from ts05-079.dublin.indigo.ie (HELO example.com) + (194.125.220.79) by relay05.indigo.ie (qp 89758) with SMTP; 9 Oct 2002 + 17:23:27 -0000 +Received: by example.com (Postfix, from userid 500) id 3CA8C16F03; + Wed, 9 Oct 2002 18:23:25 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 2E63FF7D8; Wed, 9 Oct 2002 18:23:25 +0100 (IST) +To: Craig Hughes +Cc: spamassassin-talk@example.sourceforge.net +Subject: Re: [SAtalk] Re: fully-public corpus of mail available +In-Reply-To: Message from Craig Hughes of + "Wed, 09 Oct 2002 08:37:09 PDT." + +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20021009172325.3CA8C16F03@example.com> +Sender: spamassassin-talk-admin@example.sourceforge.net +Errors-To: spamassassin-talk-admin@example.sourceforge.net +X-Beenthere: spamassassin-talk@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: Talk about SpamAssassin +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 09 Oct 2002 18:23:20 +0100 +Date: Wed, 09 Oct 2002 18:23:20 +0100 +X-Spam-Status: No, hits=-31.0 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100, + T_QUOTE_TWICE_1 + version=2.50-cvs +X-Spam-Level: + + +Craig Hughes said: + +> > - All headers are reproduced in full. Some address obfuscation has +> > taken place; hostnames in some cases have been replaced with +> > "example.com", which should have a valid MX record (if I recall +> > correctly). In > most cases though, the headers appear as they were +> > received. +> +> Nope: +> +> [craig@balam craig]$ dig example.com mx + +I knew there was something about example.com ;) + +Ah well, that's probably just as good anyway... + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Spamassassin-talk mailing list +Spamassassin-talk@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/spamassassin-talk + + diff --git a/machine-learning-ex6/ex6/easy_ham/1644.ba26918a1837fcadae2327adc12a797d b/machine-learning-ex6/ex6/easy_ham/1644.ba26918a1837fcadae2327adc12a797d new file mode 100644 index 0000000..db17103 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1644.ba26918a1837fcadae2327adc12a797d @@ -0,0 +1,91 @@ +Replied: Thu, 10 Oct 2002 13:14:29 +0100 +Replied: yyyy@example.com (Justin Mason) +Replied: Daniel Quinlan +Replied: SpamAssassin-talk@example.sourceforge.net +Replied: SpamAssassin-devel@example.sourceforge.net +From quinlan@pathname.com Thu Oct 10 12:29:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4B24416F03 + for ; Thu, 10 Oct 2002 12:29:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:29:11 +0100 (IST) +Received: from proton.pathname.com + (adsl-216-103-211-240.dsl.snfc21.pacbell.net [216.103.211.240]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g9A4kRK08872 for + ; Thu, 10 Oct 2002 05:46:27 +0100 +Received: from quinlan by proton.pathname.com with local (Exim 3.35 #1 + (Debian)) id 17zVDy-0006cM-00; Wed, 09 Oct 2002 21:47:02 -0700 +To: yyyy@example.com (Justin Mason) +Cc: SpamAssassin-talk@example.sourceforge.net, + SpamAssassin-devel@lists.sourceforge.net, + Steve Atkins , ion@aueb.gr, donatespam@archub.org, + spambayes@python.org +Subject: Re: [SAdev] fully-public corpus of mail available +References: <20021009122116.6EB2416F03@example.com> +From: Daniel Quinlan +Date: 09 Oct 2002 21:47:02 -0700 +In-Reply-To: yyyy@example.com's message of "Wed, 09 Oct 2002 13:21:11 +0100" +Message-Id: +Lines: 40 +X-Mailer: Gnus v5.7/Emacs 20.7 +X-Spam-Status: No, hits=-118.9 required=5.0 + tests=AWL,IN_REP_TO,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100, + T_QUOTED_EMAIL_TEXT,USER_AGENT_GNUS_XM + version=2.50-cvs +X-Spam-Level: + +> (Please feel free to forward this message to other possibly-interested +> parties.) + +Some caveats (in decending order of concern): + +1. These messages could end up being falsely (or incorrectly) reported + to Razor, DCC, Pyzor, etc. Certain RBLs too. I don't think the + results for these distributed tests can be trusted in any way, + shape, or form when running over a public corpus. + +2. These messages could also be submitted (more than once) to projects + like SpamAssassin that rely on filtering results submission for GA + tuning and development. + +3. Spammers could adopt elements of the good messages to throw off + filters. And, of course, there's always progression in technology + (by both spammers and non-spammers). + +The second problem could be alleviated somewhat by adding a Nilsimsa +signature (or similar) to the mass-check file (the results format used +by SpamAssassin) and giving the message files unique names (MD5 or +SHA-1 of each file). + +The third problem doesn't really worry me. + +These problems (and perhaps others I have not identified) are unique +to spam filtering. Compression corpuses and other performance-related +corpuses have their own set of problems, of course. + +In other words, I don't think there's any replacement for having +multiple independent corpuses. Finding better ways to distribute +testing and collate results seems like a more viable long-term solution +(and I'm glad we're working on exactly that for SpamAssassin). If +you're going to seriously work on filter development, building a corpus +of 10000-50000 messages (half spam/half non-spam) is not really that +much work. If you don't get enough spam, creating multi-technique +spamtraps (web, usenet, replying to spam) is pretty easy. And who +doesn't get thousands of non-spam every week? ;-) + +Dan + + diff --git a/machine-learning-ex6/ex6/easy_ham/1645.60a80c94ae8fec2ef1f1ef0915445400 b/machine-learning-ex6/ex6/easy_ham/1645.60a80c94ae8fec2ef1f1ef0915445400 new file mode 100644 index 0000000..4c16fda --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1645.60a80c94ae8fec2ef1f1ef0915445400 @@ -0,0 +1,96 @@ +From jm@jmason.org Thu Oct 10 13:14:29 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 0610616F17; Thu, 10 Oct 2002 13:14:29 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 033BAF7DA; Thu, 10 Oct 2002 13:14:29 +0100 (IST) +To: Daniel Quinlan +Cc: yyyy@example.com (Justin Mason), + SpamAssassin-talk@lists.sourceforge.net, + SpamAssassin-devel@lists.sourceforge.net +Subject: Re: [SAdev] fully-public corpus of mail available +In-Reply-To: Message from Daniel Quinlan + of "09 Oct 2002 21:47:02 PDT." +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Thu, 10 Oct 2002 13:14:23 +0100 +Sender: yyyy@example.com +Message-Id: <20021010121429.0610616F17@example.com> +X-Spam-Status: No, hits=-27.8 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,T_QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +(trimmed cc list) + +Daniel Quinlan said: + +> 1. These messages could end up being falsely (or incorrectly) reported +> to Razor, DCC, Pyzor, etc. Certain RBLs too. I don't think the +> results for these distributed tests can be trusted in any way, +> shape, or form when running over a public corpus. + +I'll note that in the README. + +> 2. These messages could also be submitted (more than once) to projects +> like SpamAssassin that rely on filtering results submission for GA +> tuning and development. +> The second problem could be alleviated somewhat by adding a Nilsimsa +> signature (or similar) to the mass-check file (the results format used +> by SpamAssassin) and giving the message files unique names (MD5 or +> SHA-1 of each file). + +OK; maybe rewriting the message-ids will help here, that should allow +us to pick them out. I'll do that. + +> 3. Spammers could adopt elements of the good messages to throw off +> filters. And, of course, there's always progression in technology +> (by both spammers and non-spammers). +> The third problem doesn't really worry me. + +nah, me neither. + +> These problems (and perhaps others I have not identified) are unique +> to spam filtering. Compression corpuses and other performance-related +> corpuses have their own set of problems, of course. +> +> In other words, I don't think there's any replacement for having +> multiple independent corpuses. Finding better ways to distribute +> testing and collate results seems like a more viable long-term solution +> (and I'm glad we're working on exactly that for SpamAssassin). If +> you're going to seriously work on filter development, building a corpus +> of 10000-50000 messages (half spam/half non-spam) is not really that +> much work. If you don't get enough spam, creating multi-technique +> spamtraps (web, usenet, replying to spam) is pretty easy. And who +> doesn't get thousands of non-spam every week? ;-) + +Yep. The primary reason I released this, was to provide a good, big +corpus for academic testing of filter systems; it allows results to +be compared between filters using a known corpus. + +For SpamAssassin development, everyone has to maintain their own corpus. + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1646.b241667d03a7ff89619c30cbe2f8dab2 b/machine-learning-ex6/ex6/easy_ham/1646.b241667d03a7ff89619c30cbe2f8dab2 new file mode 100644 index 0000000..8cf7c92 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1646.b241667d03a7ff89619c30cbe2f8dab2 @@ -0,0 +1,104 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:16:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BD4D344168 + for ; Mon, 26 Aug 2002 10:15:10 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:15:10 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7NKZAZ07233 for ; Fri, 23 Aug 2002 21:35:10 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iKta-0008WK-00; Fri, + 23 Aug 2002 13:19:02 -0700 +Received: from smtp-gw-cl-a.dmv.com ([64.45.128.110]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17iKsZ-0002Sv-00 for + ; Fri, 23 Aug 2002 13:17:59 -0700 +Received: from landshark (landshark.dmv.com [64.45.129.242]) by + smtp-gw-cl-a.dmv.com (8.12.3/8.12.3) with SMTP id g7NKBljr011201 for + ; Fri, 23 Aug 2002 16:11:47 -0400 (EDT) + (envelope-from sven@dmv.com) +Message-Id: <01aa01c24ae2$2a5baa70$f2812d40@landshark> +From: "Sven Willenberger" +To: +References: +Subject: RE: [Razor-users] Razor with sendmail +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 23 Aug 2002 16:17:55 -0400 +Date: Fri, 23 Aug 2002 16:17:55 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-3.6 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +----- Original Message ----- +From: +To: +Sent: Friday, August 23, 2002 3:05 PM +Subject: Razor-users digest, Vol 1 #346 - 8 msgs + + +> Subject: RE: [Razor-users] Razor with sendmail +> Date: Fri, 23 Aug 2002 15:03:05 -0400 +> From: "Rose, Bobby" +> To: "Julian Bond" , +> +> +> If you didn't add it when compile would be one way. Another would be to +> grep your sendmail.cf for the word Milter. +> +> +> +> "Bort, Paul" wrote: +> >If your sendmail has been compiled with Milter support, you can add=20 +> >SMRazor easily. We've been using it for a while without problems.=20 +> >Others on the list have mentioned it as well. +> > +> >http://www.sapros.com/smrazor/ +> +> Is there an easy way to tell if Milter is compiled in? +> + +To see all the options compiled into (and version of) sendmail, try the +following line: + +echo \$Z | /path/to/sendmail -bt -d0 + +Sven + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1647.e868de6866be80866e13b1660d95537c b/machine-learning-ex6/ex6/easy_ham/1647.e868de6866be80866e13b1660d95537c new file mode 100644 index 0000000..e6dc8b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1647.e868de6866be80866e13b1660d95537c @@ -0,0 +1,83 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:18:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 017124416E + for ; Mon, 26 Aug 2002 10:15:59 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:15:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7O8pcZ29845 for ; Sat, 24 Aug 2002 09:51:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iWOq-00066d-00; Sat, + 24 Aug 2002 01:36:04 -0700 +Received: from nick.dcs.qmul.ac.uk ([138.37.88.61] helo=nick) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17iWOm-0000vq-00 for + ; Sat, 24 Aug 2002 01:36:01 -0700 +Received: from 81-86-135-90.dsl.pipex.com ([81.86.135.90] + helo=guest1.mews) by nick with asmtp (TLSv1:EDH-RSA-DES-CBC3-SHA:168) + (Exim 4.10) id 17iWOb-0004VE-00; Sat, 24 Aug 2002 09:35:49 +0100 +From: mb/vipul@dcs.qmul.ac.uk +X-X-Sender: mb@guest1.mews +To: "Bort, Paul" +Cc: razor-users@example.sourceforge.net +Subject: RE: [Razor-users] Razor with sendmail +In-Reply-To: +Message-Id: +X-Url: http://www.theBachChoir.org.uk/ +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Auth-User: mb +X-Uvscan-Result: clean (17iWOb-0004VE-00) +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 24 Aug 2002 09:48:57 +0100 (BST) +Date: Sat, 24 Aug 2002 09:48:57 +0100 (BST) +Lines: 24 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,SPAM_PHRASE_02_03,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Aug 23 Bort, Paul wrote: + +>If your sendmail has been compiled with Milter support, you can add SMRazor +>easily. We've been using it for a while without problems. Others on the list +>have mentioned it as well. +> +>http://www.sapros.com/smrazor/ + +Does this fork+exec a perl interpreter for every incoming mail? If so, I +reckon your mailer is vulerable to a DoS attack without too much effort... +The real question is: is there a way to run razor without this overhead? +Even some sort of razord you could talk to over a unix socket would do. +Until I can find one, I cannot spare the resources to run razor at all :( + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1648.feab1eecf41d21e438b3658a5ab15f80 b/machine-learning-ex6/ex6/easy_ham/1648.feab1eecf41d21e438b3658a5ab15f80 new file mode 100644 index 0000000..3bf47cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1648.feab1eecf41d21e438b3658a5ab15f80 @@ -0,0 +1,82 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:19:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8F47A44172 + for ; Mon, 26 Aug 2002 10:16:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:16:28 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7OCoHZ03126 for ; Sat, 24 Aug 2002 13:50:18 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17iaEu-0001JM-00; Sat, + 24 Aug 2002 05:42:04 -0700 +Received: from spoons.net1.nerim.net ([80.65.224.36] + helo=cyborgnation.org) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17iaEO-0002hx-00 + for ; Sat, 24 Aug 2002 05:41:32 -0700 +Received: (qmail 31109 invoked from network); 24 Aug 2002 12:41:22 -0000 +Received: from unknown (HELO musclor) (192.168.0.6) by 0 with SMTP; + 24 Aug 2002 12:41:22 -0000 +From: Toorop +X-Mailer: The Bat! (v1.61) +Reply-To: Toorop +Organization: Cyborg Nation +X-Priority: 3 (Normal) +Message-Id: <13711665921.20020824144120@cyborgnation.org> +To: razor-users@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +Subject: [Razor-users] Where can i find a positif mail(spam) for test +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 24 Aug 2002 14:41:20 +0200 +Date: Sat, 24 Aug 2002 14:41:20 +0200 +Lines: 24 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.5 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + SPAM_PHRASE_02_03,USER_AGENT_THEBAT + version=2.40-cvs +X-Spam-Level: + +Bonjour, + + I'm writting a Python script, in order to use Razor with Qmail. + The script is finish, but i want to test the result with positive + mail (spam). Somebody knows, whrere can i find one. + + PS : Escuse my pooooooor English ;-)) + +-- +Toorop +Lorsque que vous avez éliminé l'impossible, ce qui reste, +même si c'est improbable, doit être la vérité. +www.spoonsdesign.com + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1649.00d75963b0db438a7f492b59a5395fc0 b/machine-learning-ex6/ex6/easy_ham/1649.00d75963b0db438a7f492b59a5395fc0 new file mode 100644 index 0000000..1e9699e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1649.00d75963b0db438a7f492b59a5395fc0 @@ -0,0 +1,95 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:19:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 765A544163 + for ; Mon, 26 Aug 2002 10:16:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:16:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7OEPXZ05337 for ; Sat, 24 Aug 2002 15:25:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ibjo-0006RZ-00; Sat, + 24 Aug 2002 07:18:04 -0700 +Received: from spoons.net1.nerim.net ([80.65.224.36] + helo=cyborgnation.org) by usw-sf-list1.sourceforge.net with esmtp (Cipher + TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id 17ibjX-0006YH-00 + for ; Sat, 24 Aug 2002 07:17:47 -0700 +Received: (qmail 500 invoked from network); 24 Aug 2002 14:17:39 -0000 +Received: (Scanned by Protecmail Filter for Cyborg Nation)24 Aug 2002 + 14:17:39 -0000 +Received: from unknown (HELO musclor) (192.168.0.6) by 0 with SMTP; + 24 Aug 2002 14:17:39 -0000 +From: Toorop +X-Mailer: The Bat! (v1.61) +Reply-To: Toorop +Organization: Cyborg Nation +X-Priority: 3 (Normal) +Message-Id: <5217441703.20020824161736@cyborgnation.org> +To: razor-users@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +Content-Transfer-Encoding: 8bit +Subject: [Razor-users] Exit.status =13 ? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 24 Aug 2002 16:17:36 +0200 +Date: Sat, 24 Aug 2002 16:17:36 +0200 +Lines: 35 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-0.5 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + SPAM_PHRASE_02_03,USER_AGENT_THEBAT + version=2.40-cvs +X-Spam-Level: + +Bonjour, + + Always for my script, if i run it manually in console all is ok + whether is the user. + But if i try to implement it in my general script filter running + whith qmailq UID (503) : + + I've got 13 has exit status, and in my mail log : + "Can't call method "log" on unblessed reference at + /usr/lib/perl5/site_perl/5.6.0/Razor2/Client/Agent.pm line 211." + + My log file is in /home/user/.razor/razor-agent.log + and have write permission for qmailq user. + + Any idea ?? + +-- +Toorop +Lorsque que vous avez éliminé l'impossible, ce qui reste, +même si c'est improbable, doit être la vérité. +www.spoonsdesign.com + +--------------------------------- +Mail scanné par Protecmail filter + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1650.3d76995e778ef56fcf4ff76b02d485ed b/machine-learning-ex6/ex6/easy_ham/1650.3d76995e778ef56fcf4ff76b02d485ed new file mode 100644 index 0000000..a7309b4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1650.3d76995e778ef56fcf4ff76b02d485ed @@ -0,0 +1,104 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:21:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 11BDB4416B + for ; Mon, 26 Aug 2002 10:18:07 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:18:07 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7P3uQZ00566 for ; Sun, 25 Aug 2002 04:56:26 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ioKp-0006T0-00; Sat, + 24 Aug 2002 20:45:07 -0700 +Received: from dsl-65-187-98-81.telocity.com ([65.187.98.81] + helo=home.topshot.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17ioKL-0003RJ-00 for + ; Sat, 24 Aug 2002 20:44:38 -0700 +Received: from jberry12375l1 (berry12375l.topshot.com [10.0.0.50]) by + home.topshot.com (8.12.4/8.12.4) with ESMTP id g7P3iATu031394 for + ; Sat, 24 Aug 2002 23:44:15 -0400 (EDT) +From: Joe Berry +X-Mailer: The Bat! (v1.61) Personal +Reply-To: Joe Berry +X-Priority: 3 (Normal) +Message-Id: <969536713.20020824234409@topshot.com> +To: razor-users@example.sourceforge.net +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Subject: [Razor-users] Reducing impact from tons of email +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sat, 24 Aug 2002 23:44:09 -0400 +Date: Sat, 24 Aug 2002 23:44:09 -0400 +Lines: 47 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-1.3 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_03_05,USER_AGENT_THEBAT + version=2.40-cvs +X-Spam-Level: + +I'm not sure if this is really a razor problem/issue or a sendmail +problem. Here's the scenario... My mail server is a 150mhz PC funning +FreeBSD 4.4. Ordinarily, the machine is quite idle; it supports my +wife's web site with Apache server running on it and a few other +services (jabber, etc). Between the various members of our family, we +get a fair amount of email coming in (mailing lists, etc). On +occasion, our DSL-based ISP dies for a number of hours. When we get a +reconnection to the Internet, I get a huge flow of emails coming in +which are then filtered via razor. As a result, I will sometimes see +over 20+ sendmail processes running at the same time after such an +occasion. The machine is then REALLY slow. + +I noticed that my /etc/procmailrc file had had no arguments associated +with the call to razor-check. There was something in the log, though, +to make me suspicious that it was possibly not seeing all my razor +files. So I have just added "-home /etc/razor" as an argument. I +haven't had any down time since then so I cannot comment on whether +this change has sped up my razor processing a noticable amount. (This +paragraph may be an aside to my real problem, the first paragraph +above; but I thought I should be complete in my description.) + +At any rate, has anyone else suffered from a backlog of email +processing creating lots and lots of sendmail processes? Is there, +perhaps, a way to limit the number of sendmail processes? + +Any ideas would be welcome. + +Thanks, +Joe +--- +Joe Berry +joe@topshot.com +AIM "joe topshot" +Yahoo Msgr "joetopshot" +jabber "joetopshot@topshot.com" +Baltimore, MD + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1651.8a77b2ea51351288a9f69b23aa5ebb26 b/machine-learning-ex6/ex6/easy_ham/1651.8a77b2ea51351288a9f69b23aa5ebb26 new file mode 100644 index 0000000..f125b93 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1651.8a77b2ea51351288a9f69b23aa5ebb26 @@ -0,0 +1,136 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 15:21:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8184A4416C + for ; Mon, 26 Aug 2002 10:18:16 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 15:18:16 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7P5iQZ03081 for ; Sun, 25 Aug 2002 06:44:26 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ipzM-0002Xw-00; Sat, + 24 Aug 2002 22:31:04 -0700 +Received: from longbow.wesolveit.com.au ([210.10.109.227]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ipyz-0006KN-00 for ; Sat, + 24 Aug 2002 22:30:41 -0700 +Received: (qmail 25046 invoked from network); 25 Aug 2002 05:30:34 -0000 +Received: from unknown (HELO adamwin98se) (192.168.2.114) by 0 with SMTP; + 25 Aug 2002 05:30:34 -0000 +From: "Adam Goryachev" +To: "Joe Berry" , + +Subject: RE: [Razor-users] Reducing impact from tons of email +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2910.0) +In-Reply-To: <969536713.20020824234409@topshot.com> +X-Mimeole: Produced By Microsoft MimeOLE V5.00.2615.200 +Importance: Normal +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Sun, 25 Aug 2002 15:39:13 +1000 +Date: Sun, 25 Aug 2002 15:39:13 +1000 +Lines: 75 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + SPAM_PHRASE_05_08,USER_AGENT_OUTLOOK + version=2.40-cvs +X-Spam-Level: + +See your /etc/sendmail.cf file, there are a number of methods for limiting +the number of concurrent sendmail processes, either by load average (I'm +sure), or concurrency (I think)... I use sendmail anymore (I use qmail) but +I'm sure that if you look in the config file, you will see what you need... + +Regards, +Adam + +> -----Original Message----- +> From: razor-users-admin@example.sourceforge.net +> [mailto:razor-users-admin@lists.sourceforge.net]On Behalf Of Joe Berry +> Sent: Sunday, 25 August 2002 1:44 PM +> To: razor-users@example.sourceforge.net +> Subject: [Razor-users] Reducing impact from tons of email +> +> +> I'm not sure if this is really a razor problem/issue or a sendmail +> problem. Here's the scenario... My mail server is a 150mhz PC funning +> FreeBSD 4.4. Ordinarily, the machine is quite idle; it supports my +> wife's web site with Apache server running on it and a few other +> services (jabber, etc). Between the various members of our family, we +> get a fair amount of email coming in (mailing lists, etc). On +> occasion, our DSL-based ISP dies for a number of hours. When we get a +> reconnection to the Internet, I get a huge flow of emails coming in +> which are then filtered via razor. As a result, I will sometimes see +> over 20+ sendmail processes running at the same time after such an +> occasion. The machine is then REALLY slow. +> +> I noticed that my /etc/procmailrc file had had no arguments associated +> with the call to razor-check. There was something in the log, though, +> to make me suspicious that it was possibly not seeing all my razor +> files. So I have just added "-home /etc/razor" as an argument. I +> haven't had any down time since then so I cannot comment on whether +> this change has sped up my razor processing a noticable amount. (This +> paragraph may be an aside to my real problem, the first paragraph +> above; but I thought I should be complete in my description.) +> +> At any rate, has anyone else suffered from a backlog of email +> processing creating lots and lots of sendmail processes? Is there, +> perhaps, a way to limit the number of sendmail processes? +> +> Any ideas would be welcome. +> +> Thanks, +> Joe +> --- +> Joe Berry +> joe@topshot.com +> AIM "joe topshot" +> Yahoo Msgr "joetopshot" +> jabber "joetopshot@topshot.com" +> Baltimore, MD +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1652.d6f822887fdfa0d184c6303d28b97acf b/machine-learning-ex6/ex6/easy_ham/1652.d6f822887fdfa0d184c6303d28b97acf new file mode 100644 index 0000000..f8c252a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1652.d6f822887fdfa0d184c6303d28b97acf @@ -0,0 +1,79 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 21:06:36 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id AA61C43F99 + for ; Mon, 26 Aug 2002 16:06:36 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:06:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QK3oZ07287 for ; Mon, 26 Aug 2002 21:03:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jPt9-00018J-00; Mon, + 26 Aug 2002 12:51:03 -0700 +Received: from nick.dcs.qmul.ac.uk ([138.37.88.61] helo=nick) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17jPsr-0007xc-00 for + ; Mon, 26 Aug 2002 12:50:46 -0700 +Received: from 81-86-135-90.dsl.pipex.com ([81.86.135.90] + helo=guest1.mews) by nick with asmtp (TLSv1:EDH-RSA-DES-CBC3-SHA:168) + (Exim 4.10) id 17jPsi-00065f-00; Mon, 26 Aug 2002 20:50:36 +0100 +From: mb/vipul@dcs.qmul.ac.uk +X-X-Sender: mb@guest1.mews +To: Joe Berry +Cc: razor-users@example.sourceforge.net +Subject: Re[2]: [Razor-users] Reducing impact from tons of email +In-Reply-To: <11965292705.20020825151325@topshot.com> +Message-Id: +X-Url: http://www.theBachChoir.org.uk/ +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Auth-User: mb +X-Uvscan-Result: clean (17jPsi-00065f-00) +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 21:04:35 +0100 (BST) +Date: Mon, 26 Aug 2002 21:04:35 +0100 (BST) +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + NO_REAL_NAME,SPAM_PHRASE_02_03,USER_AGENT_PINE + version=2.40-cvs +X-Spam-Level: + +On Aug 25 Joe Berry wrote: + +>Very good advice given above. + +Yes :) + +>One more problem solved. + +No. One more problem in some software worked around by using tricks in +another piece of software. The solution is the aggregator. + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1653.19b45239333519205611b669843294cd b/machine-learning-ex6/ex6/easy_ham/1653.19b45239333519205611b669843294cd new file mode 100644 index 0000000..41c715c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1653.19b45239333519205611b669843294cd @@ -0,0 +1,436 @@ +From razor-users-admin@lists.sourceforge.net Mon Aug 26 21:27:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id C1D5343F9B + for ; Mon, 26 Aug 2002 16:27:04 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 26 Aug 2002 21:27:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7QKRaZ08329 for ; Mon, 26 Aug 2002 21:27:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17jQGN-0004Gw-00; Mon, + 26 Aug 2002 13:15:03 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17jQFX-0004u3-00 for ; Mon, + 26 Aug 2002 13:14:11 -0700 +Received: (qmail 4767 invoked from network); 26 Aug 2002 15:10:23 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 26 Aug 2002 15:10:23 -0000 +Message-Id: <004d01c24d3d$20314980$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [Razor-users] Preproc erasing message +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 26 Aug 2002 16:14:04 -0400 +Date: Mon, 26 Aug 2002 16:14:04 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=4.8 required=7.0 + tests=BIG_FONT,FOR_FREE,FROM_ENDS_IN_NUMS,HTML_FONT_COLOR_RED, + KNOWN_MAILING_LIST,MAILTO_LINK,MAILTO_WITH_SUBJ,REFERENCES, + SPAM_PHRASE_03_05,TO_BE_REMOVED_REPLY,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: **** + +The following razor debugging sequence show my mail going from 9295 bytes to +0 bytes after the preproc runs, which gives me an exit code that is not 0. +I included the message below. + +Fox + +Razor-Log: No /etc/razor/razor-agent.conf found, skipping. +Razor-Log: No razor-agent.conf found, using defaults. +Aug 26 10:28:09.225237 check[3469]: [ 1] [bootup] Logging initiated +LogDebugLevel=9 to stdout +Aug 26 10:28:09.225890 check[3469]: [ 5] computed razorhome=/etc/razor, +conf=, ident=/etc/razor/identity +Aug 26 10:28:09.226006 check[3469]: [ 2] Razor-Agents v2.14 starting +razor-check -d -home=/etc/razor +Aug 26 10:28:09.229704 check[3469]: [ 9] uname -a: Linux qmail.mckee.com +2.4.8-34.1mdk #1 Mon Nov 19 12:40:39 MST 2001 i686 unknown +Aug 26 10:28:09.230155 check[3469]: [ 8] reading straight RFC822 mail from +Aug 26 10:28:09.231524 check[3469]: [ 6] read 1 mail +Aug 26 10:28:09.231923 check[3469]: [ 8] Client supported_engines: 1 2 3 4 +Aug 26 10:28:09.233017 check[3469]: [ 8] prep_mail done: mail 1 headers=631, +mime0=9295 +Aug 26 10:28:09.233434 check[3469]: [ 6] skipping whitelist file (empty?): +/etc/razor/razor-whitelist +Aug 26 10:28:09.233995 check[3469]: [ 5] read_file: 1 items read from +/etc/razor/servers.discovery.lst +Aug 26 10:28:09.234369 check[3469]: [ 5] read_file: 1 items read from +/etc/razor/servers.nomination.lst +Aug 26 10:28:09.234697 check[3469]: [ 5] read_file: 3 items read from +/etc/razor/servers.catalogue.lst +Aug 26 10:28:09.235184 check[3469]: [ 9] Assigning defaults to +honor.cloudmark.com +Aug 26 10:28:09.235415 check[3469]: [ 9] Assigning defaults to +truth.cloudmark.com +Aug 26 10:28:09.235624 check[3469]: [ 9] Assigning defaults to +fire.cloudmark.com +Aug 26 10:28:09.235830 check[3469]: [ 9] Assigning defaults to +apt.cloudmark.com +Aug 26 10:28:09.236715 check[3469]: [ 5] read_file: 11 items read from +/etc/razor/server.truth.cloudmark.com.conf +Aug 26 10:28:09.237368 check[3469]: [ 5] read_file: 11 items read from +/etc/razor/server.fire.cloudmark.com.conf +Aug 26 10:28:09.237825 check[3469]: [ 5] 149643 seconds before closest +server discovery +Aug 26 10:28:09.238135 check[3469]: [ 6] truth.cloudmark.com is a Catalogue +Server srl 51; computed min_cf=1, Server se: 0B +Aug 26 10:28:09.238414 check[3469]: [ 8] Computed supported_engines: 1 2 4 +Aug 26 10:28:09.238656 check[3469]: [ 8] Using next closest server +truth.cloudmark.com:2703, cached info srl 51 +Aug 26 10:28:09.238871 check[3469]: [ 8] mail 1 Subject: New Freeware +Download +Aug 26 10:28:09.290618 check[3469]: [ 6] preproc: mail 1.0 went from 9295 +bytes to 0, erasing +Aug 26 10:28:09.291100 check[3469]: [ 5] Connecting to truth.cloudmark.com +... +Aug 26 10:28:09.505431 check[3469]: [ 8] Connection established +Aug 26 10:28:09.505662 check[3469]: [ 4] truth.cloudmark.com >> 29 server +greeting: sn=C&srl=51&ep4=7542-10&a=l +Aug 26 10:28:09.506086 check[3469]: [ 6] truth.cloudmark.com is a Catalogue +Server srl 51; computed min_cf=1, Server se: 0B +Aug 26 10:28:09.506342 check[3469]: [ 8] Computed supported_engines: 1 2 4 +Aug 26 10:28:09.506604 check[3469]: [ 8] mail 1.0 skipped in check +Aug 26 10:28:09.506686 check[3469]: [ 5] No queries, no spam +Aug 26 10:28:09.506787 check[3469]: [ 5] disconnecting from server +truth.cloudmark.com +Aug 26 10:28:09.507071 check[3469]: [ 4] truth.cloudmark.com << 5 +Aug 26 10:28:09.507155 check[3469]: [ 6] a=q +Aug 26 10:28:09.507959 check[3469]: [ 8] razor-check finished successfully. + + + +>>From bounce-html-sales1-21787251@lyris.execsoft.com Mon Aug 26 14:28:10 2002 +Return-Path: +Delivered-To: log@qmail.mckee.com +Received: (qmail 3472 invoked from network); 26 Aug 2002 14:28:10 -0000 +Received: from unknown (HELO port-216-3073879-ds200.devices.datareturn.net) +(216.46.231.87) + by 10.97.5.1 with SMTP; 26 Aug 2002 14:28:05 -0000 +X-Mailer: Lyris Web Interface +Date: Sat, 24 Aug 2002 09:45:48 -0700 +Subject: New Freeware Download + - Jammed: eric_koester@ccmail.mckee.com +To: +From: "Diskeeper Product Manager, Executive Software" + +List-Unsubscribe: +Reply-To: executive@executive.com +Message-Id: + +MIME-Version: 1.0 +Content-Type: text/html; charset=us-ascii +Spam-File: +Envelope-Recipient: eric_koester@ccmail.mckee.com +Status: RO + + + + + + + + + + + + + + + + + + + + + + +New Freeware Download + + + + + +

+

+ + + + +
+

IT'S + FREE!

+ + + + + + + + + + + + + + + + +
      +

+ +

Includes the same +advanced defragmentation technology +used in Diskeeper 7.0.
  + + Much faster than the +previous + Diskeeper Lite and all built-in defragmenters.
  + + Now runs on Windows +NT®/98/2000/XP.
+

Millions of downloads attest to the popularity of +Diskeeper Lite, but it only ran on Windows NT 4.0. Now it's been updated +for all +Windows operating systems from Windows 98 onward.

+

New Diskeeper Lite is still manual-only and cannot +be +scheduled or run across a network, but it is far superior to any built-in +defragmenter and much faster. And it will show you why full-version +Diskeeper is +the most recommended automatic defragmenter ever built.

+

Find out what you are really missing. +Free!

+

+ + + + + +Download Diskeeper Lite

+ + + + + + +
+ Full version Diskeeper + +available for purchase from:
+ + +
+
+ + + + + + +
+

+ + + + + + + + + + + + +

+
+
+ +
+ + +NOTICE: We periodically send new product +information electronically or +survey those individuals who voluntarily give us their e-mail address. We +hope you enjoy receiving this timely information. However, if you would +like to remove yourself from this list, please do not reply to this e-mail +to be removed. + + + +

You have received this message from +esi-vp-marketing at the e-mail +address: eric_koester@ccmail.mckee.com +
To unsubscribe, send the above e-mail address in the body of a message +along with your name, on a separate line, to + unsubscribe@executive.com.

+ + +
+ + +

© 2002 Executive Software International, +Inc. +All Rights Reserved. DISKEEPER, Executive Software and the Executive +Software +logo are either registered trademarks or trademarks of Executive Software +International, Inc. in the United States and/or other countries. Windows +and +Windows NT are registered trademarks of Microsoft Corporation in the +United +States and/or other countries. All other trademarks and brand names are +the +property of the respective owners.

+ + + + + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1654.1ed94c5f40b704e5b4977c0c595a31ee b/machine-learning-ex6/ex6/easy_ham/1654.1ed94c5f40b704e5b4977c0c595a31ee new file mode 100644 index 0000000..3d6f671 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1654.1ed94c5f40b704e5b4977c0c595a31ee @@ -0,0 +1,99 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 2 12:20:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D29F343F99 + for ; Mon, 2 Sep 2002 07:20:15 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:20:16 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7THrQZ23177 for ; Thu, 29 Aug 2002 18:53:26 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kTE9-0001nO-00; Thu, + 29 Aug 2002 10:37:05 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kTDU-0002ED-00 for ; Thu, + 29 Aug 2002 10:36:24 -0700 +Received: (qmail 7071 invoked from network); 29 Aug 2002 12:32:22 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 29 Aug 2002 12:32:22 -0000 +Message-Id: <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [Razor-users] Collision of hashes? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 13:36:17 -0400 +Date: Thu, 29 Aug 2002 13:36:17 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-7.6 required=7.0 + tests=FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_03_05,USER_AGENT_OE + version=2.40-cvs +X-Spam-Level: + +The following was personal correspondence between two people. I can't +fathom how Razor thinks it is spam: + +> +> We are struggling with the decisions related to wether or not to +> go ahead with our plans to purchase an OCR and forms +> scanning solution. +> +> An outside consultant mentioned that he had heard that not to +> long ago you folks were considering implementing OCR +> technology to reduce data entry costs and improve efficiency. +> If you could let us know if you did move foreward with any +> plans in that direction it would be of great help to us. May I ask +> what initialy prompted you to consider OCR? Did you decide it +> could help your compamy? What software did you go with? +> Would you recomend we take a look at it? +> At present we are still planning to continue our research until +> we decide which OCR system best suits our needs, then +> implement it quickly. +> +> If you are just starting to consider this +> technology feel free to stay in touch. We will let you know what +> we decide on and if it works for us. +> +> If you cannot advise on this please forward this E-mail to the +> proper individual in your company who might be able to help with +> this. +> Thanks, +> Jay + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1655.7a0d7700a207ef6f66686f94b02c7a8f b/machine-learning-ex6/ex6/easy_ham/1655.7a0d7700a207ef6f66686f94b02c7a8f new file mode 100644 index 0000000..7c6f9ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1655.7a0d7700a207ef6f66686f94b02c7a8f @@ -0,0 +1,85 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 3 14:20:48 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (unknown [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E680A16F44 + for ; Tue, 3 Sep 2002 14:19:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 14:19:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g836nOZ07951 for ; Tue, 3 Sep 2002 07:49:24 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17m7N1-0003Ev-00; Mon, + 02 Sep 2002 23:41:03 -0700 +Received: from postit.sciences.univ-nantes.fr ([193.52.109.9]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17m7M6-0003Z2-00 for ; Mon, + 02 Sep 2002 23:40:06 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + postit.sciences.univ-nantes.fr (Postfix) with ESMTP id C6C11F002D for + ; Tue, 3 Sep 2002 08:39:58 +0200 + (CEST) +Received: from sciences.univ-nantes.fr (arny.irin.sciences.univ-nantes.fr + [193.52.99.28]) by postit.sciences.univ-nantes.fr (Postfix) with ESMTP id + 4908EF002A for ; Tue, 3 Sep 2002 + 08:39:58 +0200 (CEST) +Message-Id: <3D74593D.2050608@sciences.univ-nantes.fr> +From: Arnaud Abelard +Organization: =?ISO-8859-1?Q?Universit=E9_de_Nantes?= +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.0.0) Gecko/20020606 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: razor-users@example.sourceforge.net +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 8bit +X-Virus-Scanned: by AMaViS snapshot-20010714 +Subject: [Razor-users] razor plugins for mozilla? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 03 Sep 2002 08:39:57 +0200 +Date: Tue, 03 Sep 2002 08:39:57 +0200 +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.41-cvs +X-Spam-Level: + +Hello, + +did any of you hear about a a razor plugin for mozilla? +a plugin that would add a "report as spam" button somewhere for the user +to report a mail as spam on a server? + +Arnaud +-- +Arnaud Abélard +Administrateur réseaux et systèmes +Irin / Faculté de Sciences +Université de Nantes + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1656.2c519e6e148cca3020e50c723bbc200e b/machine-learning-ex6/ex6/easy_ham/1656.2c519e6e148cca3020e50c723bbc200e new file mode 100644 index 0000000..f38f7a1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1656.2c519e6e148cca3020e50c723bbc200e @@ -0,0 +1,103 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 3 18:03:02 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F16E416F56 + for ; Tue, 3 Sep 2002 18:02:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 18:02:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83GrEZ27882 for ; Tue, 3 Sep 2002 17:53:14 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mGmY-0005uj-00; Tue, + 03 Sep 2002 09:44:02 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mGlZ-0007We-00 for ; Tue, + 03 Sep 2002 09:43:01 -0700 +Received: (qmail 17967 invoked from network); 3 Sep 2002 11:38:35 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 3 Sep 2002 11:38:35 -0000 +Message-Id: <002001c25368$f39de270$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: "Arnaud Abelard" , + +References: <3D74593D.2050608@sciences.univ-nantes.fr> +Subject: Re: [Razor-users] razor plugins for mozilla? +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 8bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 3 Sep 2002 12:42:54 -0400 +Date: Tue, 3 Sep 2002 12:42:54 -0400 +X-Spam-Status: No, hits=-3.4 required=7.0 + tests=FOR_FREE,FROM_ENDS_IN_NUMS,INVALID_MSGID, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_05_08 + version=2.41-cvs +X-Spam-Level: + +No, please post a link! + +Fox +----- Original Message ----- +From: "Arnaud Abelard" +To: +Sent: Tuesday, September 03, 2002 2:39 AM +Subject: [Razor-users] razor plugins for mozilla? + + +> Hello, +> +> did any of you hear about a a razor plugin for mozilla? +> a plugin that would add a "report as spam" button somewhere for the user +> to report a mail as spam on a server? +> +> Arnaud +> -- +> Arnaud Abélard +> Administrateur réseaux et systèmes +> Irin / Faculté de Sciences +> Université de Nantes +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1657.41457c98e0009a99d917acfbc8f229cd b/machine-learning-ex6/ex6/easy_ham/1657.41457c98e0009a99d917acfbc8f229cd new file mode 100644 index 0000000..ee689b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1657.41457c98e0009a99d917acfbc8f229cd @@ -0,0 +1,113 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 3 22:32:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8F62616F56 + for ; Tue, 3 Sep 2002 22:32:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 03 Sep 2002 22:32:43 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83LRWZ03922 for ; Tue, 3 Sep 2002 22:27:32 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mL4m-00030U-00; Tue, + 03 Sep 2002 14:19:08 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=cynosure.darkridge.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17mL4c-0005tZ-00 for + ; Tue, 03 Sep 2002 14:18:58 -0700 +Received: (from jpr5@localhost) by cynosure.darkridge.com (8.11.6/8.11.5) + id g83LIt303093 for razor-users@lists.sourceforge.net; Tue, 3 Sep 2002 + 14:18:55 -0700 +From: Jordan Ritter +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] razor plugins for mozilla? +Message-Id: <20020903211855.GF2102@darkridge.com> +References: <003b01c2536b$1e40e250$7c640f0a@mfc.corp.mckee.com> + +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="aT9PWwzfKXlsBJM1" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-Copyright: This e-mail is Copyright (c) 2002 by jpr5@darkridge.com +X-Spamadvice: Pursuant to US Code; Title 47; Chapter 5; Subchapter II; 227 + any unsolicited commercial email to this address will be subject to a + download and archival fee of US$500. Pursuant to California Business & + Professions Code; S17538.45 any email service provider involved in SPAM + activities will be liable for statutory damages of US$50 per message, up + to US$25,000 per day. Pursuant to California Penal Code; S502 any + unsolicited email sent to this address is in violation of Federal Law and + is subject to fine and/or imprisonment. +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 3 Sep 2002 14:18:55 -0700 +Date: Tue, 3 Sep 2002 14:18:55 -0700 +X-Spam-Status: No, hits=-8.0 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,MULTIPART_SIGNED,REFERENCES, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MUTT + version=2.41-cvs +X-Spam-Level: + + +--aT9PWwzfKXlsBJM1 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline + +Revoking self-submitted content (unblocking something you accidentally +blocked) results in permanent deletion of said content from the +network. + +Fortunately, Razor2/SpamNet isa network of content people DON'T want +[in their inbox, let alone IP rights]. Block away! + +--jordan + + +On Tue, Sep 03, 2002 at 12:24:33PM -0700, Craig R.Hughes wrote: + +# "Free" is a relative concept if you actually read the EULA. No +# commercial use, and anything you submit to razor becomes entirely +# their intellectual property. Better not accidentally hit "This is +# spam" on anything you want to retain IP rights to. + +--aT9PWwzfKXlsBJM1 +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9dSc/pwQdAVEbU7oRAlZcAJ0dsOi7U1Mf/2LjCE87mRSBhe1gpQCeJ7yf +P310bOJSkBt79KRJMo+oTgQ= +=+IYG +-----END PGP SIGNATURE----- + +--aT9PWwzfKXlsBJM1-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1658.5668754ea9f7c62c42b2555e0ca7cdac b/machine-learning-ex6/ex6/easy_ham/1658.5668754ea9f7c62c42b2555e0ca7cdac new file mode 100644 index 0000000..fcf77a4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1658.5668754ea9f7c62c42b2555e0ca7cdac @@ -0,0 +1,181 @@ +From razor-users-admin@lists.sourceforge.net Wed Sep 4 11:36:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8718116F1E + for ; Wed, 4 Sep 2002 11:36:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 11:36:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g83M0LZ04825 for ; Tue, 3 Sep 2002 23:00:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mLba-0004d5-00; Tue, + 03 Sep 2002 14:53:02 -0700 +Received: from mail.pbp.net ([66.81.103.70]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17mLYk-0000Sd-00 for ; Tue, + 03 Sep 2002 14:50:06 -0700 +Received: from kelter (dhcp177.pbp.net [192.168.10.177]) by mail.pbp.net + (Postfix) with SMTP id CFA9D3684F; Tue, 3 Sep 2002 14:45:42 -0700 (PDT) +Message-Id: <006301c25393$398af0a0$b10aa8c0@pbp.net> +Reply-To: "Jonathan Nichols" +From: "Jonathan Nichols" +To: "Fox" , +References: <3D74593D.2050608@sciences.univ-nantes.fr> + <002901c25369$fe004fe0$7c640f0a@mfc.corp.mckee.com> + <003401c2536a$853f4470$7c640f0a@mfc.corp.mckee.com> + <009c01c25373$544cd0e0$6600a8c0@dhiggins> + <00aa01c25374$ce4008d0$b10aa8c0@pbp.net> + <005501c25377$fe659900$7c640f0a@mfc.corp.mckee.com> +Subject: Re: [Razor-users] Razor v2 effectiveness stats - HTML table - Take 2 +Organization: pbp.net +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 3 Sep 2002 14:45:30 -0700 +Date: Tue, 3 Sep 2002 14:45:30 -0700 +X-Spam-Status: No, hits=-6.3 required=7.0 + tests=AWL,FOR_FREE,INVALID_MSGID,KNOWN_MAILING_LIST, + MAILTO_TO_SPAM_ADDR,NOSPAM_INC,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_05_08 + version=2.41-cvs +X-Spam-Level: + +Oh, I was serious. I'm awful with perl/etc. I just think the HTML graph that +was created was pretty neat and I wish I could do something like that. :-) + + +> I can't tell if you are serious or joking. I have a custom perl based +spam +> blocking framework that uses plug-ins to block spam. I test each message +> with every plug-in and keep the stats in a mysql database, which are what +> you see below. +> +> Fox +> +> +> ----- Original Message ----- +> From: "Jonathan Nichols" +> To: +> Sent: Tuesday, September 03, 2002 2:07 PM +> Subject: Re: [Razor-users] Razor v2 effectiveness stats - HTML table - +Take +> 2 +> +> +> > How do you make up graphs like that, anyway? :-) +> > +> > ----- Original Message ----- +> > From: "Daniel Higgins" +> > To: "Fox" ; +> > Sent: Tuesday, September 03, 2002 10:57 AM +> > Subject: Re: [Razor-users] Razor v2 effectiveness stats - HTML table - +> Take +> > 2 +> > +> > +> > that's pretty impressive, have you seen any false positives yet? myself +> i'm +> > still at the stage of creating the corpuses. i'll report back after i +get +> > some testing of my own :P +> > ----- Original Message ----- +> > From: Fox +> > To: razor-users@example.sourceforge.net +> > Sent: Tuesday, September 03, 2002 12:54 PM +> > Subject: Re: [Razor-users] Razor v2 effectiveness stats - HTML table - +> > Take 2 +> > +> > +> > Sorry about the html, for those of you still using elm or other +non-GUI +> > clients. I don't have time to post it as text. +> > +> > The "Spam Count" is the total of all spam detected by the various +> filters. +> > +> > Jammed is a custom phrase ranking system. +> > Razored is Razor v2. +> > Bayesian filter is based off of Paul Graham's work (statistical +> > probability), using a corpus of 4000 non-spam and 2000 spam messages. +> > +> > Spam Statistics +> > Date Spam Count Jammed Razored Blacklisted Trollbox Bayesian +> > 2002-08-27 370 145 (39.19%) 181 (48.92%) 79 (21.35%) +120 +> > (32.43%) 275 (74.32%) +> > 2002-08-28 397 106 (26.70%) 126 (31.74%) 163 (41.06%) +136 +> > (34.26%) 320 (80.60%) +> > 2002-08-29 346 154 (44.51%) 146 (42.20%) 78 (22.54%) +101 +> > (29.19%) 261 (75.43%) +> > 2002-08-30 366 163 (44.54%) 166 (45.36%) 65 (17.76%) +138 +> > (37.70%) 272 (74.32%) +> > 2002-08-31 282 211 (74.82%) 133 (47.16%) 27 ( 9.57%) +132 +> > (46.81%) 256 (90.78%) +> > 2002-09-01 220 127 (57.73%) 125 (56.82%) 22 (10.00%) 91 +> > (41.36%) 157 (71.36%) +> > 2002-09-02 166 86 (51.81%) 77 (46.39%) 22 (13.25%) 64 +> > (38.55%) 123 (74.10%) +> > +> > +> > +> > +> > +> > +> > ------------------------------------------------------- +> > This sf.net email is sponsored by: OSDN - Tired of that same old +> > cell phone? Get a new here for FREE! +> > https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> > _______________________________________________ +> > Razor-users mailing list +> > Razor-users@lists.sourceforge.net +> > https://lists.sourceforge.net/lists/listinfo/razor-users +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1659.e94135f919552d1bc8bf35f0a84b483c b/machine-learning-ex6/ex6/easy_ham/1659.e94135f919552d1bc8bf35f0a84b483c new file mode 100644 index 0000000..5bd0b27 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1659.e94135f919552d1bc8bf35f0a84b483c @@ -0,0 +1,84 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 5 11:26:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4596C16F1F + for ; Thu, 5 Sep 2002 11:26:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:26:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84IoYZ15135 for ; Wed, 4 Sep 2002 19:50:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17meze-0003Rp-00; Wed, + 04 Sep 2002 11:35:10 -0700 +Received: from gwp-32.gwp.com ([206.117.30.231] + helo=gwpmail01.corp.vipmail.com) by usw-sf-list1.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17mezN-0003yS-00 for + ; Wed, 04 Sep 2002 11:34:53 -0700 +Received: from Ariel (unverified [198.6.50.33]) by + gwpmail01.corp.vipmail.com (Vircom SMTPRS 5.3.228) with ESMTP id + for + ; Wed, 4 Sep 2002 11:35:53 -0700 +From: "Bill Sobel" +To: +Message-Id: <001101c25441$bdcd7000$7099409b@evergreen.local> +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.2616 +In-Reply-To: <20020904165528.GA1935@darkridge.com> +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +Importance: Normal +X-Vipmail-Smtpmailfrom: bsobel@vipmail.com +X-Vopfilter-Ip: 198.6.50.33 +Subject: [Razor-users] Windows port / bug reports? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 4 Sep 2002 11:34:44 -0700 +Date: Wed, 4 Sep 2002 11:34:44 -0700 +X-Spam-Status: No, hits=0.1 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,INVALID_MSGID,IN_REP_TO, + KNOWN_MAILING_LIST,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +Hi, + +Newbie (to the list) question; I've been working on porting the code to +run under Perl on Windows. The changes are fairly minor and can be made +to interoperate with the current code. How would one best go about +getting those changes merged in (better question, would there be +interest in such a version and getting those changes merged in)? + +Bill + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1660.f4b2e5b394c3aaf2589c49c205ca05d7 b/machine-learning-ex6/ex6/easy_ham/1660.f4b2e5b394c3aaf2589c49c205ca05d7 new file mode 100644 index 0000000..d87669f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1660.f4b2e5b394c3aaf2589c49c205ca05d7 @@ -0,0 +1,252 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:34:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5238B16F19 + for ; Fri, 6 Sep 2002 11:34:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:06 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868cdW26208 for + ; Fri, 6 Sep 2002 09:38:50 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id DAA19774 for + ; Fri, 6 Sep 2002 03:23:07 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n8dH-0003Pb-00; Thu, + 05 Sep 2002 19:14:03 -0700 +Received: from nycsmtp2out.rdc-nyc.rr.com ([24.29.99.227]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n8cJ-0006KG-00 for ; Thu, + 05 Sep 2002 19:13:03 -0700 +Received: from lelandwoodbury.com (66-108-249-115.nyc.rr.com + [66.108.249.115]) by nycsmtp2out.rdc-nyc.rr.com (8.12.1/Road Runner SMTP + Server 1.0) with ESMTP id g862AbOx021295; Thu, 5 Sep 2002 22:10:37 -0400 + (EDT) +Message-Id: <3D780F2B.8090709@lelandwoodbury.com> +From: Leland Woodbury +User-Agent: Mozilla/5.0 (Windows; U; Win98; en-US; rv:1.1a) Gecko/20020611 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: David Rees +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +References: <20020905160808.B2932@greenhydrant.com> + + <20020906005315.GH29663@kluge.net> <20020905181308.B4905@greenhydrant.com> +Content-Type: multipart/mixed; boundary="------------050101050502080302080407" +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 22:12:59 -0400 +Date: Thu, 05 Sep 2002 22:12:59 -0400 +X-Spam-Status: No, hits=-0.6 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE, + KNOWN_MAILING_LIST,RCVD_IN_MULTIHOP_DSBL, + RCVD_IN_UNCONFIRMED_DSBL,REFERENCES,SPAM_PHRASE_03_05, + USER_AGENT,USER_AGENT_MOZILLA_UA,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. +--------------050101050502080302080407 +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit + +I found a nice little Perl script for this purpose called rotate, which +makes the process of rotating log files very simple. If there's an +official source for this script, I couldn't find it. (My hosting +provider, pair.com, has it installed, and that's where I found it.) + However, redistribution appears to be allowed, so I've attached it. + +Good luck... + +L + +David Rees wrote: + +>On Thu, Sep 05, 2002 at 08:53:16PM -0400, Theo Van Dinter wrote: +> +> +>>On Thu, Sep 05, 2002 at 06:16:57PM -0500, Mike Burger wrote: +>> +>> +>>>You might be better asking this on the spamassassin-talk list. The folks +>>>there will almost definitely have an answer for this. +>>> +>>> +>>I posted a fairly lengthy complete answer to this problem and how to +>>get around it in SA 2.41 on the spamassassin-talk list. :) +>> +>> +> +>Thanks for the post there, it answered all my questions about +>spamassassin/razor interaction. +> +>Now for a razor question: +> +>I'm worried about having a server full of razor-agent.log files which keep +>on growing. Is it possible to configure razor log via SYSLOG to make it +>easy to rotate logs? Searching through the man pages didn't turn anything +>up... Otherwise I'll have to write a script to go through each user's home +>directory looking for razor-agent.log files to rotate periodically. +> +>Thanks, +>Dave +> +> +>------------------------------------------------------- +>This sf.net email is sponsored by: OSDN - Tired of that same old +>cell phone? Get a new here for FREE! +>https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +>_______________________________________________ +>Razor-users mailing list +>Razor-users@lists.sourceforge.net +>https://lists.sourceforge.net/lists/listinfo/razor-users +> +> + +--------------050101050502080302080407 +Content-Type: application/x-java-applet;version=1.1.1; + name="rotate" +Content-Transfer-Encoding: base64 +Content-Disposition: inline; + filename="rotate" + +IyEvdXNyL2Jpbi9wZXJsCjsjCjsjIENvcHlyaWdodCAoYykgMTk5NS0xOTk5CjsjCUlrdW8g +TmFrYWdhd2EuIEFsbCByaWdodHMgcmVzZXJ2ZWQuCjsjCjsjIFJlZGlzdHJpYnV0aW9uIGFu +ZCB1c2UgaW4gc291cmNlIGFuZCBiaW5hcnkgZm9ybXMsIHdpdGggb3Igd2l0aG91dAo7IyBt +b2RpZmljYXRpb24sIGFyZSBwZXJtaXR0ZWQgcHJvdmlkZWQgdGhhdCB0aGUgZm9sbG93aW5n +IGNvbmRpdGlvbnMKOyMgYXJlIG1ldDoKOyMKOyMgMS4gUmVkaXN0cmlidXRpb25zIG9mIHNv +dXJjZSBjb2RlIG11c3QgcmV0YWluIHRoZSBhYm92ZSBjb3B5cmlnaHQKOyMgICAgbm90aWNl +IHVubW9kaWZpZWQsIHRoaXMgbGlzdCBvZiBjb25kaXRpb25zLCBhbmQgdGhlIGZvbGxvd2lu +Zwo7IyAgICBkaXNjbGFpbWVyLgo7IyAyLiBSZWRpc3RyaWJ1dGlvbnMgaW4gYmluYXJ5IGZv +cm0gbXVzdCByZXByb2R1Y2UgdGhlIGFib3ZlIGNvcHlyaWdodAo7IyAgICBub3RpY2UsIHRo +aXMgbGlzdCBvZiBjb25kaXRpb25zIGFuZCB0aGUgZm9sbG93aW5nIGRpc2NsYWltZXIgaW4g +dGhlCjsjICAgIGRvY3VtZW50YXRpb24gYW5kL29yIG90aGVyIG1hdGVyaWFscyBwcm92aWRl +ZCB3aXRoIHRoZSBkaXN0cmlidXRpb24uCjsjCjsjIFRISVMgU09GVFdBUkUgSVMgUFJPVklE +RUQgQlkgVEhFIEFVVEhPUiBBTkQgQ09OVFJJQlVUT1JTIGBgQVMgSVMnJyBBTkQKOyMgQU5Z +IEVYUFJFU1MgT1IgSU1QTElFRCBXQVJSQU5USUVTLCBJTkNMVURJTkcsIEJVVCBOT1QgTElN +SVRFRCBUTywgVEhFCjsjIElNUExJRUQgV0FSUkFOVElFUyBPRiBNRVJDSEFOVEFCSUxJVFkg +QU5EIEZJVE5FU1MgRk9SIEEgUEFSVElDVUxBUgo7IyBQVVJQT1NFIEFSRSBESVNDTEFJTUVE +LiAgSU4gTk8gRVZFTlQgU0hBTEwgVEhFIEFVVEhPUiBPUiBDT05UUklCVVRPUlMKOyMgQkUg +TElBQkxFIEZPUiBBTlkgRElSRUNULCBJTkRJUkVDVCwgSU5DSURFTlRBTCwgU1BFQ0lBTCwg +RVhFTVBMQVJZLAo7IyBPUiBDT05TRVFVRU5USUFMIERBTUFHRVMgKElOQ0xVRElORywgQlVU +IE5PVCBMSU1JVEVEIFRPLCBQUk9DVVJFTUVOVAo7IyBPRiBTVUJTVElUVVRFIEdPT0RTIE9S +IFNFUlZJQ0VTOyBMT1NTIE9GIFVTRSwgREFUQSwgT1IgUFJPRklUUzsgT1IKOyMgQlVTSU5F +U1MgSU5URVJSVVBUSU9OKSBIT1dFVkVSIENBVVNFRCBBTkQgT04gQU5ZIFRIRU9SWSBPRiBM +SUFCSUxJVFksCjsjIFdIRVRIRVIgSU4gQ09OVFJBQ1QsIFNUUklDVCBMSUFCSUxJVFksIE9S +IFRPUlQgKElOQ0xVRElORyBORUdMSUdFTkNFCjsjIE9SIE9USEVSV0lTRSkgQVJJU0lORyBJ +TiBBTlkgV0FZIE9VVCBPRiBUSEUgVVNFIE9GIFRISVMgU09GVFdBUkUsCjsjIEVWRU4gSUYg +QURWSVNFRCBPRiBUSEUgUE9TU0lCSUxJVFkgT0YgU1VDSCBEQU1BR0UuCjsjCjsjICRJZDog +cm90YXRlLHYgMS42IDE5OTkvMTEvMTAgMjM6MTI6MjggaWt1byBFeHAgJAo7Iwo7IyBIb3cg +dG8gdXNlIGByb3RhdGUnIHByb2dyYW06CjsjCjsjICAgVG8gcm90YXRlICIvdmFyL2xvZy94 +eHgubG9nIiB0byAiL3Zhci9sb2cveHh4LmxvZy5vbGQiLCBhbmQKOyMgICBjcmVhdGUgYSBu +ZXcgZmlsZSAiL3Zhci9sb2cveHh4LmxvZyI6CjsjCXJvdGF0ZSAvdmFyL2xvZy94eHgubG9n +CjsjCjsjICAgSWYgeW91IHdhbnQgdG8gcm90YXRlIGZpbGVzIHdpdGggc3VmZml4ZXMsIHRy +eSBhZGRpdGlvbmFsCjsjICAgYXJndW1lbnQgZm9yIGByb3RhdGUnIGNvbW1hbmQuCjsjCXJv +dGF0ZSAvdmFyL2xvZy94eHgubG9nIDIgMSAwCjsjCjsjICAgWW91IGNhbiBzcGVjaWZ5IHRo +ZSBvd25lci9ncm91cCBvciBmaWxlIHBlcm1pc3Npb24gbW9kZSBmb3IKOyMgICB0aGUgbmV3 +IGZpbGUgKGxpa2UgYGluc3RhbGwnIGNvbW1hbmQpOgo7Iwlyb3RhdGUgLW8gcm9vdCAtZyB3 +aGVlbCAtbSA2NDQgL3Zhci9sb2cvbWVzc2FnZXMgMiAxIDAKOyMKOyMgICBZb3UgY2FuIGFs +c28gY29tcHJlc3Mgcm90YXRlZCBmaWxlIHdpdGggYGd6aXAnOgo7Iwlyb3RhdGUgLXogL3Zh +ci9sb2cvYWNjZXNzLmxvZyAyIDEgMAo7Iwo7IyAgIG9yIHdpdGggYGNvbXByZXNzJzoKOyMJ +cm90YXRlIC1aIC92YXIvbG9nL2FjY2Vzcy5sb2cgMiAxIDAKOyMKOyMgVGhpcyBpcyBiZWNh +dXNlIHdlIHN1cHBvcnRzIHBlcmwgdmVyc2lvbiA0LgpyZXF1aXJlICdnZXRvcHRzLnBsJzsK +CjsjIEdldCBwcm9ncmFtIG5hbWUKKCRwcm9ncmFtKSA9ICgkMCA9fiBtJShbXi9dKykkJSk7 +Cgo7IyBGb3IgemVybyBiYXNlZCBpbmRleC4KJFsgPSAwOwoKOyMgU2hvdyBkZWJ1ZyBsb2cg +dG8gU1RET1VULgpzdWIgZGVidWcgewoJbG9jYWwoJF8pOyAjIHVzZWQgaW4gZ3JlcC4KCWdy +ZXAoKHByaW50ICIkX1xuIiksIEBfKSBpZiAkb3B0X3Y7Cn0KCjsjIEluaXRpYWxpemUgb3B0 +aW9ucyAoZm9yICJwZXJsIC1jdyIpLgp1bmRlZiAkb3B0X047CnVuZGVmICRvcHRfVDsKdW5k +ZWYgJG9wdF9aOwp1bmRlZiAkb3B0X2c7CnVuZGVmICRvcHRfbTsKdW5kZWYgJG9wdF9uOwp1 +bmRlZiAkb3B0X287CnVuZGVmICRvcHRfdDsKdW5kZWYgJG9wdF92Owp1bmRlZiAkb3B0X3o7 +Cgo7IyBQYXJzaW5nIG9wdGlvbnMKdW5sZXNzICgmR2V0b3B0cygiTlRaZzptOm5vOnR2eiIp +ICYmIGRlZmluZWQoJHRhcmdldCA9IHNoaWZ0KSkgewoJZGllIDw8IkVORCI7ClVzYWdlOiAk +cHJvZ3JhbSBbb3B0aW9uc10gcGF0aCBbc3VmZml4IHN1ZmZpeCAuLi5dCk9wdGlvbnM6Cgkt +dgl2ZXJib3NlIG1vZGUuCgktbglkbyBub3QgcmVhbCB3b3JrLiBvbmx5IHNob3cgcHJvY2Vz +c2luZy4KCS1OCWRvIG5vdCBjcmVhdGUgYSBuZXcgZmlsZS4KCS16CWNvbXByZXNzIHdpdGgg +YGd6aXAnLgoJLVoJY29tcHJlc3Mgd2l0aCBgY29tcHJlc3MnLgoJLW8Jc3BlY2lmeSBvd25l +ci4KCS1nCXNwZWNpZnkgZ3JvdXAuCgktbQlzcGVjaWZ5IG1vZGUuCgktVAl1c2UgYFlZWVkt +TU0tREQnIChnaXZlbiBieSBjdXJyZW50IHRpbWUpIGFzIHRoZSBkZWZhdWx0CgkJc3VmZml4 +LCBpbnN0ZWFkIG9mIGBvbGQnLgoJLXQJdXNlIGBZWVlZLU1NLUREJyAoZnJvbSBsYXN0IG1v +ZGlmaWVkIHRpbWUgb2YgdGhlIHRhcmdldCkKCQlhcyB0aGUgZGVmYXVsdCBzdWZmaXgsIGlu +c3RlYWQgb2YgYG9sZCcuCkVORAp9Cgo7IyBUZXN0IG1vZGUgcmVxdWlyZXMgdmVyYm9zZSBv +cHRpb24KJG9wdF92KysgaWYgJG9wdF9uOwoKOyMgSWYgbm8gc3VmZml4IHdhcyBnaXZlbiwg +d2UgZ2VuZXJhdGUgZGVmYXVsdCBvbmUuCnVubGVzcyAoQEFSR1YpIHsKCWlmICgkb3B0X1Qg +fHwgJG9wdF90KSB7CgkJaWYgKCRvcHRfdCAmJiAhIC1lICR0YXJnZXQpIHsKCQkJZGllKCIk +dGFyZ2V0IG11c3QgZXhpc3QgaWYgLXQgZmxhZyBpcyBzcGVjaWZpZWQuXG4iKTsKCQl9CgkJ +JHQgPSAkb3B0X3QgPyAoc3RhdCgkdGFyZ2V0KSlbOV0gOiB0aW1lOwoJCUB0ID0gcmV2ZXJz +ZSgobG9jYWx0aW1lKCR0KSlbMC4uNV0pOwoJCSR0WzBdICs9IDE5MDA7CgkJJHRbMV0rKzsK +CQlAQVJHViA9IChzcHJpbnRmKCIlMDRkLSUwMmQtJTAyZCIsIEB0KSk7Cgl9IGVsc2UgewoJ +CUBBUkdWID0gKCdvbGQnKTsKCX0KfQoKOyMgUm90YXRlIHRoZSB0YXJnZXQgZmlsZS4KJnNh +ZmVfcm90YXRlKCR0YXJnZXQsIEBBUkdWKTsKCjsjIFRvdWNoIHRoZSBuZXcgb25lLgomc2Fm +ZV9jcmVhdGUoJHRhcmdldCkgdW5sZXNzICRvcHRfTjsKCjsjIE5vcm1hbCB0ZXJtaW5hdGlv +bi4KZXhpdDsKCjsjIFRvdWNoIGEgZmlsZS4gQ3JlYXRlIGEgbmV3IG9uZSBpZiBpdCBkb2Vz +IG5vdCBleGlzdC4Kc3ViIHRvdWNoIHsKCWxvY2FsKCRhKSA9IEBfOwoJbG9jYWwoKkZJTEUp +OwoKCSRhIG5lICcnICYmIG9wZW4oRklMRSwgJz4+Jy4kYSkgJiYgY2xvc2UoRklMRSkgJiYg +LWUgJGE7Cn0KCjsjCnN1YiBzYWZlX3VubGluayB7Cglsb2NhbCgkYSkgPSBAXzsKCglpZiAo +LWUgJGEpIHsKCQkmZGVidWcoInVubGluayBcIiRhXCIiKTsKCQkkb3B0X24gfHwgdW5saW5r +KCRhKSB8fCBkaWUoInVubGluaygkYSk6ICQhIik7Cgl9Cn0KCjsjCnN1YiBzYWZlX3JlbmFt +ZSB7Cglsb2NhbCgkYSwgJGIpID0gQF87ICMgZnJvbSwgdG8KCglpZiAoLWUgJGEpIHsKCQkm +ZGVidWcoInJlbmFtZSBcIiRhXCIgdG8gXCIkYlwiIik7CgkJJG9wdF9uIHx8IHJlbmFtZSgk +YSwgJGIpIHx8IGRpZSgicmVuYW1lKCRhLCAkYik6ICQhIik7Cgl9Cn0KCjsjCnN1YiBzYWZl +X2NvbXByZXNzIHsKCWxvY2FsKCRhKSA9IEBfOwoKCWlmICgteiAkYSkgeyAjIGNvbXByZXNz +IHdpbGwgZmFpbCBpbiB0aGlzIGNhc2UKCQkmZGVidWcoIndlIHdvbid0IGNvbXByZXNzIHpl +cm8tc2l6ZWQgZmlsZTogXCIkYVwiIik7Cgl9IGVsc2UgewoJCSZkZWJ1ZygiY29tcHJlc3Mg +XCIkYVwiIik7CgkJJG9wdF9uCXx8IHN5c3RlbSgnY29tcHJlc3MnLCAkYSkgPT0gMAoJCQl8 +fCBkaWUoInN5c3RlbShjb21wcmVzcywgJGEpOiBmYWlsdXJlLlxuIik7Cgl9Cn0KCjsjCnN1 +YiBzYWZlX2d6aXAgewoJbG9jYWwoJGEpID0gQF87CgoJJmRlYnVnKCJnemlwIFwiJGFcIiIp +OwoJJG9wdF9uCXx8IHN5c3RlbSgnZ3ppcCcsICRhKSA9PSAwCgkJfHwgZGllKCJzeXN0ZW0o +Z3ppcCwgJGEpOiBmYWlsdXJlLlxuIik7Cn0KCjsjIENyZWF0ZSBhIG5ldyBvbmUKc3ViIHNh +ZmVfY3JlYXRlIHsKCWxvY2FsKCRhKSA9IHNoaWZ0OwoKCSZkZWJ1ZygidG91Y2ggXCIkYVwi +Iik7Cgkkb3B0X24gfHwgJnRvdWNoKCRhKSB8fCBkaWUoInRvdWNoKCRhKTogJCEiKTsKCgkj +IHNldCBvd25lciBhbmQgZ3JvdXAKCWlmIChkZWZpbmVkKCRvcHRfbykgfHwgZGVmaW5lZCgk +b3B0X2cpKSB7CgkJbG9jYWwoJHVpZCwgJGdpZCkgPSAoc3RhdCgkYSkpWzQsIDVdOwoJCSFk +ZWZpbmVkKCRvcHRfbykKCQkJfHwgKCgkdWlkID0gJG9wdF9vKSA9fiAvXlxkKyQvKQoJCQl8 +fCBkZWZpbmVkKCR1aWQgPSBnZXRwd25hbSgkb3B0X28pKQoJCQl8fCBkaWUoImdldHB3bmFt +KCRvcHRfbyk6ICQhIik7CgkJIWRlZmluZWQoJG9wdF9nKQoJCQl8fCAoKCRnaWQgPSAkb3B0 +X2cpID1+IC9eXGQrJC8pCgkJCXx8IGRlZmluZWQoJGdpZCA9IGdldGdybmFtKCRvcHRfZykp +CgkJCXx8IGRpZSgiZ2V0Z3JuYW0oJG9wdF9nKTogJCEiKTsKCQkmZGVidWcoImNob3duKCR1 +aWQsICRnaWQsIFwiJGFcIikiKTsKCQkkb3B0X24JfHwgY2hvd24oJHVpZCwgJGdpZCwgJGEp +CgkJCXx8IGRpZSgiY2hvd24oJGEpOiAkISIpOwoJfQoKCSMgc2V0IGZpbGUgbW9kZQoJaWYg +KGRlZmluZWQoJG9wdF9tKSkgewoJCSRvcHRfbSA9fiAvXlxkKyQvIHx8IGRpZSAiaWxsZWdh +bCBtb2RlOiAkb3B0X21cbiI7CgkJJG9wdF9tID0gb2N0KCRvcHRfbSk7CgkJJmRlYnVnKCJj +aG1vZCAiLnNwcmludGYoIiUwNG8iLCAkb3B0X20pLiIsIFwiJGFcIiIpOwoJCSRvcHRfbiB8 +fCBjaG1vZCgkb3B0X20sICRhKSB8fCBkaWUoImNobW9kKCRhKTogJCEiKTsKCX0KCgkjIHN1 +Y2Nlc3MuCgkxOwp9Cgo7IyBSb3RhdGUgLSBkbyByZWFsIHdvcmsuCnN1YiBzYWZlX3JvdGF0 +ZSB7Cglsb2NhbCgkYSkgPSBzaGlmdDsKCgkjIGNoZWNrIGV4aXN0ZW5jZSwgYW5kIHN1ZmZp +eGVzCglyZXR1cm4gMCB1bmxlc3MgJGEgbmUgJycgJiYgLWUgJGEgJiYgQF87CgoJIyBsb2cg +bWVzc2FnZQoJJmRlYnVnKCJyb3RhdGluZyBcIiRhXCIiKTsKCgkjIHJlbW92ZSBvbGRlc3Qg +b25lCglsb2NhbCgkYikgPSAkYS4nLicuc2hpZnQ7Cgkmc2FmZV91bmxpbmsoJGIpOwoJJnNh +ZmVfdW5saW5rKCRiLicuWicpOwoJJnNhZmVfdW5saW5rKCRiLicuZ3onKTsKCgkjIGxvb3Ag +dG8gcm90YXRlIGZpbGVzCgl3aGlsZSAoQF8pIHsKCQlsb2NhbCgkeCkgPSAkYS4nLicuc2hp +ZnQ7CgkJJnNhZmVfcmVuYW1lKCR4LCAkYik7CgkJJnNhZmVfcmVuYW1lKCR4LicuWicsICRi +LicuWicpOwoJCSZzYWZlX3JlbmFtZSgkeC4nLmd6JywgJGIuJy5neicpOwoJCSRiID0gJHg7 +Cgl9CgoJIyByb3RhdGUgbGFzdCBvbmUKCSZzYWZlX3JlbmFtZSgkYSwgJGIpOwoKCSMgc2hh +bGwgd2UgY29tcHJlc3Mgcm90YXRlZCBvbmU/Cgkkb3B0X3ogPyAmc2FmZV9nemlwKCRiKSA6 +ICRvcHRfWiA/ICZzYWZlX2NvbXByZXNzKCRiKSA6IDE7Cn0K +--------------050101050502080302080407-- + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1661.ea88a58a5adbb42b5f456544688849ad b/machine-learning-ex6/ex6/easy_ham/1661.ea88a58a5adbb42b5f456544688849ad new file mode 100644 index 0000000..aa6f134 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1661.ea88a58a5adbb42b5f456544688849ad @@ -0,0 +1,85 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:34:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E18A316F16 + for ; Fri, 6 Sep 2002 11:34:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:03 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g868ZTW26173 for + ; Fri, 6 Sep 2002 09:37:08 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id DAA19778 for + ; Fri, 6 Sep 2002 03:26:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n8i7-000455-00; Thu, + 05 Sep 2002 19:19:03 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n8hW-0000tQ-00 for ; Thu, + 05 Sep 2002 19:18:26 -0700 +Received: (qmail 6108 invoked by uid 501); 6 Sep 2002 02:18:20 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Message-Id: <20020905191820.C5351@greenhydrant.com> +Mail-Followup-To: David Rees , + razor-users@lists.sourceforge.net +References: <20020905160808.B2932@greenhydrant.com> + + <20020906005315.GH29663@kluge.net> <20020905181308.B4905@greenhydrant.com> + <3D780F2B.8090709@lelandwoodbury.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <3D780F2B.8090709@lelandwoodbury.com>; from + leland@lelandwoodbury.com on Thu, Sep 05, 2002 at 10:12:59PM -0400 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 19:18:20 -0700 +Date: Thu, 5 Sep 2002 19:18:20 -0700 +X-Spam-Status: No, hits=-15.4 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 10:12:59PM -0400, Leland Woodbury wrote: +> I found a nice little Perl script for this purpose called rotate, which +> makes the process of rotating log files very simple. If there's an +> official source for this script, I couldn't find it. (My hosting +> provider, pair.com, has it installed, and that's where I found it.) +> However, redistribution appears to be allowed, so I've attached it. + +Thanks for the script. It also appears that the standard logrotate tools +included with many systems (or at least RedHat systems) will support +wildcards when rotating files so something like +/home/*/.razor/razor-agent.log can be specified... + +-Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1662.70a7a270f3adfa3fafdc01a05c200fef b/machine-learning-ex6/ex6/easy_ham/1662.70a7a270f3adfa3fafdc01a05c200fef new file mode 100644 index 0000000..a693ba7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1662.70a7a270f3adfa3fafdc01a05c200fef @@ -0,0 +1,86 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 935EB16F03 + for ; Fri, 6 Sep 2002 11:34:26 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:26 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8691vC27111 for + ; Fri, 6 Sep 2002 10:01:57 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id DAA19778 for + ; Fri, 6 Sep 2002 03:26:00 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n8i7-000455-00; Thu, + 05 Sep 2002 19:19:03 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n8hW-0000tQ-00 for ; Thu, + 05 Sep 2002 19:18:26 -0700 +Received: (qmail 6108 invoked by uid 501); 6 Sep 2002 02:18:20 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Message-Id: <20020905191820.C5351@greenhydrant.com> +Mail-Followup-To: David Rees , + razor-users@lists.sourceforge.net +References: <20020905160808.B2932@greenhydrant.com> + + <20020906005315.GH29663@kluge.net> <20020905181308.B4905@greenhydrant.com> + <3D780F2B.8090709@lelandwoodbury.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <3D780F2B.8090709@lelandwoodbury.com>; from + leland@lelandwoodbury.com on Thu, Sep 05, 2002 at 10:12:59PM -0400 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 19:18:20 -0700 +Date: Thu, 5 Sep 2002 19:18:20 -0700 +X-Spam-Status: No, hits=-15.4 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 10:12:59PM -0400, Leland Woodbury wrote: +> I found a nice little Perl script for this purpose called rotate, which +> makes the process of rotating log files very simple. If there's an +> official source for this script, I couldn't find it. (My hosting +> provider, pair.com, has it installed, and that's where I found it.) +> However, redistribution appears to be allowed, so I've attached it. + +Thanks for the script. It also appears that the standard logrotate tools +included with many systems (or at least RedHat systems) will support +wildcards when rotating files so something like +/home/*/.razor/razor-agent.log can be specified... + +-Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1663.3cda52dac479d2b668e3410feb916e38 b/machine-learning-ex6/ex6/easy_ham/1663.3cda52dac479d2b668e3410feb916e38 new file mode 100644 index 0000000..a72db71 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1663.3cda52dac479d2b668e3410feb916e38 @@ -0,0 +1,93 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:10 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9F98716F17 + for ; Fri, 6 Sep 2002 11:34:35 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:35 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869ZYC28258 for + ; Fri, 6 Sep 2002 10:36:36 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id CAA19639 for + ; Fri, 6 Sep 2002 02:28:02 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7hF-0001Zy-00; Thu, + 05 Sep 2002 18:14:05 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n7gP-00007z-00 for ; Thu, + 05 Sep 2002 18:13:13 -0700 +Received: (qmail 5168 invoked by uid 501); 6 Sep 2002 01:13:08 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Message-Id: <20020905181308.B4905@greenhydrant.com> +Mail-Followup-To: David Rees , + razor-users@lists.sourceforge.net +References: <20020905160808.B2932@greenhydrant.com> + + <20020906005315.GH29663@kluge.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <20020906005315.GH29663@kluge.net>; from felicity@kluge.net + on Thu, Sep 05, 2002 at 08:53:16PM -0400 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 18:13:08 -0700 +Date: Thu, 5 Sep 2002 18:13:08 -0700 +X-Spam-Status: No, hits=-15.0 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 08:53:16PM -0400, Theo Van Dinter wrote: +> On Thu, Sep 05, 2002 at 06:16:57PM -0500, Mike Burger wrote: +> > You might be better asking this on the spamassassin-talk list. The folks +> > there will almost definitely have an answer for this. +> +> I posted a fairly lengthy complete answer to this problem and how to +> get around it in SA 2.41 on the spamassassin-talk list. :) + +Thanks for the post there, it answered all my questions about +spamassassin/razor interaction. + +Now for a razor question: + +I'm worried about having a server full of razor-agent.log files which keep +on growing. Is it possible to configure razor log via SYSLOG to make it +easy to rotate logs? Searching through the man pages didn't turn anything +up... Otherwise I'll have to write a script to go through each user's home +directory looking for razor-agent.log files to rotate periodically. + +Thanks, +Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1664.e67aee25046de6fd0243b8c6fec81c5b b/machine-learning-ex6/ex6/easy_ham/1664.e67aee25046de6fd0243b8c6fec81c5b new file mode 100644 index 0000000..61d92f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1664.e67aee25046de6fd0243b8c6fec81c5b @@ -0,0 +1,88 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4543116F21 + for ; Fri, 6 Sep 2002 11:34:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:38 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869ZWC28256 for + ; Fri, 6 Sep 2002 10:35:40 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id CAA19615 for + ; Fri, 6 Sep 2002 02:19:05 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7fN-0000e3-00; Thu, + 05 Sep 2002 18:12:09 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n7f8-0008CE-00 for ; Thu, + 05 Sep 2002 18:11:54 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 47DD74001A1; + Thu, 5 Sep 2002 20:11:56 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + 074C64001A0; Thu, 5 Sep 2002 20:11:55 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 00278C026A6; + Thu, 5 Sep 2002 20:11:54 -0500 (EST) +From: Mike Burger +To: Theo Van Dinter +Cc: David Rees , + +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +In-Reply-To: <20020906005315.GH29663@kluge.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 20:11:53 -0500 (EST) +Date: Thu, 5 Sep 2002 20:11:53 -0500 (EST) +X-Spam-Status: No, hits=-4.7 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_02_03, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +And you were exactly the person I figured would do so. + +On Thu, 5 Sep 2002, Theo Van Dinter wrote: + +> On Thu, Sep 05, 2002 at 06:16:57PM -0500, Mike Burger wrote: +> > You might be better asking this on the spamassassin-talk list. The folks +> > there will almost definitely have an answer for this. +> +> I posted a fairly lengthy complete answer to this problem and how to +> get around it in SA 2.41 on the spamassassin-talk list. :) +> +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1665.46bc87071ff202b6f0c37c8a4b6a42a4 b/machine-learning-ex6/ex6/easy_ham/1665.46bc87071ff202b6f0c37c8a4b6a42a4 new file mode 100644 index 0000000..9b4c205 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1665.46bc87071ff202b6f0c37c8a4b6a42a4 @@ -0,0 +1,114 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:14 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id A95BE16F22 + for ; Fri, 6 Sep 2002 11:34:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:40 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869cUC28513 for + ; Fri, 6 Sep 2002 10:38:30 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id CAA19567 for + ; Fri, 6 Sep 2002 02:00:05 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7Lz-0004wl-00; Thu, + 05 Sep 2002 17:52:07 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7Lf-0003pB-00 for + ; Thu, 05 Sep 2002 17:51:47 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g860pgnP003206; + Thu, 5 Sep 2002 20:51:42 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g860pfte003204; Thu, 5 Sep 2002 20:51:41 -0400 +From: Theo Van Dinter +To: Josh Hildebrand +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] removing Razor1 +Message-Id: <20020906005141.GG29663@kluge.net> +References: <20020905221132.GB6886@jedi.net> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="iJXiJc/TAIT2rh2r" +Content-Disposition: inline +In-Reply-To: <20020905221132.GB6886@jedi.net> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 20:51:41 -0400 +Date: Thu, 5 Sep 2002 20:51:41 -0400 +X-Spam-Status: No, hits=-16.4 required=7.0 + tests=FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_03_05,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--iJXiJc/TAIT2rh2r +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Thu, Sep 05, 2002 at 05:11:32PM -0500, Josh Hildebrand wrote: +> If that's the case, can someone please point me to something that explains +> how to remove Razor1 from my system? I don't see a point in envoking it. +> Especially when it appears to error out on me. +>=20 +> Problem while trying to load Razor1: Permission denied at +> /usr/local/lib/perl5/site_perl/5.6.1/Mail/SpamAssassin/Dns.pm line 288. +> debug: leaving helper-app run mode + +rm -rf /usr/local/lib/perl5/site_perl/5.6.1/Razor + +(you'll want to check that path first of course...) + +--=20 +Randomly Generated Tagline: +"It's a chicken finger device." - Theo, looking at entree + +--iJXiJc/TAIT2rh2r +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9d/wdAuOQUeWAs2MRAsXtAJ9ZJezMTsUuIw/Q3MMkZ6/QAyuYGgCgtc3/ +iUYXa6+6icdddeWovza09lk= +=46WZ +-----END PGP SIGNATURE----- + +--iJXiJc/TAIT2rh2r-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1666.822fe7bdc3780066edfa4847f6399477 b/machine-learning-ex6/ex6/easy_ham/1666.822fe7bdc3780066edfa4847f6399477 new file mode 100644 index 0000000..4bf57ef --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1666.822fe7bdc3780066edfa4847f6399477 @@ -0,0 +1,139 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 00F7516F16 + for ; Fri, 6 Sep 2002 11:34:43 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:43 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869cZC28526 for + ; Fri, 6 Sep 2002 10:38:35 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id BAA19420 for + ; Fri, 6 Sep 2002 01:11:19 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n6ao-0004xo-00; Thu, + 05 Sep 2002 17:03:22 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n6aK-0004Pd-00 for ; Thu, + 05 Sep 2002 17:02:52 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 2F6B64001A1; + Thu, 5 Sep 2002 19:02:54 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + D10394001A0; Thu, 5 Sep 2002 19:02:52 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id CEF2CC026A6; + Thu, 5 Sep 2002 19:02:52 -0500 (EST) +From: Mike Burger +To: Michael Duff +Cc: David Rees , + +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +In-Reply-To: <3D77EACB.7040600@sri.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 19:02:52 -0500 (EST) +Date: Thu, 5 Sep 2002 19:02:52 -0500 (EST) +X-Spam-Status: No, hits=-4.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Shouldn't there be a w, somewhere in tehre? Simply setting group and +owner to read and execute won't alleviate a write problem. + +On Thu, 5 Sep 2002, Michael Duff wrote: + +> This is due to insufficient write privileges to the "razor-agent.log" +> file. A quick work-around is to do a "chmod go+rx" on that file (of +> course, it's better to restrict the access as much as possible). +> +> In Agent.pm, when the Razor2::Logger object is created, if it doesn't +> have write permission to the log file it does not succeed. Then, later +> in the code when the log object is used, it fails with the "unblessed" +> error. +> +> Hope this helps, +> Michael Duff +> +> David Rees wrote: +> +> >This is my first time running Razor, heard a lot of good things about it so +> >I thought I'd give it a shot. I also run SpamAssassin so I'd like to +> >integrate the two. +> > +> >I'm not sure if this problem is with SpamAssassin or Razor, so I though I'd +> >shoot the message here first +> > +> >With a freshly installed SpamAssassin 2.41 and Razor 2.14 I'm seeing these +> >messages spit out from spamd: +> > +> >razor2 check skipped: No such file or directory Can't call method "log" on +> >unblessed reference at /usr/lib/perl5/site_perl/5.6.0/Razor2/Client/Agent.pm +> >line 211, line 75. +> > +> >Any ideas? razor seems to run correctly over the command line. +> > +> >Thanks, +> >-Dave +> > +> > +> >------------------------------------------------------- +> >This sf.net email is sponsored by: OSDN - Tired of that same old +> >cell phone? Get a new here for FREE! +> >https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> >_______________________________________________ +> >Razor-users mailing list +> >Razor-users@lists.sourceforge.net +> >https://lists.sourceforge.net/lists/listinfo/razor-users +> > +> > +> +> +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1667.aa251c5e7789a550ed91cdacb0d58649 b/machine-learning-ex6/ex6/easy_ham/1667.aa251c5e7789a550ed91cdacb0d58649 new file mode 100644 index 0000000..0f84a3a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1667.aa251c5e7789a550ed91cdacb0d58649 @@ -0,0 +1,111 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:35:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2CDDD16F1A + for ; Fri, 6 Sep 2002 11:34:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:34:48 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869diC28568 for + ; Fri, 6 Sep 2002 10:39:44 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id CAA19573 for + ; Fri, 6 Sep 2002 02:01:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7Nt-0005wQ-00; Thu, + 05 Sep 2002 17:54:05 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17n7NE-0004B4-00 for + ; Thu, 05 Sep 2002 17:53:24 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g860rGnP003311; + Thu, 5 Sep 2002 20:53:16 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g860rGsC003309; Thu, 5 Sep 2002 20:53:16 -0400 +From: Theo Van Dinter +To: Mike Burger +Cc: David Rees , + razor-users@lists.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Message-Id: <20020906005315.GH29663@kluge.net> +References: <20020905160808.B2932@greenhydrant.com> + +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="Enx9fNJ0XV5HaWRu" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 20:53:16 -0400 +Date: Thu, 5 Sep 2002 20:53:16 -0400 +X-Spam-Status: No, hits=-15.0 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--Enx9fNJ0XV5HaWRu +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Thu, Sep 05, 2002 at 06:16:57PM -0500, Mike Burger wrote: +> You might be better asking this on the spamassassin-talk list. The folks= +=20 +> there will almost definitely have an answer for this. + +I posted a fairly lengthy complete answer to this problem and how to +get around it in SA 2.41 on the spamassassin-talk list. :) + +--=20 +Randomly Generated Tagline: +"Good judgment comes from bad experience, and a lot of that comes from + bad judgment." - Zen Musings + +--Enx9fNJ0XV5HaWRu +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9d/x7AuOQUeWAs2MRAtAFAKDAv2ned2UEMjxqPm2PknM7USMCdgCggFr+ +ONI0BQ6UcqCITZKsDjr5hRc= +=Wyzr +-----END PGP SIGNATURE----- + +--Enx9fNJ0XV5HaWRu-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1668.c077f4f038fbdccf01f1d37a3db6f2e4 b/machine-learning-ex6/ex6/easy_ham/1668.c077f4f038fbdccf01f1d37a3db6f2e4 new file mode 100644 index 0000000..1a2476d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1668.c077f4f038fbdccf01f1d37a3db6f2e4 @@ -0,0 +1,121 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:36:39 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 149AD16F1A + for ; Fri, 6 Sep 2002 11:36:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:05 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rLC29266 for + ; Fri, 6 Sep 2002 10:53:21 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id XAA19026 for + ; Thu, 5 Sep 2002 23:27:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n4yr-0007vl-00; Thu, + 05 Sep 2002 15:20:05 -0700 +Received: from cpe3439333139383434.cpe.net.cable.rogers.com + ([24.101.225.150] helo=lserv4.espoircompany.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n4xx-0001y5-00 for ; Thu, + 05 Sep 2002 15:19:09 -0700 +Received: (from uucp@localhost) by lserv4.espoircompany.com + (8.12.5/8.12.5) id g85MIwAw009726; Thu, 5 Sep 2002 18:18:58 -0400 +Cc: +Content-Transfer-Encoding: 7bit +Content-Type: text/plain; charset="us-ascii" +From: "Eugene Chiu" +Importance: Normal +In-Reply-To: <20020905203817.GX8101@kluge.net> +Message-Id: +MIME-Version: 1.0 +Received: from win2kpro ([192.168.100.11] [192.168.100.11]) by + ns1.espoircompany.com (AvMailGate-2.0.0.6) id 09721-136129B5; + Thu, 05 Sep 2002 18:18:44 -0400 +Subject: RE: [Razor-users] spamassassin+razor2 +To: "Theo Van Dinter" +X-Antivirus: OK! AntiVir MailGate Version 2.0.0.6 at lserv4 has not found + any known virus in this email. +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Msmail-Priority: Normal +X-Priority: 3 (Normal) +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 18:18:55 -0400 +Date: Thu, 5 Sep 2002 18:18:55 -0400 +X-Spam-Status: No, hits=-5.9 required=7.0 + tests=FORGED_RCVD_FOUND,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + MSG_ID_ADDED_BY_MTA_2,QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + + +Theo, + +Thank you very much, it solves the problem!!!! + +Eugene + + +-----Original Message----- +From: razor-users-admin@example.sourceforge.net +[mailto:razor-users-admin@lists.sourceforge.net]On Behalf Of Theo Van +Dinter +Sent: September 5, 2002 4:38 PM +To: Eugene Chiu +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] spamassassin+razor2 + + +On Thu, Sep 05, 2002 at 04:27:08PM -0400, Eugene Chiu wrote: +> razor2 check skipped: Bad file descriptor Insecure dependency in open +while runn +> ing setuid at /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Config.pm +line +> 410, line 1. +> >From info@znion.com Thu Sep 5 11:55:15 2002 +> Subject: *****SPAM***** Computer Maintenance +> Folder: /home/eugene/caughtspam +8343 + +It looks like you're running via procmail -- what are the permissions +on procmail? "Insecure dependency" screams "I'm in taint mode!", which +is a typical problem when procmail is setuid/setgid (the permissions +should be 755). + +If this is in fact the problem, an easy solution is to put "DROPPRIVS=yes" +in the procmailrc. :) + +-- +Randomly Generated Tagline: +"The bus had no heat, blew over in the wind and used the driver's legs + as its first line of defense in an accident." - Unknown about the VW Bus + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1669.4bcc4cd50bc3d03cba237953480ffefb b/machine-learning-ex6/ex6/easy_ham/1669.4bcc4cd50bc3d03cba237953480ffefb new file mode 100644 index 0000000..3a2b08f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1669.4bcc4cd50bc3d03cba237953480ffefb @@ -0,0 +1,124 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:36:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8E88C16F19 + for ; Fri, 6 Sep 2002 11:36:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:02 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869q7C29105 for + ; Fri, 6 Sep 2002 10:52:07 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id AAA19308 for + ; Fri, 6 Sep 2002 00:46:09 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n6AR-0000B9-00; Thu, + 05 Sep 2002 16:36:07 -0700 +Received: from mailgate.sri.com ([128.18.243.11]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n69N-0002sW-00 for ; Thu, + 05 Sep 2002 16:35:01 -0700 +Received: (qmail 6143 invoked from network); 5 Sep 2002 23:34:28 -0000 +Received: from localhost (HELO mailgate.SRI.COM) (127.0.0.1) by + mailgate.sri.com with SMTP; 5 Sep 2002 23:34:28 -0000 +Received: from newmail.sri.com ([128.18.30.43]) by mailgate.SRI.COM (NAVGW + 2.5.1.18) with SMTP id M2002090516342709381 for + ; Thu, 05 Sep 2002 16:34:27 -0700 +Received: from sri.com ([128.18.28.107]) by newmail.sri.com (Netscape + Messaging Server 4.15) with ESMTP id H1ZO6L00.H5K; Thu, 5 Sep 2002 + 16:35:09 -0700 +Message-Id: <3D77EACB.7040600@sri.com> +From: "Michael Duff" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: David Rees +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +References: <20020905160808.B2932@greenhydrant.com> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 05 Sep 2002 16:37:47 -0700 +Date: Thu, 05 Sep 2002 16:37:47 -0700 +X-Spam-Status: No, hits=-5.0 required=7.0 + tests=EMAIL_ATTRIBUTION,FOR_FREE,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_05_08,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +This is due to insufficient write privileges to the "razor-agent.log" +file. A quick work-around is to do a "chmod go+rx" on that file (of +course, it's better to restrict the access as much as possible). + +In Agent.pm, when the Razor2::Logger object is created, if it doesn't +have write permission to the log file it does not succeed. Then, later +in the code when the log object is used, it fails with the "unblessed" +error. + +Hope this helps, +Michael Duff + +David Rees wrote: + +>This is my first time running Razor, heard a lot of good things about it so +>I thought I'd give it a shot. I also run SpamAssassin so I'd like to +>integrate the two. +> +>I'm not sure if this problem is with SpamAssassin or Razor, so I though I'd +>shoot the message here first +> +>With a freshly installed SpamAssassin 2.41 and Razor 2.14 I'm seeing these +>messages spit out from spamd: +> +>razor2 check skipped: No such file or directory Can't call method "log" on +>unblessed reference at /usr/lib/perl5/site_perl/5.6.0/Razor2/Client/Agent.pm +>line 211, line 75. +> +>Any ideas? razor seems to run correctly over the command line. +> +>Thanks, +>-Dave +> +> +>------------------------------------------------------- +>This sf.net email is sponsored by: OSDN - Tired of that same old +>cell phone? Get a new here for FREE! +>https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +>_______________________________________________ +>Razor-users mailing list +>Razor-users@lists.sourceforge.net +>https://lists.sourceforge.net/lists/listinfo/razor-users +> +> + + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1670.da702de4cb6dce6d1f62c93bc30e71ff b/machine-learning-ex6/ex6/easy_ham/1670.da702de4cb6dce6d1f62c93bc30e71ff new file mode 100644 index 0000000..21ee398 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1670.da702de4cb6dce6d1f62c93bc30e71ff @@ -0,0 +1,162 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:37:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1E33916F1C + for ; Fri, 6 Sep 2002 11:36:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:13 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869vcC29827 for + ; Fri, 6 Sep 2002 10:57:38 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id VAA18337 for + ; Thu, 5 Sep 2002 21:41:22 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n3Eb-0003AT-00; Thu, + 05 Sep 2002 13:28:13 -0700 +Received: from cpe3439333139383434.cpe.net.cable.rogers.com + ([24.101.225.150] helo=lserv4.espoircompany.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n3Dv-00083y-00 for ; Thu, + 05 Sep 2002 13:27:31 -0700 +Received: (from uucp@localhost) by lserv4.espoircompany.com + (8.12.5/8.12.5) id g85KRP6u008914 for razor-users@lists.sourceforge.net; + Thu, 5 Sep 2002 16:27:25 -0400 +Content-Type: multipart/alternative; + boundary="----=_NextPart_000_0018_01C254F9.146CF4F0" +From: "Eugene Chiu" +Message-Id: <001b01c2551a$9c316a30$2801250a@omers.com> +MIME-Version: 1.0 +Received: from WS0571 (omrs [206.222.70.71]) by ns1.espoircompany.com + (AvMailGate-2.0.0.6) id 08905-713A9F70; Thu, 05 Sep 2002 16:27:09 -0400 +To: +X-Antivirus: OK! AntiVir MailGate Version 2.0.0.6 at lserv4 has not found + any known virus in this email. +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4807.1700 +X-Msmail-Priority: Normal +X-Priority: 3 +Subject: [Razor-users] spamassassin+razor2 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 16:27:08 -0400 +Date: Thu, 5 Sep 2002 16:27:08 -0400 +X-Spam-Status: No, hits=-3.3 required=7.0 + tests=AWL,FOR_FREE,INVALID_MSGID,KNOWN_MAILING_LIST,MAILTO_LINK, + MSG_ID_ADDED_BY_MTA_2,SPAM_PHRASE_02_03,USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +This is a multi-part message in MIME format. + +------=_NextPart_000_0018_01C254F9.146CF4F0 +Content-Type: text/plain; + charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + +Hi all, + +I am wondering if anybody has successfully install a site-wide = +spamassassin+razor2 installation. I am having so much trouble and the = +following is the extract of my procmail.log. + +razor2 check skipped: Bad file descriptor Insecure dependency in open = +while runn +ing setuid at = +/usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Config.pm line +410, line 1. +>>From info@znion.com Thu Sep 5 11:55:15 2002 + Subject: *****SPAM***** Computer Maintenance + Folder: /home/eugene/caughtspam = + 8343 + + +In razor-agent.log, I simply get the bootup message and that's it... + +Sep 05 11:55:15.668648 check[8478]: [ 1] [bootup] Logging initiated = +LogDebugLeve +l=3D14 to file:/var/log/razor-agent.log + +Please help. Thanks. + +Eugene + +------=_NextPart_000_0018_01C254F9.146CF4F0 +Content-Type: text/html; + charset="iso-8859-1" +Content-Transfer-Encoding: quoted-printable + + + + + + + + +
Hi all,
+
 
+
I am wondering if anybody has = +successfully install=20 +a site-wide spamassassin+razor2 installation. I am having so much = +trouble and=20 +the following is the extract of my procmail.log.
+
 
+
razor2 check skipped: Bad file = +descriptor Insecure=20 +dependency in open while runn
ing setuid at=20 +/usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Config.pm = +line
410,=20 +<GEN23> line 1.
From info@znion.com  Thu Sep  5 = +11:55:15=20 +2002
 Subject: *****SPAM***** Computer Maintenance
  = +Folder:=20 +/home/eugene/caughtspam        &n= +bsp;           &nb= +sp;           &nbs= +p;        =20 +8343
+
 
+
 
+
In razor-agent.log, I simply get the = +bootup message=20 +and that's it...
+
 
+
Sep 05 11:55:15.668648 check[8478]: [ = +1] [bootup]=20 +Logging initiated LogDebugLeve
l=3D14 to=20 +file:/var/log/razor-agent.log
+
 
+
Please help. Thanks.
+
 
+
Eugene
+ +------=_NextPart_000_0018_01C254F9.146CF4F0-- + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1671.a2d7c7639df071620b481223ecab75c2 b/machine-learning-ex6/ex6/easy_ham/1671.a2d7c7639df071620b481223ecab75c2 new file mode 100644 index 0000000..130e178 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1671.a2d7c7639df071620b481223ecab75c2 @@ -0,0 +1,121 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:37:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B320116F56 + for ; Fri, 6 Sep 2002 11:36:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:31 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869uuC29750 for + ; Fri, 6 Sep 2002 10:56:56 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id VAA18431 for + ; Thu, 5 Sep 2002 21:46:27 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n3P7-0005XY-00; Thu, + 05 Sep 2002 13:39:05 -0700 +Received: from eclectic.kluge.net ([66.92.69.221]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17n3OU-0004Ei-00 for + ; Thu, 05 Sep 2002 13:38:26 -0700 +Received: from eclectic.kluge.net (localhost [127.0.0.1]) by + eclectic.kluge.net (8.12.6/8.12.6) with ESMTP id g85KcJnP022347; + Thu, 5 Sep 2002 16:38:19 -0400 +Received: (from felicity@localhost) by eclectic.kluge.net + (8.12.6/8.12.6/Submit) id g85KcISF022345; Thu, 5 Sep 2002 16:38:18 -0400 +From: Theo Van Dinter +To: Eugene Chiu +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] spamassassin+razor2 +Message-Id: <20020905203817.GX8101@kluge.net> +References: <001b01c2551a$9c316a30$2801250a@omers.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="4Ycl1UgPPPgGZoSL" +Content-Disposition: inline +In-Reply-To: <001b01c2551a$9c316a30$2801250a@omers.com> +User-Agent: Mutt/1.4i +X-GPG-Keyserver: http://wwwkeys.pgp.net +X-GPG-Keynumber: 0xE580B363 +X-GPG-Fingerprint: 75B1 F6D0 8368 38E7 A4C5 F6C2 02E3 9051 E580 B363 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 16:38:18 -0400 +Date: Thu, 5 Sep 2002 16:38:18 -0400 +X-Spam-Status: No, hits=-14.7 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + REFERENCES,SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--4Ycl1UgPPPgGZoSL +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +On Thu, Sep 05, 2002 at 04:27:08PM -0400, Eugene Chiu wrote: +> razor2 check skipped: Bad file descriptor Insecure dependency in open whi= +le runn +> ing setuid at /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Config.p= +m line +> 410, line 1. +> >From info@znion.com Thu Sep 5 11:55:15 2002 +> Subject: *****SPAM***** Computer Maintenance +> Folder: /home/eugene/caughtspam = + 8343 + +It looks like you're running via procmail -- what are the permissions +on procmail? "Insecure dependency" screams "I'm in taint mode!", which +is a typical problem when procmail is setuid/setgid (the permissions +should be 755). + +If this is in fact the problem, an easy solution is to put "DROPPRIVS=3Dyes" +in the procmailrc. :) + +--=20 +Randomly Generated Tagline: +"The bus had no heat, blew over in the wind and used the driver's legs + as its first line of defense in an accident." - Unknown about the VW Bus + +--4Ycl1UgPPPgGZoSL +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iD8DBQE9d8C5AuOQUeWAs2MRAhaSAJ9AxnypfiK/+5I6gxO8sTauLOJ3wgCg0N5b +HPwI8USX9YeAQF6GE4bzmgc= +=6aCu +-----END PGP SIGNATURE----- + +--4Ycl1UgPPPgGZoSL-- + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1672.2c743f29bd6260387b1022d586513d02 b/machine-learning-ex6/ex6/easy_ham/1672.2c743f29bd6260387b1022d586513d02 new file mode 100644 index 0000000..7ed053c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1672.2c743f29bd6260387b1022d586513d02 @@ -0,0 +1,92 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:38:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 90EA416F67 + for ; Fri, 6 Sep 2002 11:36:34 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:34 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rIC29258 for + ; Fri, 6 Sep 2002 10:53:18 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id XAA19018 for + ; Thu, 5 Sep 2002 23:26:30 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n4rB-00062V-00; Thu, + 05 Sep 2002 15:12:09 -0700 +Received: from rancor.jedi.net ([199.233.91.1]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n4qe-0007ad-00 for ; Thu, + 05 Sep 2002 15:11:36 -0700 +Received: (from josh@localhost) by rancor.jedi.net (8.11.6/8.11.6) id + g85MBWJ07141 for razor-users@lists.sourceforge.net; Thu, 5 Sep 2002 + 17:11:32 -0500 +From: Josh Hildebrand +To: razor-users@example.sourceforge.net +Message-Id: <20020905221132.GB6886@jedi.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.3.25i +Subject: [Razor-users] removing Razor1 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 17:11:32 -0500 +Date: Thu, 5 Sep 2002 17:11:32 -0500 +X-Spam-Status: No, hits=-8.7 required=7.0 + tests=FOR_FREE,KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Forgive me for being a partially stupid end-user of this fantastic +spam fighting software. + +I was looking at my spamd debug output today, and noticed that it ran +through Razor2 stuff, and then it ran through dccproc, and then it tried to +go through old Razor1 stuff. I'm assuming (and please correct me if I'm +wrong) that Razor1 is out dated and was to be replaced entirely by Razor2. + +If that's the case, can someone please point me to something that explains +how to remove Razor1 from my system? I don't see a point in envoking it. +Especially when it appears to error out on me. + +debug: Razor1 is available +debug: entering helper-app run mode +debug: Razor Agents 1.19, protocol version 2. +debug: 170803 seconds before closest server discovery +debug: Agent terminated +Problem while trying to load Razor1: Permission denied at +/usr/local/lib/perl5/site_perl/5.6.1/Mail/SpamAssassin/Dns.pm line 288. +debug: leaving helper-app run mode + +Thanks! + +-- +Josh Hildebrand Email: josh@jedi.net + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1673.be7fb2decb75d04a65ef85f30f678060 b/machine-learning-ex6/ex6/easy_ham/1673.be7fb2decb75d04a65ef85f30f678060 new file mode 100644 index 0000000..126bfbe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1673.be7fb2decb75d04a65ef85f30f678060 @@ -0,0 +1,110 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:38:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C911F16F6A + for ; Fri, 6 Sep 2002 11:36:38 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:38 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869q5C29102 for + ; Fri, 6 Sep 2002 10:52:05 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id AAA19236 for + ; Fri, 6 Sep 2002 00:26:22 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n5s1-00027Y-00; Thu, + 05 Sep 2002 16:17:05 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n5rv-0000SA-00 for ; Thu, + 05 Sep 2002 16:16:59 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id D7F954001A1; + Thu, 5 Sep 2002 18:16:59 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + A7BDE4001A0; Thu, 5 Sep 2002 18:16:58 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id A5936C026A6; + Thu, 5 Sep 2002 18:16:58 -0500 (EST) +From: Mike Burger +To: David Rees +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +In-Reply-To: <20020905160808.B2932@greenhydrant.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 18:16:57 -0500 (EST) +Date: Thu, 5 Sep 2002 18:16:57 -0500 (EST) +X-Spam-Status: No, hits=-4.5 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +You might be better asking this on the spamassassin-talk list. The folks +there will almost definitely have an answer for this. + +On Thu, 5 Sep 2002, David Rees wrote: + +> This is my first time running Razor, heard a lot of good things about it so +> I thought I'd give it a shot. I also run SpamAssassin so I'd like to +> integrate the two. +> +> I'm not sure if this problem is with SpamAssassin or Razor, so I though I'd +> shoot the message here first +> +> With a freshly installed SpamAssassin 2.41 and Razor 2.14 I'm seeing these +> messages spit out from spamd: +> +> razor2 check skipped: No such file or directory Can't call method "log" on +> unblessed reference at /usr/lib/perl5/site_perl/5.6.0/Razor2/Client/Agent.pm +> line 211, line 75. +> +> Any ideas? razor seems to run correctly over the command line. +> +> Thanks, +> -Dave +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1674.af90d09c58aa2dba5ee593c8ae3d8c70 b/machine-learning-ex6/ex6/easy_ham/1674.af90d09c58aa2dba5ee593c8ae3d8c70 new file mode 100644 index 0000000..b3939a0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1674.af90d09c58aa2dba5ee593c8ae3d8c70 @@ -0,0 +1,78 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:38:50 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F02D316F6C + for ; Fri, 6 Sep 2002 11:37:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:31 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869pxC29081 for + ; Fri, 6 Sep 2002 10:51:59 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id AAA19281 for + ; Fri, 6 Sep 2002 00:37:58 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n66Y-00063u-00; Thu, + 05 Sep 2002 16:32:06 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n662-000214-00 for ; Thu, + 05 Sep 2002 16:31:34 -0700 +Received: (qmail 3337 invoked by uid 501); 5 Sep 2002 23:31:28 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Message-Id: <20020905163128.A3322@greenhydrant.com> +Mail-Followup-To: David Rees , + razor-users@lists.sourceforge.net +References: <20020905160808.B2932@greenhydrant.com> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: ; + from mburger@bubbanfriends.org on Thu, Sep 05, 2002 at 06:16:57PM -0500 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 16:31:28 -0700 +Date: Thu, 5 Sep 2002 16:31:28 -0700 +X-Spam-Status: No, hits=-13.6 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Thu, Sep 05, 2002 at 06:16:57PM -0500, Mike Burger wrote: +> You might be better asking this on the spamassassin-talk list. The folks +> there will almost definitely have an answer for this. + +Thanks, I just posted a similar message there. + +-Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1675.550f474e8aea76f79d203152aac1767f b/machine-learning-ex6/ex6/easy_ham/1675.550f474e8aea76f79d203152aac1767f new file mode 100644 index 0000000..3e1f6e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1675.550f474e8aea76f79d203152aac1767f @@ -0,0 +1,83 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:39:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5655B16F6E + for ; Fri, 6 Sep 2002 11:37:44 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:44 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869qFC29130 for + ; Fri, 6 Sep 2002 10:52:15 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id AAA19226 for + ; Fri, 6 Sep 2002 00:20:31 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n5kF-0006Rr-00; Thu, + 05 Sep 2002 16:09:03 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n5jR-00020C-00 for ; Thu, + 05 Sep 2002 16:08:13 -0700 +Received: (qmail 3015 invoked by uid 501); 5 Sep 2002 23:08:08 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Message-Id: <20020905160808.B2932@greenhydrant.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +Subject: [Razor-users] Problem with Razor 2.14 and Spamassassin 2.41 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 16:08:08 -0700 +Date: Thu, 5 Sep 2002 16:08:08 -0700 +X-Spam-Status: No, hits=-10.7 required=7.0 + tests=AWL,FOR_FREE,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +This is my first time running Razor, heard a lot of good things about it so +I thought I'd give it a shot. I also run SpamAssassin so I'd like to +integrate the two. + +I'm not sure if this problem is with SpamAssassin or Razor, so I though I'd +shoot the message here first + +With a freshly installed SpamAssassin 2.41 and Razor 2.14 I'm seeing these +messages spit out from spamd: + +razor2 check skipped: No such file or directory Can't call method "log" on +unblessed reference at /usr/lib/perl5/site_perl/5.6.0/Razor2/Client/Agent.pm +line 211, line 75. + +Any ideas? razor seems to run correctly over the command line. + +Thanks, +-Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1676.63b01735cee30cb278549725c0955728 b/machine-learning-ex6/ex6/easy_ham/1676.63b01735cee30cb278549725c0955728 new file mode 100644 index 0000000..4b5b9e9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1676.63b01735cee30cb278549725c0955728 @@ -0,0 +1,147 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 6 11:39:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0F94516F1E + for ; Fri, 6 Sep 2002 11:37:46 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:46 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869r8C29224 for + ; Fri, 6 Sep 2002 10:53:08 +0100 +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by webnote.net (8.9.3/8.9.3) with ESMTP id XAA19084 for + ; Thu, 5 Sep 2002 23:39:45 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17n5AT-0003uw-00; Thu, + 05 Sep 2002 15:32:05 -0700 +Received: from rancor.jedi.net ([199.233.91.1]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17n5AL-0003az-00 for ; Thu, + 05 Sep 2002 15:31:57 -0700 +Received: (from josh@localhost) by rancor.jedi.net (8.11.6/8.11.6) id + g85MVro08021 for razor-users@lists.sourceforge.net; Thu, 5 Sep 2002 + 17:31:53 -0500 +From: Josh Hildebrand +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] spamassassin+razor2 +Message-Id: <20020905223153.GB7798@jedi.net> +References: <20020905203817.GX8101@kluge.net> + +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.3.25i +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 5 Sep 2002 17:31:53 -0500 +Date: Thu, 5 Sep 2002 17:31:53 -0500 +X-Spam-Status: No, hits=-12.7 required=7.0 + tests=AWL,FOR_FREE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_LONG_SPARSE, + SPAM_PHRASE_03_05,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +No as a answer to this FAQ, would the recommended answer be to + +a) chmod 755 /usr/bin/procmail + +or + +b) add DROPPRIVS=yes to /etc/procmailrc + +or + +c) all of the above + + +I ask because I just did B, and my procmail is still: +-rwsr-sr-x 1 root mail 67988 Jul 24 15:43 /usr/bin/procmail +But things seem to be working, so far.. + + +On Thu, Sep 05, 2002 at 06:18:55PM -0400, Eugene Chiu wrote: +> +> Theo, +> +> Thank you very much, it solves the problem!!!! +> +> Eugene +> +> +> -----Original Message----- +> From: razor-users-admin@example.sourceforge.net +> [mailto:razor-users-admin@lists.sourceforge.net]On Behalf Of Theo Van +> Dinter +> Sent: September 5, 2002 4:38 PM +> To: Eugene Chiu +> Cc: razor-users@example.sourceforge.net +> Subject: Re: [Razor-users] spamassassin+razor2 +> +> +> On Thu, Sep 05, 2002 at 04:27:08PM -0400, Eugene Chiu wrote: +> > razor2 check skipped: Bad file descriptor Insecure dependency in open +> while runn +> > ing setuid at /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Config.pm +> line +> > 410, line 1. +> > >From info@znion.com Thu Sep 5 11:55:15 2002 +> > Subject: *****SPAM***** Computer Maintenance +> > Folder: /home/eugene/caughtspam +> 8343 +> +> It looks like you're running via procmail -- what are the permissions +> on procmail? "Insecure dependency" screams "I'm in taint mode!", which +> is a typical problem when procmail is setuid/setgid (the permissions +> should be 755). +> +> If this is in fact the problem, an easy solution is to put "DROPPRIVS=yes" +> in the procmailrc. :) +> +> -- +> Randomly Generated Tagline: +> "The bus had no heat, blew over in the wind and used the driver's legs +> as its first line of defense in an accident." - Unknown about the VW Bus +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users + +-- +Josh Hildebrand Email: josh@jedi.net +Digital Sluice Pager: http://www.digitalsluice.com/josh/pager +Phone: 512-255-9797 eFax: 413-691-9191 + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1677.0a982c2dd05563772b84243adbe8a720 b/machine-learning-ex6/ex6/easy_ham/1677.0a982c2dd05563772b84243adbe8a720 new file mode 100644 index 0000000..172f14f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1677.0a982c2dd05563772b84243adbe8a720 @@ -0,0 +1,87 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:22:49 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AE24316F03 + for ; Tue, 10 Sep 2002 11:22:48 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:48 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g89LI2C32514 for ; Mon, 9 Sep 2002 22:18:02 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oVoF-0003ez-00; Mon, + 09 Sep 2002 14:11:03 -0700 +Received: from ilike.disaster.com ([205.139.198.206] + helo=greeneggsnspam.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17oVnG-0007RM-00 for + ; Mon, 09 Sep 2002 14:10:02 -0700 +Received: from waltflannigan.darkphyber.com [205.139.198.39] by + greeneggsnspam.com [205.139.198.206] with SMTP (MDaemon.PRO.PRO.v6.0.0m.R) + for ; Mon, 09 Sep 2002 17:10:24 -0400 +Message-Id: <5.1.0.14.2.20020909170821.01d096c8@mailhost.disaster.com> +X-Sender: rob@darkphyber.com@mail.darkphyber.com +X-Mailer: QUALCOMM Windows Eudora Version 5.1 +To: razor-users@example.sourceforge.net +From: Rob +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +X-Authenticated-Sender: rob@darkphyber.com +X-Mdremoteip: 205.139.198.39 +X-Return-Path: rob@darkphyber.com +X-Mdaemon-Deliver-To: razor-users@example.sourceforge.net +Subject: [Razor-users] log problem +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 09 Sep 2002 17:10:23 -0400 +Date: Mon, 09 Sep 2002 17:10:23 -0400 +X-Spam-Status: No, hits=1.5 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,KNOWN_MAILING_LIST, + SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: * + +I just set up razor and spamassassin, but I keep getting this error in my +mail log file + +razor2 check skipped: No such file or directory Can't call method "log" on +unblessed reference at +/usr/local/lib/perl5/site_perl/5.8.0/Razor2/Client/Agent.pm line 212. + +I have looked through the archived list and the only thing I have seen +about this error is a possible permission problem on the log file. +I did what it said in the archives, basically change the permission on the +file but its still no go. + +Any other help would be appreciated, maybe I'm missing something. +something I forgot to run or do. + + +rob + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1678.a3c22194f3f334941d900a4bbf249f96 b/machine-learning-ex6/ex6/easy_ham/1678.a3c22194f3f334941d900a4bbf249f96 new file mode 100644 index 0000000..e55c9d7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1678.a3c22194f3f334941d900a4bbf249f96 @@ -0,0 +1,86 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:22:53 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BF4A116F03 + for ; Tue, 10 Sep 2002 11:22:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g89LqYC01056 for ; Mon, 9 Sep 2002 22:52:34 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oWM7-0004YZ-00; Mon, + 09 Sep 2002 14:46:03 -0700 +Received: from [208.48.139.185] (helo=forty.greenhydrant.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17oWL9-0002FQ-00 for ; Mon, + 09 Sep 2002 14:45:03 -0700 +Received: (qmail 28567 invoked by uid 501); 9 Sep 2002 21:44:57 -0000 +From: David Rees +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] log problem +Message-Id: <20020909144457.A28394@greenhydrant.com> +Mail-Followup-To: David Rees , + razor-users@lists.sourceforge.net +References: <5.1.0.14.2.20020909170821.01d096c8@mailhost.disaster.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <5.1.0.14.2.20020909170821.01d096c8@mailhost.disaster.com>; + from rob@darkphyber.com on Mon, Sep 09, 2002 at 05:10:23PM -0400 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 14:44:57 -0700 +Date: Mon, 9 Sep 2002 14:44:57 -0700 +X-Spam-Status: No, hits=-14.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SPAM_PHRASE_02_03,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Mon, Sep 09, 2002 at 05:10:23PM -0400, Rob wrote: +> I just set up razor and spamassassin, but I keep getting this error in my +> mail log file +> +> razor2 check skipped: No such file or directory Can't call method "log" on +> unblessed reference at +> /usr/local/lib/perl5/site_perl/5.8.0/Razor2/Client/Agent.pm line 212. +> +> I have looked through the archived list and the only thing I have seen +> about this error is a possible permission problem on the log file. + +Yeah, the answer isn't here in this list, it's on the spamassassin-users +list. I just asked it late last week. + +Hint: Add -H to the spamd startup flags using the latest version of +spamassassin. + +-Dave + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1679.b783b8e80886ae5592280e655058813d b/machine-learning-ex6/ex6/easy_ham/1679.b783b8e80886ae5592280e655058813d new file mode 100644 index 0000000..fe069e6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1679.b783b8e80886ae5592280e655058813d @@ -0,0 +1,106 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:22:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C1A6316F03 + for ; Tue, 10 Sep 2002 11:22:58 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:22:58 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8A0ABC05407 for ; Tue, 10 Sep 2002 01:10:13 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oYT5-0002MD-00; Mon, + 09 Sep 2002 17:01:23 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17oYSM-0004Vs-00 for ; Mon, + 09 Sep 2002 17:00:39 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id EC7314B7E7D; + Mon, 9 Sep 2002 19:00:40 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + B19A14B7E7B; Mon, 9 Sep 2002 19:00:39 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id AFD51C00440; + Mon, 9 Sep 2002 19:00:39 -0500 (EST) +From: Mike Burger +To: David Rees +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] log problem +In-Reply-To: <20020909144457.A28394@greenhydrant.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 19:00:39 -0500 (EST) +Date: Mon, 9 Sep 2002 19:00:39 -0500 (EST) +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Or, you could do this. + +On Mon, 9 Sep 2002, David Rees wrote: + +> On Mon, Sep 09, 2002 at 05:10:23PM -0400, Rob wrote: +> > I just set up razor and spamassassin, but I keep getting this error in my +> > mail log file +> > +> > razor2 check skipped: No such file or directory Can't call method "log" on +> > unblessed reference at +> > /usr/local/lib/perl5/site_perl/5.8.0/Razor2/Client/Agent.pm line 212. +> > +> > I have looked through the archived list and the only thing I have seen +> > about this error is a possible permission problem on the log file. +> +> Yeah, the answer isn't here in this list, it's on the spamassassin-users +> list. I just asked it late last week. +> +> Hint: Add -H to the spamd startup flags using the latest version of +> spamassassin. +> +> -Dave +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1680.e01cc177beb7bc063963c40e12599d57 b/machine-learning-ex6/ex6/easy_ham/1680.e01cc177beb7bc063963c40e12599d57 new file mode 100644 index 0000000..f006894 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1680.e01cc177beb7bc063963c40e12599d57 @@ -0,0 +1,110 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:23:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4028816F03 + for ; Tue, 10 Sep 2002 11:23:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:01 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8A0ABC05408 for ; Tue, 10 Sep 2002 01:10:13 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oYT2-0002IO-00; Mon, + 09 Sep 2002 17:01:20 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17oYS9-0004RK-00 for ; Mon, + 09 Sep 2002 17:00:25 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id DBFE14B7E7D; + Mon, 9 Sep 2002 19:00:24 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + 7EA244B7E7B; Mon, 9 Sep 2002 19:00:23 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 7CCFAC0269A; + Mon, 9 Sep 2002 19:00:23 -0500 (EST) +From: Mike Burger +To: Rob +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] log problem +In-Reply-To: <5.1.0.14.2.20020909170821.01d096c8@mailhost.disaster.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 19:00:23 -0500 (EST) +Date: Mon, 9 Sep 2002 19:00:23 -0500 (EST) +X-Spam-Status: No, hits=-4.8 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,FOR_FREE,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_05_08, + TO_LOCALPART_EQ_REAL,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +It's a permissions issue on the razor log file. SpamAssassin runs setuid +to the user to whom mail is being delivered. + +You'll need to make the razor log file world writable. + +On Mon, 9 Sep 2002, Rob wrote: + +> I just set up razor and spamassassin, but I keep getting this error in my +> mail log file +> +> razor2 check skipped: No such file or directory Can't call method "log" on +> unblessed reference at +> /usr/local/lib/perl5/site_perl/5.8.0/Razor2/Client/Agent.pm line 212. +> +> I have looked through the archived list and the only thing I have seen +> about this error is a possible permission problem on the log file. +> I did what it said in the archives, basically change the permission on the +> file but its still no go. +> +> Any other help would be appreciated, maybe I'm missing something. +> something I forgot to run or do. +> +> +> rob +> +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by: OSDN - Tired of that same old +> cell phone? Get a new here for FREE! +> https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1681.b17d16768d9543099dd7fe511f14ca9e b/machine-learning-ex6/ex6/easy_ham/1681.b17d16768d9543099dd7fe511f14ca9e new file mode 100644 index 0000000..58e6694 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1681.b17d16768d9543099dd7fe511f14ca9e @@ -0,0 +1,75 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:23:06 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 1441816F03 + for ; Tue, 10 Sep 2002 11:23:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:06 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8A0xHC09906 for ; Tue, 10 Sep 2002 01:59:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oZED-0000bQ-00; Mon, + 09 Sep 2002 17:50:05 -0700 +Received: from adsl-67-118-106-171.dsl.snfc21.pacbell.net + ([67.118.106.171] helo=frontier.limbo.net) by usw-sf-list1.sourceforge.net + with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oZDS-0005As-00 for + ; Mon, 09 Sep 2002 17:49:18 -0700 +Received: by frontier.limbo.net (Postfix, from userid 500) id 81E9230E941; + Mon, 9 Sep 2002 17:53:08 -0700 (PDT) +From: Chip Paswater +To: razor-users@example.sourceforge.net +Message-Id: <20020910005308.GA13905@frontier.limbo.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.4i +X-MY-PGP-Fingerprint: 4D42 5220 2EB4 21F4 39C4 BDDA C948 F15C DE2E F798 +Subject: [Razor-users] Viewing my trust rating? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 17:53:08 -0700 +Date: Mon, 9 Sep 2002 17:53:08 -0700 +X-Spam-Status: No, hits=-2.1 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,FROM_ENDS_IN_NUMS, + KNOWN_MAILING_LIST,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Hey Folks + +I know this question gets asked a lot, but I haven't seen an answer lately. + +Any idea when a user will be able to view his own trust rating? What are +the plans for this? Will it be built into the client, web based, emailed +to you nightly? If you could share your brainstorming on the subject, I +would greatly appreciate it. + + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1682.35613b5e95aa4cd78a5537bae6351bf5 b/machine-learning-ex6/ex6/easy_ham/1682.35613b5e95aa4cd78a5537bae6351bf5 new file mode 100644 index 0000000..64dddec --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1682.35613b5e95aa4cd78a5537bae6351bf5 @@ -0,0 +1,80 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 10 11:23:26 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id AE2C316F03 + for ; Tue, 10 Sep 2002 11:23:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 10 Sep 2002 11:23:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8A47IC16527 for ; Tue, 10 Sep 2002 05:07:18 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oc9C-0002gn-00; Mon, + 09 Sep 2002 20:57:06 -0700 +Received: from r2d2.easydns.com ([216.220.40.242] helo=mail.easydns.com) + by usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17oc8x-0002JI-00 for ; + Mon, 09 Sep 2002 20:56:51 -0700 +Received: from jabba (localhost [127.0.0.1]) by mail.easydns.com + (8.11.3/8.11.0) with SMTP id g8A3ulA25617 for + ; Mon, 9 Sep 2002 23:56:47 -0400 +Message-Id: <006f01c2587d$058c6b00$c03afea9@viebrock.ca> +Reply-To: "Colin Viebrock" +From: "Colin Viebrock" +To: +Organization: easyDNS Technologies Inc. +MIME-Version: 1.0 +Content-Type: text/plain; charset="Windows-1252" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 5.50.4807.1700 +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +Subject: [Razor-users] Bug? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 9 Sep 2002 23:49:10 -0400 +Date: Mon, 9 Sep 2002 23:49:10 -0400 +X-Spam-Status: No, hits=-0.4 required=7.0 + tests=FORGED_RCVD_TRAIL,FOR_FREE,INVALID_MSGID, + KNOWN_MAILING_LIST,NOSPAM_INC,SPAM_PHRASE_02_03, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +Does anyone else experience this: + +http://sf.net/tracker/index.php?func=detail&aid=600311&group_id=3978&atid=10 +3978 + +Also, it seems that the bugs tracker on SF isn't used very much ... is there +somewhere else to post bugs? + +- Colin + + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1683.f2844e0cae274ae1be662d38631cd0c8 b/machine-learning-ex6/ex6/easy_ham/1683.f2844e0cae274ae1be662d38631cd0c8 new file mode 100644 index 0000000..87e87cb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1683.f2844e0cae274ae1be662d38631cd0c8 @@ -0,0 +1,100 @@ +From razor-users-admin@lists.sourceforge.net Wed Sep 11 13:41:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id EBC1E16F17 + for ; Wed, 11 Sep 2002 13:41:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 11 Sep 2002 13:41:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8AHRIC09121 for ; Tue, 10 Sep 2002 18:27:18 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17oogF-0000Hm-00; Tue, + 10 Sep 2002 10:20:03 -0700 +Received: from relay1.2secure.net ([216.136.83.202] helo=relay1) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17oofQ-0000EJ-00 for + ; Tue, 10 Sep 2002 10:19:13 -0700 +Received: from ppp-65-91-222-124.mclass.broadwing.net [65.91.222.124] by + relay1 with XWall v3.21 ; Tue, 10 Sep 2002 13:18:34 -0400 +Received: from omega.paradigm-omega.net (localhost.localdomain + [127.0.0.1]) by omega.paradigm-omega.net (Postfix) with ESMTP id + B9AB19FB5B for ; Tue, 10 Sep 2002 + 10:18:49 -0700 (PDT) +Content-Type: text/plain; charset="iso-8859-15" +Organization: Paradigm-Omega, LLC +To: razor-users@example.sourceforge.net +X-Mailer: KMail [version 1.3.1] +X-PGP-Key-1: 8828 DA31 F788 2F87 CE6D F563 5568 BABC 647E C336 +X-PGP-Key_2: D152 7DD6 C0E8 F2CB 4CD3 B5D7 5F67 B017 38D0 A14E +X-Copyright(C): 2002 +X-Owner: Paradigm-Omega,LLC(tm) +X-All-Rights: Reserved +X-Dissemination: Prohibited +X-Classification: Confidential/Proprietary +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +From: Robin Lynn Frank +Message-Id: <1031678328.10653.TMDA@omega.paradigm-omega.net> +X-Delivery-Agent: TMDA/0.62 +X-Tmda-Fingerprint: laLk5EWV9gBsZbtuPDZhwPTNh80 +X-Identifier: Robin Lynn Frank +Reply-To: Robin Lynn Frank +Subject: [Razor-users] How to test razor +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Tue, 10 Sep 2002 10:18:40 -0700 +Date: Tue, 10 Sep 2002 10:18:40 -0700 +X-Spam-Status: No, hits=-4.1 required=7.0 + tests=AWL,FOR_FREE,KNOWN_MAILING_LIST,NOSPAM_INC, + SPAM_PHRASE_03_05 + version=2.50-cvs +X-Spam-Level: + +I have a spamd/spamc/razor/dcc setup. + +My razor logs are full of: + +Sep 10 09:48:48.411339 check[10200]: [ 1] [bootup] Logging initiated +LogDebugLevel=3 to file:/home/omega13/.razor/razor-agent.log +Sep 10 09:48:49.391309 check[10200]: [ 3] mail 1 is not known spam. + +The problem is that all the entries show "is not known spam" I can't believe +I'm that lucky. So, how do I test to see that my razor installation is +working properly. I've been up to my ears in documentation for the past few +days, so, if the reference is easy, just point me to it. Otherwise a brief +hint on how to, would be appreciated. +-- +Robin Lynn Frank +Paradigm-Omega, LLC +================================== +Gandalf fell at Khazadum. +Sheridan fell at Z'ha'dum. +Avoid high places in +locations ending in "dum" + + +------------------------------------------------------- +This sf.net email is sponsored by: OSDN - Tired of that same old +cell phone? Get a new here for FREE! +https://www.inphonic.com/r.asp?r=sourceforge1&refcode1=vs3390 +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1684.925bdc970b65949bf11a0aea4a853b03 b/machine-learning-ex6/ex6/easy_ham/1684.925bdc970b65949bf11a0aea4a853b03 new file mode 100644 index 0000000..f962744 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1684.925bdc970b65949bf11a0aea4a853b03 @@ -0,0 +1,191 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 12 18:44:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A6B916F03 + for ; Thu, 12 Sep 2002 18:44:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 12 Sep 2002 18:44:25 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8CGEGC06093 for ; Thu, 12 Sep 2002 17:14:17 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pWUu-0003nn-00; Thu, + 12 Sep 2002 09:07:16 -0700 +Received: from wow.atlasta.net ([12.129.13.20]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17pWUY-00030r-00 for ; Thu, + 12 Sep 2002 09:06:54 -0700 +Received: from wow.atlasta.net (localhost.atlasta.net [127.0.0.1]) by + wow.atlasta.net (8.12.2/8.12.2) with ESMTP id g8CG6rJI034502; + Thu, 12 Sep 2002 09:06:53 -0700 (PDT) +Received: from localhost (drais@localhost) by wow.atlasta.net + (8.12.2/8.12.2/Submit) with ESMTP id g8CG6rKT034499; Thu, 12 Sep 2002 + 09:06:53 -0700 (PDT) +From: David Raistrick +To: "Rose, Bobby" +Cc: razor-users@example.sourceforge.net +In-Reply-To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [Razor-users] no positive razor hits? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 12 Sep 2002 09:06:53 -0700 (PDT) +Date: Thu, 12 Sep 2002 09:06:53 -0700 (PDT) +X-Spam-Status: No, hits=-7.3 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,HOME_EMPLOYMENT,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +On Tue, 10 Sep 2002, Rose, Bobby wrote: + +> Use the sample-spam.txt from Spamassassin and do a "razor-check -d < +> sample-spam.txt" + +Interesting. I just upgraded to razor-agents 2.14 yesterday, ran +razor-admin -register. I to am seeing that I'm not getting any positives +from razor. Including the sample-spam.txt's from spamassassin 2.41, 2.31, +and 2.20. + +Any suggestions? thanks. + +-d output below + + + +maxwell:/var/qmail/alias/gb-users%# razor-check -d < +/usr/local/src/Mail-SpamAssassin-2.20/sample-spam.txt + Razor-Log: Computed razorhome from env: /root/.razor + Razor-Log: Found razorhome: /root/.razor + Razor-Log: No /root/.razor/razor-agent.conf found, skipping. + Razor-Log: No razor-agent.conf found, using defaults. +Sep 12 12:04:13.785852 check[52238]: [ 1] [bootup] Logging initiated +LogDebugLevel=9 to stdout +Sep 12 12:04:13.787113 check[52238]: [ 5] computed razorhome=/root/.razor, +conf=, ident=/root/.razor/identity-ruqVa5jbuS +Sep 12 12:04:13.787442 check[52238]: [ 2] Razor-Agents v2.14 starting +razor-check -d +Sep 12 12:04:13.789903 check[52238]: [ 9] uname -a: FreeBSD +maxwell.gta.com 4.5-RELEASE-p3 FreeBSD 4.5-RELEASE-p3 #0: Wed May 22 +14:52:29 EDT 2002 root@maxwell.gta.com:/usr/src/sys/compile/maxwell +i386 +Sep 12 12:04:13.790480 check[52238]: [ 8] reading straight RFC822 mail +from +Sep 12 12:04:13.791397 check[52238]: [ 6] read 1 mail +Sep 12 12:04:13.791917 check[52238]: [ 8] Client supported_engines: 1 2 3 +4 +Sep 12 12:04:13.792948 check[52238]: [ 8] prep_mail done: mail 1 +headers=1432, mime0=3139 +Sep 12 12:04:13.793639 check[52238]: [ 6] skipping whitelist file +(empty?): /root/.razor/razor-whitelist +Sep 12 12:04:13.794295 check[52238]: [ 5] read_file: 1 items read from +/root/.razor/servers.discovery.lst +Sep 12 12:04:13.794871 check[52238]: [ 5] read_file: 1 items read from +/root/.razor/servers.nomination.lst +Sep 12 12:04:13.795382 check[52238]: [ 5] read_file: 3 items read from +/root/.razor/servers.catalogue.lst +Sep 12 12:04:13.796047 check[52238]: [ 9] Assigning defaults to +honor.cloudmark.com +Sep 12 12:04:13.796456 check[52238]: [ 9] Assigning defaults to +apt.cloudmark.com +Sep 12 12:04:13.796829 check[52238]: [ 9] Assigning defaults to +fire.cloudmark.com +Sep 12 12:04:13.797180 check[52238]: [ 9] Assigning defaults to +truth.cloudmark.com +Sep 12 12:04:13.798322 check[52238]: [ 5] read_file: 11 items read from +/root/.razor/server.apt.cloudmark.com.conf +Sep 12 12:04:13.799188 check[52238]: [ 5] read_file: 11 items read from +/root/.razor/server.honor.cloudmark.com.conf +Sep 12 12:04:13.799866 check[52238]: [ 5] 96778 seconds before closest +server discovery +Sep 12 12:04:13.800342 check[52238]: [ 6] apt.cloudmark.com is a Catalogue +Server srl 51; computed min_cf=1, Server se: 0A +Sep 12 12:04:13.800818 check[52238]: [ 8] Computed supported_engines: 2 4 +Sep 12 12:04:13.801167 check[52238]: [ 8] Using next closest server +apt.cloudmark.com:2703, cached info srl 51 +Sep 12 12:04:13.801513 check[52238]: [ 8] mail 1 Subject: Home Based +Business for Grownups +Sep 12 12:04:13.805467 check[52238]: [ 6] preproc: mail 1.0 went from 3139 +bytes to 3100 +Sep 12 12:04:13.805878 check[52238]: [ 6] computing sigs for mail 1.0, len +3100 +Sep 12 12:04:13.809475 check[52238]: [ 5] Connecting to apt.cloudmark.com +... +Sep 12 12:04:18.587441 check[52238]: [ 8] Connection established +Sep 12 12:04:18.587929 check[52238]: [ 4] apt.cloudmark.com >> 29 server +greeting: sn=C&srl=51&ep4=7542-10&a=l +Sep 12 12:04:18.588562 check[52238]: [ 6] apt.cloudmark.com is a Catalogue +Server srl 51; computed min_cf=1, Server se: 0A +Sep 12 12:04:18.589041 check[52238]: [ 8] Computed supported_engines: 2 4 +Sep 12 12:04:18.589432 check[52238]: [ 8] mail 1.0 e2 +sig: PGFfFte87P3Ve-CPTdu3NWgiBikA +Sep 12 12:04:18.589751 check[52238]: [ 8] mail 1.0 e4 +sig: k6oGZsa1AvVolyvalWx2AACdWb8A +Sep 12 12:04:18.590103 check[52238]: [ 8] preparing 2 queries +Sep 12 12:04:18.590638 check[52238]: [ 8] sending 1 batches +Sep 12 12:04:18.591087 check[52238]: [ 4] apt.cloudmark.com << 96 +Sep 12 12:04:18.591324 check[52238]: [ 6] +-a=c&e=2&s=PGFfFte87P3Ve-CPTdu3NWgiBikA +a=c&e=4&ep4=7542-10&s=k6oGZsa1AvVolyvalWx2AACdWb8A +. +Sep 12 12:04:19.270870 check[52238]: [ 4] apt.cloudmark.com >> 14 +Sep 12 12:04:19.271227 check[52238]: [ 6] response to sent.1 +-p=0 +p=0 +. +Sep 12 12:04:19.272130 check[52238]: [ 6] mail 1.0 e=2 +sig=PGFfFte87P3Ve-CPTdu3NWgiBikA: sig not found. +Sep 12 12:04:19.272449 check[52238]: [ 6] mail 1.0 e=4 +sig=k6oGZsa1AvVolyvalWx2AACdWb8A: sig not found. +Sep 12 12:04:19.272760 check[52238]: [ 7] method 5: mail +1.0: no-contention part, spam=0 +Sep 12 12:04:19.273012 check[52238]: [ 7] method 5: mail 1: a +non-contention part not spam, mail not spam +Sep 12 12:04:19.273257 check[52238]: [ 3] mail 1 is not known spam. +Sep 12 12:04:19.273578 check[52238]: [ 5] disconnecting from server +apt.cloudmark.com +Sep 12 12:04:19.273982 check[52238]: [ 4] apt.cloudmark.com << 5 +Sep 12 12:04:19.274203 check[52238]: [ 6] a=q +Sep 12 12:04:19.274585 check[52238]: [ 8] razor-check finished +successfully. + + + + + + + +--- +david raistrick +drais@atlasta.net http://www.expita.com/nomime.html + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1685.cd6b27de2307413e47e0212f8d4fc9bb b/machine-learning-ex6/ex6/easy_ham/1685.cd6b27de2307413e47e0212f8d4fc9bb new file mode 100644 index 0000000..4d1f61e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1685.cd6b27de2307413e47e0212f8d4fc9bb @@ -0,0 +1,126 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 13 13:35:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E1B2916F03 + for ; Fri, 13 Sep 2002 13:35:14 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 13:35:14 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8D4ocC02087 for ; Fri, 13 Sep 2002 05:50:38 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17piIf-0000dm-00; Thu, + 12 Sep 2002 21:43:25 -0700 +Received: from panoramix.vasoftware.com ([198.186.202.147]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17piBc-0005WS-00 for + ; Thu, 12 Sep 2002 21:36:08 -0700 +Received: from mail.black-hole.com ([216.185.192.6]:2213 + helo=black-hole.com) by panoramix.vasoftware.com with esmtp (Exim + 4.05-VA-mm1 #1 (Debian)) id 17peEo-0007L9-00 for + ; Thu, 12 Sep 2002 17:23:10 -0700 +Received: from antispam.black-hole.com (unverified [216.185.192.35]) by + blackhole.com (Rockliffe SMTPRA 5.2.4) with ESMTP id + for ; + Thu, 12 Sep 2002 19:23:21 -0500 +Received: from mail.black-hole.com (mail.black-hole.com [216.185.192.6]) + by antispam.black-hole.com (8.11.6/8.11.6) with SMTP id g8D0SH121071 for + ; Thu, 12 Sep 2002 19:28:17 -0500 +Received: from vhost.swchs.org (vhost.swchs.org [216.185.203.194]) by + SMTP.BLACK-HOLE.com with SMTP (MailShield v2.04 - WIN32 Jul 17 2001 + 17:12:42); Thu, 12 Sep 2002 19:23:17 -0500 +Received: from vmwin2k [208.42.95.5] by vhost.swchs.org [216.185.203.194] + with SMTP (MDaemon.v3.5.0.R) for ; + Thu, 12 Sep 2002 19:22:49 -0500 +From: "Will Glynn" +To: +Message-Id: +MIME-Version: 1.0 +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4910.0300 +In-Reply-To: +X-Mdremoteip: 208.42.95.5 +X-Return-Path: delta407@lerfjhax.com +X-Mdaemon-Deliver-To: razor-users@lists.sf.net +X-Mailscanner: Clean +Subject: [Razor-users] Re: Collision of hashes? +Content-Type: text/plain; charset="us-ascii" +Content-Transfer-Encoding: 7bit +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 12 Sep 2002 19:23:46 -0500 +Date: Thu, 12 Sep 2002 19:23:46 -0500 +X-Spam-Status: No, hits=-0.7 required=7.0 + tests=FORGED_RCVD_TRAIL,FROM_ENDS_IN_NUMS,IN_REP_TO, + KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +To continue the subject on an otherwise unrelated note, the following +personal correspondence was just flagged as spam: + +The following is a slightly modified e-mail message trapped in a server-wide +spam box. + +------ +NEWSPAPER????? + +any time estimate when we can expect you home? +dad + + + + + + + <********@********** To: +<*************@***************> + *********> cc: + Subject: Oh, yeah + 09/12/2002 12:43 PM + + + + + + +I have to stay after school today so I can work on the school newspaper +(layout) -- Nords will bring me home later than usual. + +------ + +I don't know how to explain this one. + +--Will + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1686.4b992ea5041794476920fc2199b18ac9 b/machine-learning-ex6/ex6/easy_ham/1686.4b992ea5041794476920fc2199b18ac9 new file mode 100644 index 0000000..8841cb1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1686.4b992ea5041794476920fc2199b18ac9 @@ -0,0 +1,82 @@ +From razor-users-admin@lists.sourceforge.net Fri Sep 13 16:50:05 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 8C95C16F03 + for ; Fri, 13 Sep 2002 16:50:04 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 13 Sep 2002 16:50:04 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DEZhC22536 for ; Fri, 13 Sep 2002 15:35:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17prPU-0001g4-00; Fri, + 13 Sep 2002 07:27:04 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17prOj-0007ej-00 for ; Fri, + 13 Sep 2002 07:26:17 -0700 +Received: (qmail 28455 invoked from network); 13 Sep 2002 09:21:03 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 13 Sep 2002 09:21:03 -0000 +Message-Id: <001601c25b31$80d2d0e0$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: +References: <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> + + <20020912121017.A2630@rover.vipul.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [Razor-users] Fun Uses of Razored Mail +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 10:26:09 -0400 +Date: Fri, 13 Sep 2002 10:26:09 -0400 +X-Spam-Status: No, hits=-4.0 required=7.0 + tests=AWL,CALL_FREE,FROM_ENDS_IN_NUMS,INVALID_MSGID, + KNOWN_MAILING_LIST,REFERENCES,SPAM_PHRASE_00_01, + USER_AGENT_OE + version=2.50-cvs +X-Spam-Level: + +I'm taking all my razored mail today and calling any 1-800 numbers I can +find. I say "Hi, I'm calling everyone that spammed me today to raise their +cost of doing business. You have a great day!" I'm told I should do it +from a pay phone, so it costs them 50 cents per call. If more people did +this, we could tie up their phone lines and cost them so much money they +could never make spam work. + +Also fun is the simple "Die Spammer Die!" + +Fox + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1687.e69fa74557118313b26108f91a9cd6fa b/machine-learning-ex6/ex6/easy_ham/1687.e69fa74557118313b26108f91a9cd6fa new file mode 100644 index 0000000..9a0558e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1687.e69fa74557118313b26108f91a9cd6fa @@ -0,0 +1,82 @@ +From razor-users-admin@lists.sourceforge.net Sat Sep 14 16:22:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0D8B716F03 + for ; Sat, 14 Sep 2002 16:22:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 14 Sep 2002 16:22:01 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8DLXmC03388 for ; Fri, 13 Sep 2002 22:33:48 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17pxt6-0001Sl-00; Fri, + 13 Sep 2002 14:22:05 -0700 +Received: from r2d2.easydns.com ([216.220.40.242] helo=mail.easydns.com) + by usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) + id 17pxst-0008UB-00 for ; + Fri, 13 Sep 2002 14:21:51 -0700 +Received: from easydns.com (localhost [127.0.0.1]) by mail.easydns.com + (8.11.3/8.11.0) with ESMTP id g8DLLiA13426 for + ; Fri, 13 Sep 2002 17:21:44 -0400 +Message-Id: <3D8256E3.5040908@easydns.com> +From: Colin Viebrock +Reply-To: colin@easydns.com +Organization: easyDNS Technologies Inc. +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-ca, en-us, en +MIME-Version: 1.0 +To: razor-users@example.sourceforge.net +References: <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> + + <20020912121017.A2630@rover.vipul.net> + <001601c25b31$80d2d0e0$7c640f0a@mfc.corp.mckee.com> +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Subject: [Razor-users] Bug ... still +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 13 Sep 2002 17:21:39 -0400 +Date: Fri, 13 Sep 2002 17:21:39 -0400 +X-Spam-Status: No, hits=-3.0 required=7.0 + tests=AWL,FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,NOSPAM_INC, + REFERENCES,SPAM_PHRASE_00_01,USER_AGENT,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Haven't heard anything about this, so excuse the repost but: + + http://sf.net/tracker/index.php?func=detail&aid=600311& + group_id=3978&atid=103978 + +Or should bugs be reported somewhere other than on the SF bug tracker? + +- Colin + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1688.e2ef9f60c860b46bf3afcf1178378c3b b/machine-learning-ex6/ex6/easy_ham/1688.e2ef9f60c860b46bf3afcf1178378c3b new file mode 100644 index 0000000..cfe7797 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1688.e2ef9f60c860b46bf3afcf1178378c3b @@ -0,0 +1,79 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 16 15:30:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 78BD916F03 + for ; Mon, 16 Sep 2002 15:30:49 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 16 Sep 2002 15:30:49 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8GDPKC27135 for ; Mon, 16 Sep 2002 14:25:20 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17qvkS-0000o5-00; Mon, + 16 Sep 2002 06:17:08 -0700 +Received: from bsd.mbp.ee ([194.204.12.74]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17qvkA-00069G-00 for + ; Mon, 16 Sep 2002 06:16:50 -0700 +Received: (from root@localhost) by bsd.mbp.ee (8.12.5/8.12.5) id + g8GDGYou031194 for razor-users@lists.sourceforge.net; Mon, 16 Sep 2002 + 16:16:34 +0300 (EEST) (envelope-from raido@elve.elin.ttu.ee) +Received: from pikk-koon-teravoga.mbp.ee (pikk-koon-teravoga.mbp.ee + [194.204.12.183]) by bsd.mbp.ee (8.12.5/8.12.5av) with ESMTP id + g8GDGVfl031186 for ; Mon, + 16 Sep 2002 16:16:31 +0300 (EEST) (envelope-from raido@elve.elin.ttu.ee) +From: Raido Kurel +To: razor-users@example.sourceforge.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Evolution/1.0.2-5mdk +Message-Id: <1032182191.9209.15.camel@pikk-koon-teravoga.mbp.ee> +MIME-Version: 1.0 +X-Virus-Scanned: by AMaViS perl-11 +Subject: [Razor-users] empty mail is spamm? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 16 Sep 2002 16:16:31 +0300 +Date: 16 Sep 2002 16:16:31 +0300 +X-Spam-Status: No, hits=-1.5 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01 + version=2.50-cvs +X-Spam-Level: + +Hi, + +Is it possible to use razor without filtering empty mails as spamm? +An mail with an attachment is considered spamm. Is this normal? +Or I mysqlf like to send emails to myself where all important is said in +subject and body is empty (for remaining smth). + +Thanks, +Raido Kurel + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1689.5a669baf8c4fe834e29840d6e6bfd443 b/machine-learning-ex6/ex6/easy_ham/1689.5a669baf8c4fe834e29840d6e6bfd443 new file mode 100644 index 0000000..0369d36 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1689.5a669baf8c4fe834e29840d6e6bfd443 @@ -0,0 +1,108 @@ +From razor-users-admin@lists.sourceforge.net Tue Sep 17 11:26:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5ED2216F03 + for ; Tue, 17 Sep 2002 11:26:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 17 Sep 2002 11:26:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8GIrhC05769 for ; Mon, 16 Sep 2002 19:53:43 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17r0ui-0004wE-00; Mon, + 16 Sep 2002 11:48:04 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17r0tl-0001Dr-00 for + ; Mon, 16 Sep 2002 11:47:05 -0700 +Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id + g8GIkfF12252; Mon, 16 Sep 2002 11:46:41 -0700 +From: Vipul Ved Prakash +To: Raido Kurel +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] empty mail is spamm? +Message-Id: <20020916114641.B12169@rover.vipul.net> +Reply-To: mail@vipul.net +Mail-Followup-To: Raido Kurel , + razor-users@lists.sourceforge.net +References: <1032182191.9209.15.camel@pikk-koon-teravoga.mbp.ee> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <1032182191.9209.15.camel@pikk-koon-teravoga.mbp.ee>; + from raido@elve.elin.ttu.ee on Mon, Sep 16, 2002 at 04:16:31PM +0300 +X-Operating-System: Linux rover.vipul.net 2.4.18 +X-Privacy: If possible, encrypt your reply. Key at http://vipul.net/ +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 16 Sep 2002 11:46:41 -0700 +Date: Mon, 16 Sep 2002 11:46:41 -0700 +X-Spam-Status: No, hits=-16.2 required=7.0 + tests=EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +Razor won't filter empty emails. What version of the agents are you using? + +cheers, +vipul. + +On Mon, Sep 16, 2002 at 04:16:31PM +0300, Raido Kurel wrote: +> Hi, +> +> Is it possible to use razor without filtering empty mails as spamm? +> An mail with an attachment is considered spamm. Is this normal? +> Or I mysqlf like to send emails to myself where all important is said in +> subject and body is empty (for remaining smth). +> +> Thanks, +> Raido Kurel +> +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by:ThinkGeek +> Welcome to geek heaven. +> http://thinkgeek.com/sf +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1690.0b46c8163c389f96d88717fcbe93684c b/machine-learning-ex6/ex6/easy_ham/1690.0b46c8163c389f96d88717fcbe93684c new file mode 100644 index 0000000..472b5bb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1690.0b46c8163c389f96d88717fcbe93684c @@ -0,0 +1,57 @@ +From jm@jmason.org Wed Sep 18 12:36:24 2002 +Return-Path: +Delivered-To: yyyy@example.com +Received: by example.com (Postfix, from userid 500) + id 2B27716F18; Wed, 18 Sep 2002 12:36:24 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) + by jmason.org (Postfix) with ESMTP + id 28435F7B1; Wed, 18 Sep 2002 12:36:24 +0100 (IST) +To: "Fox" +Cc: "Justin Mason" , razor-users@example.sourceforge.net +Subject: Re: [Razor-users] HTML Table - Razor Stats using -lm 4 +In-Reply-To: Message from "Fox" + of "Tue, 17 Sep 2002 18:01:40 EDT." <003d01c25e95$ccf547c0$7c640f0a@mfc.corp.mckee.com> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Date: Wed, 18 Sep 2002 12:36:19 +0100 +Sender: yyyy@example.com +Message-Id: <20020918113624.2B27716F18@example.com> +X-Spam-Status: No, hits=-6.4 required=7.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +"Fox" said: + +> Before or after I whitelisted all the legit mailing lists that Razor is +> tagging? I had one false positive in the last four days. Razor tagged some +> guys person-to-person message because he used an ostrich-in-your-face jpeg +> that is probably pretty popular on the net, and -lm 4 means any single +> attachment in a message that is razored, razors the whole message, if I +> understand it correctly. + +Razor folks: is -lm documented anywhere? BTW, I notice all my *.conf +files in ~/.razor use "lm = 4" by default anyway. + +> No, I am not keeping official tally of false positives. I need to write a +> html interface to do it, and then it would be easy. I imagine you want +> false positive rate per filter. I will work on it tomorrow, and maybe in a +> week I will have some stats for false positives. + +Yeah, that'd be cool -- much appreciated! comparing text classifiers +like spam filters, without tracking FPs, is not good. After all, "cat > +/dev/null" gets a 100% hit rate, but without the FP rate figure of, let's +say 90%, you'd never know it was a bad thing to do ;) + +--j. + diff --git a/machine-learning-ex6/ex6/easy_ham/1691.dc18b18697ac2c2d7e5024eb8be84ecb b/machine-learning-ex6/ex6/easy_ham/1691.dc18b18697ac2c2d7e5024eb8be84ecb new file mode 100644 index 0000000..ad212c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1691.dc18b18697ac2c2d7e5024eb8be84ecb @@ -0,0 +1,126 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 19 13:01:03 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 08B2016F03 + for ; Thu, 19 Sep 2002 13:01:03 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:01:03 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8J5NMC06882 for ; Thu, 19 Sep 2002 06:23:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17rtlM-0001m9-00; Wed, + 18 Sep 2002 22:22:04 -0700 +Received: from joseki.proulx.com ([216.17.153.58]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17rtl9-0001pM-00 for ; Wed, + 18 Sep 2002 22:21:51 -0700 +Received: from misery.proulx.com (misery.proulx.com [192.168.1.108]) by + joseki.proulx.com (Postfix) with ESMTP id 14C1314B35 for + ; Wed, 18 Sep 2002 23:21:41 -0600 (MDT) +Received: by misery.proulx.com (Postfix, from userid 1000) id EF835A8020; + Wed, 18 Sep 2002 23:21:40 -0600 (MDT) +To: "Razor User's List" +Subject: Re: [Razor-users] early experiences with Razor2 (and SA) +Message-Id: <20020919052140.GA13060@misery.proulx.com> +Mail-Followup-To: Razor User's List +References: + +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="huq684BweRXVnRxX" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +From: bob@proulx.com (Bob Proulx) +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 18 Sep 2002 23:21:40 -0600 +Date: Wed, 18 Sep 2002 23:21:40 -0600 +X-Spam-Status: No, hits=-11.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--huq684BweRXVnRxX +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline + +Gary Funck [2002-09-18 13:57:00 -0700]: +> In my experience, there are spam messages that sneak past Spam Assassin, +> that Razor will pick up. Those are the ones that I'm calling "marginal". +> Basically, I'm hoping that "the collective" of Razor users make a better +> judge of spam than any single program like SA can, and therefore I can +> benefit from their judgement and get more extensive spam filtering. I've +> seen examples of this already, where SA doesn't score the spam high enough +> to bounce it, but Razor does. + +I think perhaps you missed the fact that SA scores are adjustable. If +you want SA to tag all messages listed in Razor then you can put this +in your ~/.spamassassin/user_prefs file. + + score RAZOR_CHECK 10 + +The default score is 3 and the default threshold needed is 5. +Therefore if you wish to have any razor listed messages tagged by SA +then setting a score for any razor listed messages to anything above 5 +would be sufficient. + +If you are already using SA then the above would be more efficient. +Otherwise you are running all of the mail through razor twice, once +for SA and once again afterward. If you really want to run Razor +individually then you should set the 'score RAZOR_CHECK 0' so that SA +won't do it and avoid the double network hit. + +However, one of the benefits of using SA in combination with Razor has +been the history of false positive reports in the razor database. The +current score of 3 is hefty, but not enough by itself to tag as spam. +But for any real spam is usually enough to push it over the threshold. +Razor2 addresses the false positive problem but is not yet in as wide +of use as Razor1. + +Bob + +--huq684BweRXVnRxX +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9iV7k0pRcO8E2ULYRAjoAAJ97CB6LpbhPHqa8IJx1l4g/LRiVdwCfUZIB +kUAK30zsRWL8PTb1TrEQuy8= +=XVm6 +-----END PGP SIGNATURE----- + +--huq684BweRXVnRxX-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1692.56e3001bcfb5d947babc892cda37ab3d b/machine-learning-ex6/ex6/easy_ham/1692.56e3001bcfb5d947babc892cda37ab3d new file mode 100644 index 0000000..873363e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1692.56e3001bcfb5d947babc892cda37ab3d @@ -0,0 +1,80 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 19 13:01:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D845816F03 + for ; Thu, 19 Sep 2002 13:01:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 13:01:15 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8J7a8C10455 for ; Thu, 19 Sep 2002 08:36:08 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17rvq4-0002Zo-00; Thu, + 19 Sep 2002 00:35:04 -0700 +Received: from mail.co-ver.it ([80.18.173.28]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17rvop-0002V6-00 for ; Thu, + 19 Sep 2002 00:33:47 -0700 +Received: from localhost (mail.co-ver.it [127.0.0.1]) by mail.co-ver.it + (Postfix) with ESMTP id E33FF1F44D; Thu, 19 Sep 2002 09:33:15 +0200 (CEST) +Received: from 0124in (0-124IN.co-ver.it [192.168.0.124]) by + mail.co-ver.it (Postfix) with ESMTP id 99C591F44C; Thu, 19 Sep 2002 + 09:33:15 +0200 (CEST) +From: "Boniforti Flavio" +To: "'Santiago Vila'" +Cc: +Subject: RE: [Razor-users] RE: Re: Some startup questions... +Organization: Informa Srl +Message-Id: <002201c25fae$ee1188f0$7c00a8c0@cover.it> +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.3416 +In-Reply-To: +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Importance: Normal +X-Virus-Scanned: by AMaViS snapshot-20020300 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 09:34:04 +0200 +Date: Thu, 19 Sep 2002 09:34:04 +0200 +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=AWL,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + +> I suggest that you use a normal user to start. Once you are familiar +> enough with razor and understand how it works, try the complex things +> like integration with the MTA and the like. + +OK, but do I have to launch that command as "root" or what? + +Thank you + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1693.7f09ce3481097bd97b4962a24068465a b/machine-learning-ex6/ex6/easy_ham/1693.7f09ce3481097bd97b4962a24068465a new file mode 100644 index 0000000..498efc7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1693.7f09ce3481097bd97b4962a24068465a @@ -0,0 +1,90 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 19 17:47:31 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id BAC6B16F03 + for ; Thu, 19 Sep 2002 17:47:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:47:27 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8JD1bC20231 for ; Thu, 19 Sep 2002 14:01:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17s0jz-0006Gf-00; Thu, + 19 Sep 2002 05:49:07 -0700 +Received: from [208.7.1.205] (helo=everest.mckee.com) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17s0jK-0005C7-00 for ; Thu, + 19 Sep 2002 05:48:26 -0700 +Received: (qmail 10274 invoked from network); 19 Sep 2002 07:45:33 -0000 +Received: from unknown (HELO belvoir) (208.7.1.202) by 208.7.1.205 with + SMTP; 19 Sep 2002 07:45:33 -0000 +Message-Id: <011301c25fda$d3d7a6f0$7c640f0a@mfc.corp.mckee.com> +From: "Fox" +To: "Razor User's List" +References: <20020918120512.A6901@rover.vipul.net> + + <20020918145806.D7317@rover.vipul.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2600.0000 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +Subject: [Razor-users] The -lm 4 blues +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 08:48:15 -0400 +Date: Thu, 19 Sep 2002 08:48:15 -0400 +X-Spam-Status: No, hits=-1.6 required=5.0 + tests=AWL,CLICK_BELOW,FROM_ENDS_IN_NUMS,KNOWN_MAILING_LIST, + REFERENCES + version=2.50-cvs +X-Spam-Level: + +Using -lm 4 is yielding an extra 20% a day, but it gets false positives +where it shouldn't. + +Such as an email with a Word doc and the signature below. After looking at +the Word doc, directions to the sender's cabin, I am convinced it marked the +body, which contains no next except the "IncrediMail advertisment" +signature, as spam. + +So I have to turn off -lm 4. Razor has been getting other strange emails it +shouldn't with -lm 4 on. + + See the incredimail ad signature I am talking about below: + + Fox + + + +____________________________________________________ + IncrediMail - Email has finally evolved - Click Here + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1694.597f15f5a0b581adc3126199cc7ed066 b/machine-learning-ex6/ex6/easy_ham/1694.597f15f5a0b581adc3126199cc7ed066 new file mode 100644 index 0000000..e3c6bc0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1694.597f15f5a0b581adc3126199cc7ed066 @@ -0,0 +1,107 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 19 17:47:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 6F21E16F03 + for ; Thu, 19 Sep 2002 17:47:37 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:47:37 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8JD2vC20239 for ; Thu, 19 Sep 2002 14:02:57 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17s0j1-00069D-00; Thu, + 19 Sep 2002 05:48:07 -0700 +Received: from dhcp024-208-195-177.indy.rr.com ([24.208.195.177] + helo=burgers.bubbanfriends.org) by usw-sf-list1.sourceforge.net with esmtp + (Cipher TLSv1:DES-CBC3-SHA:168) (Exim 3.31-VA-mm2 #1 (Debian)) id + 17s0iN-0004u7-00 for ; Thu, + 19 Sep 2002 05:47:28 -0700 +Received: from localhost (localhost.localdomain [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 5CEF34B7E7C; + Thu, 19 Sep 2002 07:47:17 -0500 (EST) +Received: by burgers.bubbanfriends.org (Postfix, from userid 500) id + 1BB0D4B7E7B; Thu, 19 Sep 2002 07:47:16 -0500 (EST) +Received: from localhost (localhost [127.0.0.1]) by + burgers.bubbanfriends.org (Postfix) with ESMTP id 092D7C026A6; + Thu, 19 Sep 2002 07:47:15 -0500 (EST) +From: Mike Burger +To: Boniforti Flavio +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Razor: shall I use it with AMaViS or with + SpamAssassin? +In-Reply-To: <002401c25fb5$2de16260$7c00a8c0@cover.it> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Virus-Scanned: by AMaViS new-20020517 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 07:47:15 -0500 (EST) +Date: Thu, 19 Sep 2002 07:47:15 -0500 (EST) +X-Spam-Status: No, hits=-3.4 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Depends on how you want to use it. + +The default setup of running it from procmail works just fine, as long as +you remember to go into your postfix/main.cf file, and tell it to use +procmail instead of the internal delivery agent. + +On Thu, 19 Sep 2002, Boniforti Flavio wrote: + +> How do I intergrate razor into my postfix setup? Will it have to +> interact with AMaViS or with SpamAssassin? +> +> Thank you +> +> Boniforti Flavio +> Informa Srl +> Via 42 Martiri, 165 +> 28924 Verbania (VB) +> Tel +39 0323 586216 +> Fax +39 0323 586672 +> http://www.co-ver.it/informa +> +> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by:ThinkGeek +> Welcome to geek heaven. +> http://thinkgeek.com/sf +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users +> + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1695.647eca914347c9a615c5a1bd1453319b b/machine-learning-ex6/ex6/easy_ham/1695.647eca914347c9a615c5a1bd1453319b new file mode 100644 index 0000000..7a94ec6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1695.647eca914347c9a615c5a1bd1453319b @@ -0,0 +1,122 @@ +From razor-users-admin@lists.sourceforge.net Thu Sep 19 17:49:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B888C16F03 + for ; Thu, 19 Sep 2002 17:49:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 19 Sep 2002 17:49:33 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8JGDeC27380 for ; Thu, 19 Sep 2002 17:13:41 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17s3vL-0001VZ-00; Thu, + 19 Sep 2002 09:13:03 -0700 +Received: from cs242725-10.austin.rr.com ([24.27.25.10] + helo=austinblues.dyndns.org) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17s3uP-0000c3-00 for + ; Thu, 19 Sep 2002 09:12:05 -0700 +Received: from localhost (localhost [127.0.0.1]) by austinblues.dyndns.org + (Postfix) with ESMTP id 1F1C4285C8 for ; + Thu, 19 Sep 2002 11:11:59 -0500 (CDT) +Received: by austinblues.dyndns.org (Postfix, from userid 500) id + AF98C287C2; Thu, 19 Sep 2002 11:11:58 -0500 (CDT) +From: Jeffrey Taylor +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Using razor with maildrop +Message-Id: <20020919161158.GA19733@pogo.bearhouse.lan> +Mail-Followup-To: Jeffrey Taylor , + razor-users@lists.sourceforge.net +References: <000e01c25fcb$f8427560$fd0010ac@sunpower> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: <000e01c25fcb$f8427560$fd0010ac@sunpower> +User-Agent: Mutt/1.3.27i +X-Virus-Scanned: by AMaViS new-20020424 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 19 Sep 2002 11:11:58 -0500 +Date: Thu, 19 Sep 2002 11:11:58 -0500 +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +Here is my recipe for Maildrop: + +# Vipul's Razor check +# +log `/usr/bin/razor-check` +log "razor-check = $RETURNCODE" +if ( $RETURNCODE == 0 ) +{ + xfilter "reformail -a'X-Razor: SPAM'" + log "SPAM caught by Vipul's Razor" + to "$FOLDERS/.SPAM/" +} + +I used this with Razor version 1. I'm not sure if it was ever used +with Razor2. I am now using SpamAssassin w/ Razor2. You may wish to +remove the log statements once running. + +I use both. SpamAssassin (SA) catches things that Razor does not. There +were enough false positives with Razor that I do not trust it alone. +After whitelisting all the newsletters I receive, SA w/ Razor2 does a +very good job. + +HTH, + Jeffrey + + +Quoting Sunil William Savkar : +> Hi. +> +> I just finished installing and getting running maildrop with my virtual +> users. I was thinking to set up razor with maildrop as my first test of +> its filtering capabilities.. +> +> I have seen documentation out there for procmail, but is there similar +> documentation for integrating maildrop with razor? +> +> +> +> Separately, it looks like many people use spamassassin with razor. If I +> am using razor2, is there still an advantage to this? +> +> +> +> Thanks in advance. +> +> +> +> Sunil +> + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1696.7e22fd3302271b7e8cb745edb9254c71 b/machine-learning-ex6/ex6/easy_ham/1696.7e22fd3302271b7e8cb745edb9254c71 new file mode 100644 index 0000000..baa972f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1696.7e22fd3302271b7e8cb745edb9254c71 @@ -0,0 +1,149 @@ +From razor-users-admin@lists.sourceforge.net Sat Sep 21 10:41:08 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0FDAA16F03 + for ; Sat, 21 Sep 2002 10:41:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sat, 21 Sep 2002 10:41:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8KLDAC23190 for ; Fri, 20 Sep 2002 22:13:11 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17sUyV-00054C-00; Fri, + 20 Sep 2002 14:06:07 -0700 +Received: from dsl092-097-160.nyc2.dsl.speakeasy.net ([66.92.97.160] + helo=sunserver.sunilactive.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17sUyA-00027j-00 for + ; Fri, 20 Sep 2002 14:05:46 -0700 +Received: from inthespace.com (localhost.localdomain [127.0.0.1]) by + sunserver.sunilactive.com (Postfix) with SMTP id 3C1E337917; + Fri, 20 Sep 2002 17:05:16 -0400 (EDT) +Received: from 208.236.42.2 (SquirrelMail authenticated user + savkar@inthespace.com) by sunserver.sunilactive.com with HTTP; + Fri, 20 Sep 2002 17:05:16 -0400 (EDT) +Message-Id: <20930.208.236.42.2.1032555916.squirrel@sunserver.sunilactive.com> +Subject: Re: [Razor-users] Using razor with maildrop +From: "Sunil William Savkar" +To: +In-Reply-To: <20020919161158.GA19733@pogo.bearhouse.lan> +References: <000e01c25fcb$f8427560$fd0010ac@sunpower> + <20020919161158.GA19733@pogo.bearhouse.lan> +X-Priority: 3 +Importance: Normal +X-Msmail-Priority: Normal +Cc: +Reply-To: lists.savkar@inthespace.com +X-Mailer: SquirrelMail (version 1.2.7) +MIME-Version: 1.0 +Content-Type: text/plain; charset=iso-8859-1 +Content-Transfer-Encoding: 8bit +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Fri, 20 Sep 2002 17:05:16 -0400 (EDT) +Date: Fri, 20 Sep 2002 17:05:16 -0400 (EDT) +X-Spam-Status: No, hits=1.8 required=5.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + MISSING_MIMEOLE,MISSING_OUTLOOK_NAME,MSG_ID_ADDED_BY_MTA_3, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: * + +Jeff-- + +What is the maildrop recipe you use with spamassassin? I was trying to +set mine up but I am running into a few difficulties. + +I think I will try spamassassin first and see how it goes, and then +perhaps fold in razor2... is it easy to fold in? + +Sunil + +> +> Here is my recipe for Maildrop: +> +> # Vipul's Razor check +> # +> log `/usr/bin/razor-check` +> log "razor-check = $RETURNCODE" +> if ( $RETURNCODE == 0 ) +> { +> xfilter "reformail -a'X-Razor: SPAM'" +> log "SPAM caught by Vipul's Razor" +> to "$FOLDERS/.SPAM/" +> } +> +> I used this with Razor version 1. I'm not sure if it was ever used with +> Razor2. I am now using SpamAssassin w/ Razor2. You may wish to remove +> the log statements once running. +> +> I use both. SpamAssassin (SA) catches things that Razor does not. +> There were enough false positives with Razor that I do not trust it +> alone. After whitelisting all the newsletters I receive, SA w/ Razor2 +> does a very good job. +> +> HTH, +> Jeffrey +> +> +> Quoting Sunil William Savkar : +>> Hi. +>> +>> I just finished installing and getting running maildrop with my +>> virtual users. I was thinking to set up razor with maildrop as my +>> first test of its filtering capabilities.. +>> +>> I have seen documentation out there for procmail, but is there similar +>> documentation for integrating maildrop with razor? +>> +>> +>> +>> Separately, it looks like many people use spamassassin with razor. If +>> I am using razor2, is there still an advantage to this? +>> +>> +>> +>> Thanks in advance. +>> +>> +>> +>> Sunil +>> +> +> +> ------------------------------------------------------- +> This sf.net email is sponsored by:ThinkGeek +> Welcome to geek heaven. +> http://thinkgeek.com/sf +> _______________________________________________ +> Razor-users mailing list +> Razor-users@lists.sourceforge.net +> https://lists.sourceforge.net/lists/listinfo/razor-users + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1697.d4f2eb98768cbc4c3600f6ca68e7ef03 b/machine-learning-ex6/ex6/easy_ham/1697.d4f2eb98768cbc4c3600f6ca68e7ef03 new file mode 100644 index 0000000..016264d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1697.d4f2eb98768cbc4c3600f6ca68e7ef03 @@ -0,0 +1,81 @@ +From razor-users-admin@lists.sourceforge.net Sun Sep 22 14:34:12 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id ED54916F03 + for ; Sun, 22 Sep 2002 14:34:11 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Sun, 22 Sep 2002 14:34:12 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8MDQnC03193 for ; Sun, 22 Sep 2002 14:26:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17t6dd-0006mi-00; Sun, + 22 Sep 2002 06:19:05 -0700 +Received: from falcon.mail.pas.earthlink.net ([207.217.120.74]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17t6cp-0001ga-00 for ; Sun, + 22 Sep 2002 06:18:15 -0700 +Received: from dialup-65.56.125.148.dial1.dallas1.level3.net + ([65.56.125.148] helo=hyperion.mandris.com) by + falcon.mail.pas.earthlink.net with esmtp (Exim 3.33 #1) id + 17t6co-0000Gx-00 for razor-users@lists.sourceforge.net; Sun, + 22 Sep 2002 06:18:14 -0700 +Received: from phoebe.mandris.com (phoebe.mandris.com [192.168.1.20]) by + hyperion.mandris.com (8.9.3/8.9.3) with ESMTP id IAA28816 for + ; Sun, 22 Sep 2002 08:19:12 -0500 +From: Dave Rogers +To: razor-users@example.sourceforge.net +Content-Type: text/plain +Content-Transfer-Encoding: 7bit +X-Mailer: Ximian Evolution 1.0.3 (1.0.3-6) +Message-Id: <1032700747.1536.5.camel@phoebe.mandris.com> +MIME-Version: 1.0 +Subject: [Razor-users] Forged email address +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: 22 Sep 2002 08:18:55 -0500 +Date: 22 Sep 2002 08:18:55 -0500 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +I received a spam email that had apparently forged the From header with +my own email address. After reviewing the message I forwarded it with +the rest of a batch of spam ti the database with razor-report. Now of, +course, my own email address is listed int he Razor database. How do I +go about getting it removed. + +I have seen this ploy (forged From headers) several time since then. +Perhaps the razor-report need to detect this and emit a warning. + +dave + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1698.53a703c3eabf4f1a547ffec14e09405d b/machine-learning-ex6/ex6/easy_ham/1698.53a703c3eabf4f1a547ffec14e09405d new file mode 100644 index 0000000..f8bceea --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1698.53a703c3eabf4f1a547ffec14e09405d @@ -0,0 +1,99 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 23 22:46:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C5ED716F03 + for ; Mon, 23 Sep 2002 22:46:08 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 22:46:08 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8NHoxC28131 for ; Mon, 23 Sep 2002 18:50:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17tXKW-0003lD-00; Mon, + 23 Sep 2002 10:49:08 -0700 +Received: from relay07.indigo.ie ([194.125.133.231]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17tXJy-0000Km-00 for ; Mon, + 23 Sep 2002 10:48:34 -0700 +Received: (qmail 50769 messnum 1019631 invoked from + network[194.125.172.95/ts12-095.dublin.indigo.ie]); 23 Sep 2002 17:48:31 + -0000 +Received: from ts12-095.dublin.indigo.ie (HELO example.com) + (194.125.172.95) by relay07.indigo.ie (qp 50769) with SMTP; 23 Sep 2002 + 17:48:31 -0000 +Received: by example.com (Postfix, from userid 500) id 068C516F03; + Mon, 23 Sep 2002 18:48:30 +0100 (IST) +Received: from example.com (localhost [127.0.0.1]) by example.com (Postfix) + with ESMTP id 037BBF7B1 for ; + Mon, 23 Sep 2002 18:48:30 +0100 (IST) +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] razor unblessed reference +In-Reply-To: Message from Vipul Ved Prakash of + "Mon, 23 Sep 2002 08:55:56 PDT." + <20020923085556.B10965@rover.vipul.net> +From: yyyy@example.com (Justin Mason) +X-GPG-Key-Fingerprint: 0A48 2D8B 0B52 A87D 0E8A 6ADD 4137 1B50 6E58 EF0A +X-Habeas-Swe-1: winter into spring +X-Habeas-Swe-2: brightly anticipated +X-Habeas-Swe-3: like Habeas SWE (tm) +X-Habeas-Swe-4: Copyright 2002 Habeas (tm) +X-Habeas-Swe-5: Sender Warranted Email (SWE) (tm). The sender of this +X-Habeas-Swe-6: email in exchange for a license for this Habeas +X-Habeas-Swe-7: warrant mark warrants that this is a Habeas Compliant +X-Habeas-Swe-8: Message (HCM) and not spam. Please report use of this +X-Habeas-Swe-9: mark in spam to . +Message-Id: <20020923174830.068C516F03@example.com> +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 23 Sep 2002 18:48:24 +0100 +Date: Mon, 23 Sep 2002 18:48:24 +0100 +X-Spam-Status: No, hits=-5.8 required=5.0 + tests=AWL,HABEAS_SWE,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT + version=2.50-cvs +X-Spam-Level: + + +Vipul Ved Prakash said: + +> Are there any suggestions for "fixing" this in razor-agents? razor-agents +> could write to syslog by default, but I am not sure if that would be +> desirable default behaviour... + +Hi Vipul, + +I reckon if the "unwritable log file" error condition could be caught by +Razor and handled gracefully (logging to syslog or /dev/null), it'd be a +great help. + +As it stands, if the log file is unwritable, the razor check falls over +entirely as the constructor returns undef (unblessed reference = 'die' +error in perl). + +--j. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1699.de71400a0100dbf05e05230d7e422a29 b/machine-learning-ex6/ex6/easy_ham/1699.de71400a0100dbf05e05230d7e422a29 new file mode 100644 index 0000000..727586b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1699.de71400a0100dbf05e05230d7e422a29 @@ -0,0 +1,70 @@ +From razor-users-admin@lists.sourceforge.net Wed Sep 25 21:24:59 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7960E16F03 + for ; Wed, 25 Sep 2002 21:24:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 25 Sep 2002 21:24:59 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8PH0NC05580 for ; Wed, 25 Sep 2002 18:00:23 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17uFUG-0007sK-00; Wed, + 25 Sep 2002 09:58:08 -0700 +Received: from china.patternbook.com ([216.254.75.60] + helo=free.transpect.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17uFU3-0004pQ-00 for + ; Wed, 25 Sep 2002 09:57:55 -0700 +Received: (from root@localhost) by free.transpect.com (8.9.3/8.9.3/Debian + 8.9.3-21) id MAA01103 for razor-users@lists.sourceforge.net; + Wed, 25 Sep 2002 12:57:13 -0400 +From: Whit Blauvelt +To: razor-users@example.sourceforge.net +Message-Id: <20020925125713.A1093@free.transpect.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +Subject: [Razor-users] "No razor servers available at this time" +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 25 Sep 2002 12:57:13 -0400 +Date: Wed, 25 Sep 2002 12:57:13 -0400 +X-Spam-Status: No, hits=-0.3 required=5.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +I'm getting "no servers available" about half the time in the last few days. +This is with Razor 2. Is there something I need adjust in the installation +here, or are the servers just down/overloaded? + +Thanks, +Whit + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1700.5c99dfbb4caa577151e510bab9e018e4 b/machine-learning-ex6/ex6/easy_ham/1700.5c99dfbb4caa577151e510bab9e018e4 new file mode 100644 index 0000000..125f219 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1700.5c99dfbb4caa577151e510bab9e018e4 @@ -0,0 +1,93 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 30 19:57:11 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F152916F18 + for ; Mon, 30 Sep 2002 19:57:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 19:57:01 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8UI56K10522 for ; Mon, 30 Sep 2002 19:05:06 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17w4ru-00044R-00; Mon, + 30 Sep 2002 11:02:06 -0700 +Received: from smtp03-pix.nauticom.net ([209.195.133.6] + helo=smtp03.nauticom.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17w4r0-0003lp-00 for + ; Mon, 30 Sep 2002 11:01:10 -0700 +Received: from www.nauticom.net (www.nauticom.net [209.195.130.4]) by + smtp03.nauticom.net (8.12.1/8.12.1) with ESMTP id g8UHtU8x018672 for + ; Mon, 30 Sep 2002 13:55:30 -0400 (EDT) +Received: from localhost (noghri@localhost) by www.nauticom.net + (8.12.1/8.12.1) with ESMTP id g8UI0FlO025296 for + ; Mon, 30 Sep 2002 14:00:16 -0400 (EDT) +X-Authentication-Warning: www.nauticom.net: noghri owned process doing -bs +From: Dayv Gastonguay +To: razor-users@example.sourceforge.net +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [Razor-users] "Can't use and undefined value.." error +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 14:00:12 -0400 (EDT) +Date: Mon, 30 Sep 2002 14:00:12 -0400 (EDT) +X-Spam-Status: No, hits=1.9 required=5.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,T_URI_COUNT_2_3, + USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: * + +I just installed razor 2.152 on a FreeBSD 4.4-RELEASE box and having +problems with razor-check. Any time razor-check is run, (with or without +arguments), i get this error: + +Can't use an undefined value as a symbol reference at +/usr/local/lib/perl5/site_perl/5.005/i386-freebsd/Razor2/Client/Agent.pm +line 756. + +razor-admin runs just fine and the make test before the install was all +ok. + +Has anyone seen this before? + +Module versions: +Digest-HMAC-1.01 +Digest-MD5-2.20 +Digest-Nilsimsa-0.06 +Digest-SHA1-2.01 +MIME-Base64-2.12 +Net-DNS-0.23 +Test-Simple-0.44 +Time-HiRes-01.20 +URI-1.19 + + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1701.39d6d3507aa62320295032f0c0e4435c b/machine-learning-ex6/ex6/easy_ham/1701.39d6d3507aa62320295032f0c0e4435c new file mode 100644 index 0000000..ee8217e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1701.39d6d3507aa62320295032f0c0e4435c @@ -0,0 +1,87 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 30 21:44:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id F070E16F17 + for ; Mon, 30 Sep 2002 21:44:24 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 30 Sep 2002 21:44:24 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8UJfOK13370 for ; Mon, 30 Sep 2002 20:41:24 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17w6Fz-0001R1-00; Mon, + 30 Sep 2002 12:31:03 -0700 +Received: from smtp-gw-cl-a.dmv.com ([64.45.128.110]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17w6Ex-0003Ng-00 for + ; Mon, 30 Sep 2002 12:29:59 -0700 +Received: from landshark (landshark.dmv.com [64.45.129.242]) by + smtp-gw-cl-a.dmv.com (8.12.3/8.12.3) with SMTP id g8UJTtYl082692; + Mon, 30 Sep 2002 15:29:55 -0400 (EDT) (envelope-from sven@dmv.com) +Message-Id: <00db01c268b7$c1c210a0$f2812d40@landshark> +From: "Sven Willenberger" +To: +Cc: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2800.1106 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +Subject: [Razor-users] Re: Can't use and undefined value.." error +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 30 Sep 2002 15:29:55 -0400 +Date: Mon, 30 Sep 2002 15:29:55 -0400 +X-Spam-Status: No, hits=0.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + T_URI_COUNT_3_5 + version=2.50-cvs +X-Spam-Level: + +> Date: Mon, 30 Sep 2002 14:00:12 -0400 (EDT) +> From: Dayv Gastonguay +> +> I just installed razor 2.152 on a FreeBSD 4.4-RELEASE box and having +> problems with razor-check. Any time razor-check is run, (with or without +> arguments), i get this error: +> +> Can't use an undefined value as a symbol reference at +> /usr/local/lib/perl5/site_perl/5.005/i386-freebsd/Razor2/Client/Agent.pm +> line 756. +> + Try installing the latest Perl (at least 5.6.1) port on Freebsd and make +sure you set the system to use perl from ports (i.e. in the +ports/lang/perl5/files directory run ./use.perl port. Reinstall the relevant +perl modules needed by razor and try again. + +Sven + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1702.cbf24a3d72463a352831af8e23b02cc1 b/machine-learning-ex6/ex6/easy_ham/1702.cbf24a3d72463a352831af8e23b02cc1 new file mode 100644 index 0000000..640ca73 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1702.cbf24a3d72463a352831af8e23b02cc1 @@ -0,0 +1,74 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 12:22:15 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 5A22216F18 + for ; Thu, 3 Oct 2002 12:22:12 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:22:12 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g92N2oK00984 for ; Thu, 3 Oct 2002 00:02:50 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wsUx-0002Z2-00; Wed, + 02 Oct 2002 16:01:43 -0700 +Received: from med-core07.med.wayne.edu ([146.9.19.23]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wsRZ-000679-00 for ; Wed, + 02 Oct 2002 15:58:13 -0700 +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: Fire.cloudmark.com is having issues +Thread-Index: AcJqYq67m17NyZhYQJ+UtliQ471QSQABBryQ +From: "Rose, Bobby" +To: +Subject: [Razor-users] Fire.cloudmark.com is having issues +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 18:58:06 -0400 +Date: Wed, 2 Oct 2002 18:58:06 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g92N2oK00984 +X-Spam-Status: No, hits=-6.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +I noticed a drop in checks, and did some tests. If I move truth up in +my catalog list, a check comes back postive, but if I move fire up in +the list, then I don't get the positive check back. It's almost like +it's not syncing up with Hubris which is the one my reports are getting +sent to. + +-=Bobby + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1703.7c5ad732db66343c7c8c05b7bc66e811 b/machine-learning-ex6/ex6/easy_ham/1703.7c5ad732db66343c7c8c05b7bc66e811 new file mode 100644 index 0000000..f41bd52 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1703.7c5ad732db66343c7c8c05b7bc66e811 @@ -0,0 +1,82 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 12:23:27 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0E79216F18 + for ; Thu, 3 Oct 2002 12:23:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:23:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g9340pK13843 for ; Thu, 3 Oct 2002 05:00:57 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wx9i-0001B6-00; Wed, + 02 Oct 2002 21:00:06 -0700 +Received: from med-core07.med.wayne.edu ([146.9.19.23]) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wx8n-00031D-00 for ; Wed, + 02 Oct 2002 20:59:09 -0700 +X-Mimeole: Produced By Microsoft Exchange V6.0.6249.0 +Content-Class: urn:content-classes:message +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii" +Subject: RE: [Razor-users] Fire.cloudmark.com is having issues +Message-Id: +X-MS-Has-Attach: +X-MS-Tnef-Correlator: +Thread-Topic: [Razor-users] Fire.cloudmark.com is having issues +Thread-Index: AcJqYq67m17NyZhYQJ+UtliQ471QSQABBryQAAqB/lA= +From: "Rose, Bobby" +To: +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 23:59:01 -0400 +Date: Wed, 2 Oct 2002 23:59:01 -0400 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g9340pK13843 +X-Spam-Status: No, hits=-8.3 required=5.0 + tests=AWL,KNOWN_MAILING_LIST + version=2.50-cvs +X-Spam-Level: + +What does this mean? I set up procmailrc for a spamtrap but I'm getting +an error. I also am reporting to pyzor and dcc and they aren't +registering an error. What's weird is that it works sometimes. + +. +Oct 02 23:46:11.470523 report[14051]: [ 4] honor.cloudmark.com >> 20 +Oct 02 23:46:11.470805 report[14051]: [ 6] response to sent.3 +-res=1 +err=230 +. +Oct 02 23:46:11.471825 report[14051]: [ 5] mail 1, orig_email, special +case eng 1: Server accept +ed report. +Oct 02 23:46:11.472228 report[14051]: [ 8] mail 1.0, eng 4: err 230 - +server wants mail + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1704.98026ace6376f17790b5fa811ed10d34 b/machine-learning-ex6/ex6/easy_ham/1704.98026ace6376f17790b5fa811ed10d34 new file mode 100644 index 0000000..751fd51 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1704.98026ace6376f17790b5fa811ed10d34 @@ -0,0 +1,73 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 12:23:28 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4926816F17 + for ; Thu, 3 Oct 2002 12:23:05 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:23:05 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g934KgK14396 for ; Thu, 3 Oct 2002 05:20:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wxT3-00060J-00; Wed, + 02 Oct 2002 21:20:05 -0700 +Received: from crompton.com ([207.103.34.25] helo=bridget.crompton.com) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17wxSJ-0007yQ-00 for ; Wed, + 02 Oct 2002 21:19:20 -0700 +Received: from localhost (doug@localhost) by bridget.crompton.com + (8.11.6/8.11.6/SuSE Linux 0.5) with ESMTP id g934JD416440 for + ; Thu, 3 Oct 2002 00:19:13 -0400 +From: Doug Crompton +To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [Razor-users] Problem with SDK 2.03? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 00:19:13 -0400 (EDT) +Date: Thu, 3 Oct 2002 00:19:13 -0400 (EDT) +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + + +I recently brought up a new system - SuSe 7.3 and I am running +spamassassin and procmail, which work fine. + +I tried bringing up razor (2.14) but I am not able to get the SDK to +install and razor reports missing modules. They appear to be there. I +followed the installation directions. There appears to be an endless list +of errors. Any ideas on what to do or where to start? + +Doug + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1705.d042ec093f873897ebf5146274dc2a20 b/machine-learning-ex6/ex6/easy_ham/1705.d042ec093f873897ebf5146274dc2a20 new file mode 100644 index 0000000..260009f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1705.d042ec093f873897ebf5146274dc2a20 @@ -0,0 +1,132 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 12:23:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 9C34816F1A + for ; Thu, 3 Oct 2002 12:23:10 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:23:10 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g935MwK15912 for ; Thu, 3 Oct 2002 06:22:59 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17wyR2-0000db-00; Wed, + 02 Oct 2002 22:22:04 -0700 +Received: from 12-236-11-40.client.attbi.com ([12.236.11.40] + helo=cynosure.darkridge.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17wyQg-0008LV-00 for + ; Wed, 02 Oct 2002 22:21:42 -0700 +Received: (from jpr5@localhost) by cynosure.darkridge.com (8.11.6/8.11.5) + id g935Kox02976; Wed, 2 Oct 2002 22:20:50 -0700 +From: Jordan Ritter +To: "Rose, Bobby" +Cc: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Fire.cloudmark.com is having issues +Message-Id: <20021003052049.GA2299@darkridge.com> +References: +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="CE+1k2dSO48ffgeK" +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.4i +X-Copyright: This e-mail is Copyright (c) 2002 by jpr5@darkridge.com +X-Spamadvice: Pursuant to US Code; Title 47; Chapter 5; Subchapter II; 227 + any unsolicited commercial email to this address will be subject to a + download and archival fee of US$500. Pursuant to California Business & + Professions Code; S17538.45 any email service provider involved in SPAM + activities will be liable for statutory damages of US$50 per message, up + to US$25,000 per day. Pursuant to California Penal Code; S502 any + unsolicited email sent to this address is in violation of Federal Law and + is subject to fine and/or imprisonment. +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 2 Oct 2002 22:20:49 -0700 +Date: Wed, 2 Oct 2002 22:20:49 -0700 +X-Spam-Status: No, hits=-2.9 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,REFERENCES,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--CE+1k2dSO48ffgeK +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +Error 230 occurs when you report a signature, but the server doesn't +know about the signature, so it wants the full content. It's +basically an optimization. =20 + +Beyond that, I'm not sure how to interpret that output.. what version? +Vipul? + +--jordan + +On Wed, Oct 02, 2002 at 11:59:01PM -0400, Rose, Bobby wrote: +# What does this mean? I set up procmailrc for a spamtrap but I'm getting +# an error. I also am reporting to pyzor and dcc and they aren't +# registering an error. What's weird is that it works sometimes. +#=20 +# . +# Oct 02 23:46:11.470523 report[14051]: [ 4] honor.cloudmark.com >> 20 +# Oct 02 23:46:11.470805 report[14051]: [ 6] response to sent.3 +# -res=3D1 +# err=3D230 +# . +# Oct 02 23:46:11.471825 report[14051]: [ 5] mail 1, orig_email, special +# case eng 1: Server accept +# ed report. +# Oct 02 23:46:11.472228 report[14051]: [ 8] mail 1.0, eng 4: err 230 - +# server wants mail +#=20 +#=20 +# ------------------------------------------------------- +# This sf.net email is sponsored by:ThinkGeek +# Welcome to geek heaven. +# http://thinkgeek.com/sf +# _______________________________________________ +# Razor-users mailing list +# Razor-users@lists.sourceforge.net +# https://lists.sourceforge.net/lists/listinfo/razor-users + +--CE+1k2dSO48ffgeK +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.2.0 (GNU/Linux) + +iD8DBQE9m9OxpwQdAVEbU7oRAifiAKCSXxSTb64bYgzo8PiXVVswqkXCKgCgnqby +YYrMsnaQOrQvEb7cDw5jios= +=SBk3 +-----END PGP SIGNATURE----- + +--CE+1k2dSO48ffgeK-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1706.7b84ac072540d25d70de818843a1e921 b/machine-learning-ex6/ex6/easy_ham/1706.7b84ac072540d25d70de818843a1e921 new file mode 100644 index 0000000..305f7cf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1706.7b84ac072540d25d70de818843a1e921 @@ -0,0 +1,110 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 12:25:24 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4E0B316F6B + for ; Thu, 3 Oct 2002 12:24:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 12:24:42 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g9390KK21932 for ; Thu, 3 Oct 2002 10:00:21 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17x1p5-0002DL-00; Thu, + 03 Oct 2002 01:59:07 -0700 +Received: from adsl-67-116-63-16.dsl.sntc01.pacbell.net ([67.116.63.16] + helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17x1oj-0007ib-00 for + ; Thu, 03 Oct 2002 01:58:45 -0700 +Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id + g938wfJ04095 for razor-users@lists.sourceforge.net; Thu, 3 Oct 2002 + 01:58:41 -0700 +From: Vipul Ved Prakash +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Fire.cloudmark.com is having issues +Message-Id: <20021003015841.C3645@rover.vipul.net> +Mail-Followup-To: razor-users@example.sourceforge.net +References: + <20021003052049.GA2299@darkridge.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20021003052049.GA2299@darkridge.com>; from + jpr5@darkridge.com on Wed, Oct 02, 2002 at 10:20:49PM -0700 +X-Operating-System: Linux rover.vipul.net 2.4.19 +X-Privacy: If possible, encrypt your reply. Key at http://vipul.net/ +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 01:58:41 -0700 +Date: Thu, 3 Oct 2002 01:58:41 -0700 +X-Spam-Status: No, hits=-11.3 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +If you examine the log further, you'll see debug messages generated by the +(content) reporting process that follows error 230. + +On Wed, Oct 02, 2002 at 10:20:49PM -0700, Jordan Ritter wrote: +> Error 230 occurs when you report a signature, but the server doesn't +> know about the signature, so it wants the full content. It's +> basically an optimization. +> +> Beyond that, I'm not sure how to interpret that output.. what version? +> Vipul? +> +> On Wed, Oct 02, 2002 at 11:59:01PM -0400, Rose, Bobby wrote: +> # What does this mean? I set up procmailrc for a spamtrap but I'm getting +> # an error. I also am reporting to pyzor and dcc and they aren't +> # registering an error. What's weird is that it works sometimes. +> # +> # . +> # Oct 02 23:46:11.470523 report[14051]: [ 4] honor.cloudmark.com >> 20 +> # Oct 02 23:46:11.470805 report[14051]: [ 6] response to sent.3 +> # -res=1 +> # err=230 +> # . +> # Oct 02 23:46:11.471825 report[14051]: [ 5] mail 1, orig_email, special +> # case eng 1: Server accept +> # ed report. +> # Oct 02 23:46:11.472228 report[14051]: [ 8] mail 1.0, eng 4: err 230 - +> # server wants mail + + + + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed yet." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1707.5c6277e057c0b3238b03d60de3109e8e b/machine-learning-ex6/ex6/easy_ham/1707.5c6277e057c0b3238b03d60de3109e8e new file mode 100644 index 0000000..29e63b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1707.5c6277e057c0b3238b03d60de3109e8e @@ -0,0 +1,86 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 19:28:23 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id C8BFF16F03 + for ; Thu, 3 Oct 2002 19:28:22 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:28:22 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93GivK05623 for ; Thu, 3 Oct 2002 17:44:58 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17x8wL-00065X-00; Thu, + 03 Oct 2002 09:35:05 -0700 +Received: from china.patternbook.com ([216.254.75.60] + helo=free.transpect.com) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17x8vZ-0004Jc-00 for + ; Thu, 03 Oct 2002 09:34:17 -0700 +Received: (from root@localhost) by free.transpect.com (8.9.3/8.9.3/Debian + 8.9.3-21) id MAA01172 for razor-users@lists.sourceforge.net; + Thu, 3 Oct 2002 12:33:19 -0400 +From: Whit Blauvelt +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] "No razor servers available at this time" +Message-Id: <20021003123319.A1149@free.transpect.com> +References: <20020925125713.A1093@free.transpect.com> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <20020925125713.A1093@free.transpect.com>; from + whit@transpect.com on Wed, Sep 25, 2002 at 12:57:13PM -0400 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 12:33:19 -0400 +Date: Thu, 3 Oct 2002 12:33:19 -0400 +X-Spam-Status: No, hits=-2.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,REFERENCES,REPLY_WITH_QUOTES, + T_NONSENSE_FROM_00_10,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +I'm still seeing razor reporting bomb out with a small variety of messages. +Would reinitializing something here help, or does razor do that as needed +anyway, and this just reflects trouble at the servers? + +Also, since these are reports I'm making from within Mutt, it's annoying +that the error messages garble the X window a bit. If there's nothing +constructive to do about razor failing, can I at least turn off the failure +messages? One way or the other I'd rather not see them. + +Whit + +On Wed, Sep 25, 2002 at 12:57:13PM -0400, Whit Blauvelt wrote: +> I'm getting "no servers available" about half the time in the last few days. +> This is with Razor 2. Is there something I need adjust in the installation +> here, or are the servers just down/overloaded? +> +> Thanks, +> Whit + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1708.0c3b6a8fbd582be37cb1fc8438a3ed84 b/machine-learning-ex6/ex6/easy_ham/1708.0c3b6a8fbd582be37cb1fc8438a3ed84 new file mode 100644 index 0000000..8cade0e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1708.0c3b6a8fbd582be37cb1fc8438a3ed84 @@ -0,0 +1,79 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 19:28:37 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E934A16F03 + for ; Thu, 3 Oct 2002 19:28:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:28:36 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93HdJK07490 for ; Thu, 3 Oct 2002 18:39:19 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17x9cy-0002GM-00; Thu, + 03 Oct 2002 10:19:08 -0700 +Received: from smtp-gw-cl-a.dmv.com ([64.45.128.110]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17x9c1-00071s-00 for + ; Thu, 03 Oct 2002 10:18:09 -0700 +Received: from landshark (landshark.dmv.com [64.45.129.242]) by + smtp-gw-cl-a.dmv.com (8.12.3/8.12.3) with SMTP id g93HI6Yl083547 for + ; Thu, 3 Oct 2002 13:18:06 -0400 (EDT) + (envelope-from sven@dmv.com) +Message-Id: <016601c26b00$e23f0c70$f2812d40@landshark> +From: "Sven Willenberger" +To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2800.1106 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +Subject: [Razor-users] problems with hubris and/or discovery +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 13:18:25 -0400 +Date: Thu, 3 Oct 2002 13:18:25 -0400 +X-Spam-Status: No, hits=-1.2 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_40_50 + version=2.50-cvs +X-Spam-Level: + +trying to report spam [razor chooses hubris] I timeout on the connection +(which seems to have gotten slower all morning) and receive the following +error message: + +razor-report error: connect4: nextserver: discover1: Error reading socket +connect4: nextserver: discover1: Error reading socket + +I then try to run razor-admin -discover and receive the same error ..... +problems with the servers today? only one discovery server? + +Sven + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1709.beab5cca12dcf10c94ed9ce7f8951444 b/machine-learning-ex6/ex6/easy_ham/1709.beab5cca12dcf10c94ed9ce7f8951444 new file mode 100644 index 0000000..982e774 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1709.beab5cca12dcf10c94ed9ce7f8951444 @@ -0,0 +1,138 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 19:28:43 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 0D45816F03 + for ; Thu, 3 Oct 2002 19:28:40 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 19:28:40 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93HkOK07821 for ; Thu, 3 Oct 2002 18:46:28 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17x9wH-0008HB-00; Thu, + 03 Oct 2002 10:39:05 -0700 +Received: from 12-236-11-40.client.attbi.com ([12.236.11.40] + helo=cynosure.darkridge.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17x9vX-0007mb-00 for + ; Thu, 03 Oct 2002 10:38:19 -0700 +Received: (from jpr5@localhost) by cynosure.darkridge.com (8.11.6/8.11.5) + id g93HcEm05276 for razor-users@lists.sourceforge.net; Thu, 3 Oct 2002 + 10:38:14 -0700 +From: Jordan Ritter +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] problems with hubris and/or discovery +Message-Id: <20021003173813.GE2299@darkridge.com> +References: <016601c26b00$e23f0c70$f2812d40@landshark> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="ey/N+yb7u/X9mFhi" +Content-Disposition: inline +In-Reply-To: <016601c26b00$e23f0c70$f2812d40@landshark> +User-Agent: Mutt/1.4i +X-Copyright: This e-mail is Copyright (c) 2002 by jpr5@darkridge.com +X-Spamadvice: Pursuant to US Code; Title 47; Chapter 5; Subchapter II; 227 + any unsolicited commercial email to this address will be subject to a + download and archival fee of US$500. Pursuant to California Business & + Professions Code; S17538.45 any email service provider involved in SPAM + activities will be liable for statutory damages of US$50 per message, up + to US$25,000 per day. Pursuant to California Penal Code; S502 any + unsolicited email sent to this address is in violation of Federal Law and + is subject to fine and/or imprisonment. +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 10:38:13 -0700 +Date: Thu, 3 Oct 2002 10:38:13 -0700 +X-Spam-Status: No, hits=-4.3 required=5.0 + tests=AWL,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_SIGNATURE_2,REFERENCES,T_NONSENSE_FROM_99_100, + USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--ey/N+yb7u/X9mFhi +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +Folks, + + There have been several major internet outages this morning, + across major providers UUNet, Genuity, and god knows who else. + Various routes across the Internet backbones have been + disappearing, repropagating, and disappearing again. + + This has caused and exacerbated several problems which we are + working on correcting right now. We apologize for the + inconvenience.. + +Best,=20 + +--jordan + + + +On Thu, Oct 03, 2002 at 01:18:25PM -0400, Sven Willenberger wrote: +# trying to report spam [razor chooses hubris] I timeout on the connection +# (which seems to have gotten slower all morning) and receive the following +# error message: +#=20 +# razor-report error: connect4: nextserver: discover1: Error reading socket +# connect4: nextserver: discover1: Error reading socket +#=20 +# I then try to run razor-admin -discover and receive the same error ..... +# problems with the servers today? only one discovery server? +#=20 +# Sven +#=20 +#=20 +#=20 +# ------------------------------------------------------- +# This sf.net email is sponsored by:ThinkGeek +# Welcome to geek heaven. +# http://thinkgeek.com/sf +# _______________________________________________ +# Razor-users mailing list +# Razor-users@lists.sourceforge.net +# https://lists.sourceforge.net/lists/listinfo/razor-users + +--ey/N+yb7u/X9mFhi +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.2.0 (GNU/Linux) + +iD8DBQE9nICFpwQdAVEbU7oRAiw+AJ966WR+zA0g47m0E7SkgCMbivfLkgCeOtGc +V2cgz8USK1UPYH7YJwh1SyM= +=dZej +-----END PGP SIGNATURE----- + +--ey/N+yb7u/X9mFhi-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1710.d0eb0dff243846772b43c3b6e377b2be b/machine-learning-ex6/ex6/easy_ham/1710.d0eb0dff243846772b43c3b6e377b2be new file mode 100644 index 0000000..8a5032d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1710.d0eb0dff243846772b43c3b6e377b2be @@ -0,0 +1,171 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 3 20:03:16 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3F98016F03 + for ; Thu, 3 Oct 2002 20:03:15 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 03 Oct 2002 20:03:15 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g93Iu4K10389 for ; Thu, 3 Oct 2002 19:56:04 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17xAxC-0005z0-00; Thu, + 03 Oct 2002 11:44:06 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=cynosure.darkridge.com) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17xAwK-0007bE-00 for + ; Thu, 03 Oct 2002 11:43:13 -0700 +Received: (from jpr5@localhost) by cynosure.darkridge.com (8.11.6/8.11.5) + id g93Ih9H02496 for razor-users@lists.sourceforge.net; Thu, 3 Oct 2002 + 11:43:09 -0700 +From: Jordan Ritter +To: razor-users@example.sourceforge.net +Message-Id: <20021003184308.GA2254@darkridge.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="5vNYLRcllDrimb99" +Content-Disposition: inline +User-Agent: Mutt/1.4i +X-Copyright: This e-mail is Copyright (c) 2002 by jpr5@darkridge.com +X-Spamadvice: Pursuant to US Code; Title 47; Chapter 5; Subchapter II; 227 + any unsolicited commercial email to this address will be subject to a + download and archival fee of US$500. Pursuant to California Business & + Professions Code; S17538.45 any email service provider involved in SPAM + activities will be liable for statutory damages of US$50 per message, up + to US$25,000 per day. Pursuant to California Penal Code; S502 any + unsolicited email sent to this address is in violation of Federal Law and + is subject to fine and/or imprisonment. +Subject: [Razor-users] FW: [EVENT NOTIFICATION] UUnet North American + Backbone Problems 2 0021003@06:00 PDT [TIX106448] +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 3 Oct 2002 11:43:08 -0700 +Date: Thu, 3 Oct 2002 11:43:08 -0700 +X-Spam-Status: No, hits=-2.8 required=5.0 + tests=FORGED_RCVD_TRAIL,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + T_NONSENSE_FROM_99_100,T_OUTLOOK_REPLY,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + + +--5vNYLRcllDrimb99 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + +For everyone's benefit/edification, regardless of Razor usage. + +--jordan + +-----Original Message----- +From: InterNAP Backbone Status Reports [mailto:noc@internap.com] +Sent: Thursday, October 03, 2002 11:30 AM +To: InterNAP Backbone Status Reports +Subject: [EVENT NOTIFICATION] UUnet North American Backbone Problems +20021003@06:00 PDT [TIX106448] (fwd) + + +Hello, + +I have just spoken with an UUnet technician at 11:23 PDT and he was unable +to provide me with any new information regarding the outage. He did +confirm that problems had spread beyond the east coast and are now seen +nationwide through out their network. They are currently working with +their hardware vendor to try and isolate the issue. + +A large number of Internap's connections to UUnet remain shutdown and +traffic is being routed over alternate providers. The scale of this +outage is causing a large number of peering points with UUnet and other +providers to be flooded due to the large traffic shifts. + +If you have problems reaching specific sites please send an email to +noc@internap.com containing a traceroute and source/destination IP +addresses and we will investigate. If it is possible will will attempt to +move specific prefixes onto an alternate provider leaving an Internap PNAP +if that will provide better performance. + +Regards, +Andrew + +-------------------------------------------------------------------- +Andrew Dul Network Operations Center +InterNAP Network Services E-Mail: noc@internap.com +andrew@internap.com 206.256.9500 - 1.877.THE.INOC + +The contents of this email message are confidential and proprietary. + +---------- Forwarded message ---------- +Date: Thu, 3 Oct 2002 08:51:26 -0700 (PDT) +From: Andrew Dul +Subject: [EVENT NOTIFICATION] UUnet North American Backbone Problems + [TIX106448] + + +UUnet is currently experiencing a large number of problems in their North +American backbone. Internap has been aware of these problems since approx +06:00 PST. Most of the problems appear to be concentrated on the East +Coast but we have reports of problems from other geographic regions. + +This is being tracked under Internap ticket 106448 and UUnet master ticket +651751. + +UUnet currently does not have any ETA for a fix for this event. + +If you have issues reaching a specific site please send an email to +noc@internap.com with a traceroute showing the path which has a problem. + +Internap has shutdown peerings to UUnet is various cities to help reduce +the number of problems that customers will experience. + +Regards, +Andrew + +-------------------------------------------------------------------- +Andrew Dul Network Operations Center +InterNAP Network Services E-Mail: noc@internap.com +andrew@internap.com 206.256.9500 - 1.877.THE.INOC + +The contents of this email message are confidential and proprietary. + + +--5vNYLRcllDrimb99 +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.2.0 (GNU/Linux) + +iD8DBQE9nI+8pwQdAVEbU7oRAp25AJ9wlEUgdqUFi+7Hy/yYowIAid480gCfX49d +M4Ox3gKrlqqmZ+hAy0wTFl0= +=e6sV +-----END PGP SIGNATURE----- + +--5vNYLRcllDrimb99-- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1711.eabd48daa0f2d3949b60908cd93fe9cd b/machine-learning-ex6/ex6/easy_ham/1711.eabd48daa0f2d3949b60908cd93fe9cd new file mode 100644 index 0000000..e59c460 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1711.eabd48daa0f2d3949b60908cd93fe9cd @@ -0,0 +1,103 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 2 12:20:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id D8F2643F9B + for ; Mon, 2 Sep 2002 07:20:28 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:20:30 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TJQgZ25729 for ; Thu, 29 Aug 2002 20:26:42 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kUmz-0004JX-00; Thu, + 29 Aug 2002 12:17:09 -0700 +Received: from mailgate.sri.com ([128.18.243.11]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17kUmC-0008At-00 for ; Thu, + 29 Aug 2002 12:16:20 -0700 +Received: (qmail 23083 invoked from network); 29 Aug 2002 19:15:48 -0000 +Received: from localhost (HELO mailgate.SRI.COM) (127.0.0.1) by + mailgate.sri.com with SMTP; 29 Aug 2002 19:15:48 -0000 +Received: from newmail.sri.com ([128.18.30.43]) by mailgate.SRI.COM (NAVGW + 2.5.1.18) with SMTP id M2002082912154827439 for + ; Thu, 29 Aug 2002 12:15:48 -0700 +Received: from sri.com ([128.18.28.107]) by newmail.sri.com (Netscape + Messaging Server 4.15) with ESMTP id H1MDJE00.QC6 for + ; Thu, 29 Aug 2002 12:16:26 -0700 +Message-Id: <3D6E7347.9090304@sri.com> +From: "Michael Duff" +User-Agent: Mozilla/5.0 (Windows; U; Windows NT 5.0; en-US; rv:1.1) + Gecko/20020826 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: razor-users@example.sourceforge.net +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +Subject: [Razor-users] Re: Can't call method "log" with SA/Razor2 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 12:17:27 -0700 +Date: Thu, 29 Aug 2002 12:17:27 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,SPAM_PHRASE_00_01, + USER_AGENT,X_ACCEPT_LANG + version=2.40-cvs +X-Spam-Level: + +This is happening due to insufficient write access to the +"razor-agent.log" file. I was getting the same error, but +only as a non-root user. As a quick workaround, you can do +"chmod go+w razor-agent.log". + +In Agent.pm, when then the Logger object is created, it +doesn't check whether the logfile is writable by the current +user. Then, when a write attempt is made, it bails out with +the "unblessed reference" error. + +Hope that helps, +Michael + +> I just noticed the following log entries in my syslog with the latest +> Spamassassin CVS (set up using spamc/spamd) and razor-agents 2.14: +> +> Jul 26 17:30:09 timmy spamd[54928]: razor2 check skipped: No such file or +> directory Can't call method "log" on unblessed reference at +> /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client/Agent.pm line 211, +> line 25. +> +> I saw this after checking if my upgrade from razor-agents 2.12 to 2.14 went +> okay, but the problem is still there after downgrading back to 2.12. I +> don't really know when this started happening, :-/ +> +> Any ideas on the problem? +> +> - Robert + + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1712.ac9408d8e56446c8bd0a917aed234b87 b/machine-learning-ex6/ex6/easy_ham/1712.ac9408d8e56446c8bd0a917aed234b87 new file mode 100644 index 0000000..705bc14 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1712.ac9408d8e56446c8bd0a917aed234b87 @@ -0,0 +1,87 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 2 12:22:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 3643543F99 + for ; Mon, 2 Sep 2002 07:22:44 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:22:44 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TNfsZ01475 for ; Fri, 30 Aug 2002 00:41:54 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kYnd-0002Im-00; Thu, + 29 Aug 2002 16:34:05 -0700 +Received: from 208-150-110-21-adsl.precisionet.net ([208.150.110.21] + helo=neofelis.ixazon.lan) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17kYnY-0005zK-00 for + ; Thu, 29 Aug 2002 16:34:00 -0700 +Received: by neofelis.ixazon.lan (Postfix, from userid 504) id A33003C47A; + Thu, 29 Aug 2002 19:33:53 -0400 (EDT) +Content-Type: text/plain; charset="iso-8859-1" +From: "cmeclax po'u le cmevi'u ke'umri" +Reply-To: cmeclax@ixazon.dynip.com +To: +Subject: Re: [Razor-users] Collision of hashes? +X-Mailer: KMail [version 1.2] +References: + <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> +In-Reply-To: <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> +Comment: li 0x18080B5EBAEAEC17619A6B51DFF93585D986F633 cu sevzi le mi ckiku +MIME-Version: 1.0 +Message-Id: <02082919334401.04648@neofelis> +Content-Transfer-Encoding: 8bit +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 19:33:44 -0400 +Date: Thu, 29 Aug 2002 19:33:44 -0400 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-5.4 required=7.0 + tests=COMMENT,FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST, + PGP_MESSAGE,QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01 + version=2.40-cvs +X-Spam-Level: + +-----BEGIN PGP SIGNED MESSAGE----- +Hash: SHA1 + +de'i Thursday 29 August 2002 13:36 la Fox cusku di'e +> The following was personal correspondence between two people. I can't +> +> fathom how Razor thinks it is spam: + +Was it sent in HTML? If so, and it had a background, the background may have +been sent in a spam. + +cmeclax +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.7 (GNU/Linux) + +iD8DBQE9bq9f3/k1hdmG9jMRAk4XAJ9CheEA+/hLIU9zTzfJbPyoPUm+XwCfXgZ1 +tg7Fn8JcG9Q13UlKVfaOJzk= +=Mw8+ +-----END PGP SIGNATURE----- + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1713.3572d2093ff4f9c24db5cf4a7a9a7ae6 b/machine-learning-ex6/ex6/easy_ham/1713.3572d2093ff4f9c24db5cf4a7a9a7ae6 new file mode 100644 index 0000000..5d2fac8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1713.3572d2093ff4f9c24db5cf4a7a9a7ae6 @@ -0,0 +1,92 @@ +From razor-users-admin@lists.sourceforge.net Mon Sep 2 12:22:47 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id 8855D43F9B + for ; Mon, 2 Sep 2002 07:22:47 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 02 Sep 2002 12:22:47 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7TNiXZ01537 for ; Fri, 30 Aug 2002 00:44:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17kYqW-0003Xb-00; Thu, + 29 Aug 2002 16:37:04 -0700 +Received: from h-66-166-21-186.snvacaid.covad.net ([66.166.21.186] + helo=rover.vipul.net) by usw-sf-list1.sourceforge.net with esmtp (Exim + 3.31-VA-mm2 #1 (Debian)) id 17kYqQ-0006NA-00 for + ; Thu, 29 Aug 2002 16:36:58 -0700 +Received: (from vipul@localhost) by rover.vipul.net (8.11.6/8.11.6) id + g7TNar604179 for razor-users@lists.sourceforge.net; Thu, 29 Aug 2002 + 16:36:53 -0700 +From: Vipul Ved Prakash +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Collision of hashes? +Message-Id: <20020829163653.A4149@rover.vipul.net> +Reply-To: mail@vipul.net +Mail-Followup-To: razor-users@example.sourceforge.net +References: + <010501c24f82$947b3340$7c640f0a@mfc.corp.mckee.com> + <02082919334401.04648@neofelis> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5i +In-Reply-To: <02082919334401.04648@neofelis>; from cmeclax@gmx.co.uk on + Thu, Aug 29, 2002 at 07:33:44PM -0400 +X-Operating-System: Linux rover.vipul.net 2.4.18 +X-Privacy: If possible, encrypt your reply. Key at http://vipul.net/ +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Thu, 29 Aug 2002 16:36:53 -0700 +Date: Thu, 29 Aug 2002 16:36:53 -0700 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-11.2 required=7.0 + tests=FORGED_RCVD_TRAIL,IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_LONG_SPARSE,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.40-cvs +X-Spam-Level: + +On Thu, Aug 29, 2002 at 07:33:44PM -0400, cmeclax po'u le cmevi'u ke'umri wrote: +> +> Was it sent in HTML? If so, and it had a background, the background may have +> been sent in a spam. + +razor-agents 2.14 needs all parts to be spam to make a positive decision +(though this will change with the next release), so it couldn't have been +a background. Could you send me the debug log? + +cheers, +vipul. + +-- + +Vipul Ved Prakash | "The future is here, it's just not +Software Design Artist | widely distributed." +http://vipul.net/ | -- William Gibson + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + diff --git a/machine-learning-ex6/ex6/easy_ham/1714.da964dedb8592fbfd3b07819607def62 b/machine-learning-ex6/ex6/easy_ham/1714.da964dedb8592fbfd3b07819607def62 new file mode 100644 index 0000000..22b74f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1714.da964dedb8592fbfd3b07819607def62 @@ -0,0 +1,90 @@ +From razor-users-admin@lists.sourceforge.net Tue Oct 8 00:10:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 94D4A16F19 + for ; Tue, 8 Oct 2002 00:10:02 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Tue, 08 Oct 2002 00:10:02 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g97MPnK19526 for ; Mon, 7 Oct 2002 23:25:49 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17ygHN-0005BG-00; Mon, + 07 Oct 2002 15:23:09 -0700 +Received: from elmo.la.asu.edu ([129.219.48.8]) by + usw-sf-list1.sourceforge.net with smtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17ygGz-00065U-00 for ; Mon, + 07 Oct 2002 15:22:45 -0700 +Received: (qmail 23780 invoked by uid 5305); 7 Oct 2002 22:31:31 -0000 +Received: from llamatron.la.asu.edu (HELO llamatron.rocinante.com) + (129.219.78.39) by elmo.la.asu.edu with SMTP; 7 Oct 2002 22:31:26 -0000 +Message-Id: <5.1.1.6.0.20021007151925.01759548@sancho2.rocinante.com> +X-Sender: blue@sancho2.rocinante.com +X-Mailer: QUALCOMM Windows Eudora Version 5.1.1 +To: razor-users@example.sourceforge.net +From: Chris Kurtz +MIME-Version: 1.0 +Content-Type: text/plain; charset="us-ascii"; format=flowed +X-Virus-Scanned: by AMaViS perl-11 +Subject: [Razor-users] Razor2 error: can't find "new" +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Mon, 07 Oct 2002 15:22:44 -0700 +Date: Mon, 07 Oct 2002 15:22:44 -0700 +X-Spam-Status: No, hits=-0.2 required=5.0 + tests=KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10 + version=2.50-cvs +X-Spam-Level: + + +Using Razor2 via SpamAssasin. + +System is Solaris 2.7, with qmail. Spamassassin run via user's procmail. +All users who use SA have run razor-register. + +Razor2 is failing, and I can't find anything in the limited docs or on +google on it, +and I'm hoping someone can help. + +The error (which doesn't prevent SA from working) is: + +Oct 2 06:38:22 sancho2 qmail: 1033565902.186041 delivery 4588: success: +razor2_check_skipped:_Bad_file_number_Can't_locate_object_m +ethod_"new"_via_package_"Razor2::Client::Agent"_(perhaps_you_forgot_to_load_"Razor2::Client::Agent"?)_at_/usr/local/lib/perl5/site_p +erl/5.6.1/Mail/SpamAssassin/Dns.pm_line_374./did_0+0+1/ + +Looking at Dns.pm doesn't really help me, and Razor2::Client::Agent appears +to be in the right place, +in /usr/local/lib/perl5/site_perl/5.6.1/Razor2/Client. + +Ideas? + +...Chris + + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1715.7e47339df52b3d0c131273f1c58ba4eb b/machine-learning-ex6/ex6/easy_ham/1715.7e47339df52b3d0c131273f1c58ba4eb new file mode 100644 index 0000000..81a19d3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1715.7e47339df52b3d0c131273f1c58ba4eb @@ -0,0 +1,82 @@ +From razor-users-admin@lists.sourceforge.net Wed Oct 9 15:09:25 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2A6ED16F18 + for ; Wed, 9 Oct 2002 15:08:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 15:08:57 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g99DSAK03914 for ; Wed, 9 Oct 2002 14:28:11 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17zGi0-0007gK-00; Wed, + 09 Oct 2002 06:17:04 -0700 +Received: from [207.106.111.252] (helo=digby.pffcu.org) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17zGh9-0005LD-00 for ; Wed, + 09 Oct 2002 06:16:11 -0700 +Received: from tasker.pffcu.org ([200.1.1.57]) by digby.pffcu.org with + SMTP (Microsoft Exchange Internet Mail Service Version 5.5.2653.13) id + 4GL6DPAK; Wed, 9 Oct 2002 09:16:10 -0400 +Received: from localhost (sc@localhost) by tasker.pffcu.org + (8.11.4/8.11.4) with ESMTP id g99DF4904395 for + ; Wed, 9 Oct 2002 09:15:04 -0400 +X-Authentication-Warning: tasker.pffcu.org: sc owned process doing -bs +From: Samuel Checker +To: +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Subject: [Razor-users] Razor and Pine +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 09:15:03 -0400 (EDT) +Date: Wed, 9 Oct 2002 09:15:03 -0400 (EDT) +X-Spam-Status: No, hits=-1.4 required=5.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +I've been testing Razor, invoked from sendmail/procmail and so far it +seems pretty copacetic. Last night's spam to the list provided a good test +- the spam itself as well as several of the responses were flagged, as +other list members reported. + +This morning I piped the messages out from pine, being careful to use the +RAW mode, to razor-check -d. None of the messages come back as spam, even +the spam. Since folks revoked the false positives, I understand why they +would not come up, but not the spam itself, unless that also was revoked. + +Is this spam just a bad one to test against, or is there some setting in +pine or razor that I am missing? + +-- +sc + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1716.fabf67851c347abee56594b9873b2d9a b/machine-learning-ex6/ex6/easy_ham/1716.fabf67851c347abee56594b9873b2d9a new file mode 100644 index 0000000..86a1bc8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1716.fabf67851c347abee56594b9873b2d9a @@ -0,0 +1,105 @@ +From razor-users-admin@lists.sourceforge.net Wed Oct 9 18:17:46 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id D5EF016F03 + for ; Wed, 9 Oct 2002 18:17:45 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:17:45 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g99FH9K08285 for ; Wed, 9 Oct 2002 16:17:09 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17zIVN-0008Dg-00; Wed, + 09 Oct 2002 08:12:09 -0700 +Received: from cable-b-36.sigecom.net ([63.69.210.36] + helo=evv.kamakiriad.local) by usw-sf-list1.sourceforge.net with esmtp + (Exim 3.31-VA-mm2 #1 (Debian)) id 17zIUi-0003FP-00 for + ; Wed, 09 Oct 2002 08:11:28 -0700 +Received: from aquila.kamakiriad.local (aquila.kamakiriad.local + [192.168.1.3]) by kamakiriad.com (8.11.6/8.11.6) with SMTP id g99FBMP18668 + for ; Wed, 9 Oct 2002 10:11:22 -0500 +From: Brian Fahrlander +To: razor-users@example.sourceforge.net +Subject: Re: [Razor-users] Razor and Pine +Message-Id: <20021009101127.7bc322fa.kilroy@kamakiriad.com> +In-Reply-To: +References: +X-Mailer: Sylpheed version 0.8.5 (GTK+ 1.2.10; i386-redhat-linux) +X-Message-Flag: : Shame on you! You know Outlook is how viruses are spread! +MIME-Version: 1.0 +Content-Type: text/plain; charset=ISO-8859-1 +X-MIME-Autoconverted: from 8bit to quoted-printable by kamakiriad.com id + g99FBMP18668 +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 10:11:27 -0500 +Date: Wed, 9 Oct 2002 10:11:27 -0500 +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g99FH9K08285 +X-Spam-Status: No, hits=-9.0 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,FORGED_RCVD_TRAIL,IN_REP_TO, + KNOWN_MAILING_LIST,QUOTED_EMAIL_TEXT,REFERENCES, + REPLY_WITH_QUOTES,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +On Wed, 9 Oct 2002 09:15:03 -0400 (EDT), Samuel Checker wrote: + +> I've been testing Razor, invoked from sendmail/procmail and so far it +> seems pretty copacetic. Last night's spam to the list provided a good test +> - the spam itself as well as several of the responses were flagged, as +> other list members reported. +> +> This morning I piped the messages out from pine, being careful to use the +> RAW mode, to razor-check -d. None of the messages come back as spam, even +> the spam. Since folks revoked the false positives, I understand why they +> would not come up, but not the spam itself, unless that also was revoked. +> +> Is this spam just a bad one to test against, or is there some setting in +> pine or razor that I am missing? + + Are you using Spamassassin on the input side? I've just changed my sendmail installation and am looking for the 'proper' way to pass it through there, systemwide, before accepting it and sending it to the users. It's kinda problematic to set up procmail scripts for every user, when the user's home directories are NFS mounted....and the source is on my own machine, on which I try new things. (And it's the only machine with the drivespace...) + +------------------------------------------------------------------------ +Brian Fahrländer Linux Zealot, Conservative, and Technomad +Evansville, IN My Voyage: http://www.CounterMoon.com +ICQ 5119262 +------------------------------------------------------------------------ +angegangen, Schlange-Hüften, sein es ganz rüber jetzt. Bügel innen fest, +weil es eine lange, süsse Fahrt ist. + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1717.788ae3994073913e51498a96cd1d3662 b/machine-learning-ex6/ex6/easy_ham/1717.788ae3994073913e51498a96cd1d3662 new file mode 100644 index 0000000..4dd4f0d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1717.788ae3994073913e51498a96cd1d3662 @@ -0,0 +1,97 @@ +From razor-users-admin@lists.sourceforge.net Wed Oct 9 18:17:52 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2EC8E16F16 + for ; Wed, 9 Oct 2002 18:17:52 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 09 Oct 2002 18:17:52 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g99FUXK08812 for ; Wed, 9 Oct 2002 16:30:33 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17zIlp-0002b9-00; Wed, + 09 Oct 2002 08:29:09 -0700 +Received: from [207.106.111.252] (helo=digby.pffcu.org) by + usw-sf-list1.sourceforge.net with esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id + 17zIlS-00088A-00 for ; Wed, + 09 Oct 2002 08:28:46 -0700 +Received: from tasker.pffcu.org ([200.1.1.57]) by digby.pffcu.org with + SMTP (Microsoft Exchange Internet Mail Service Version 5.5.2653.13) id + 4GL6DP4L; Wed, 9 Oct 2002 11:28:46 -0400 +Received: from localhost (sc@localhost) by tasker.pffcu.org + (8.11.4/8.11.4) with ESMTP id g99FRdI04483; Wed, 9 Oct 2002 11:27:39 -0400 +X-Authentication-Warning: tasker.pffcu.org: sc owned process doing -bs +From: Samuel Checker +To: Brian Fahrlander +Cc: +Subject: Re: [Razor-users] Razor and Pine +In-Reply-To: <20021009101127.7bc322fa.kilroy@kamakiriad.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 11:27:39 -0400 (EDT) +Date: Wed, 9 Oct 2002 11:27:39 -0400 (EDT) +X-Spam-Status: No, hits=-3.1 required=5.0 + tests=AWL,EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES,SIGNATURE_LONG_SPARSE, + T_NONSENSE_FROM_00_10,T_NONSENSE_FROM_10_20, + T_NONSENSE_FROM_20_30,T_NONSENSE_FROM_30_40, + T_NONSENSE_FROM_40_50,T_NONSENSE_FROM_50_60, + T_NONSENSE_FROM_60_70,T_NONSENSE_FROM_70_80, + T_NONSENSE_FROM_80_90,T_NONSENSE_FROM_90_91, + T_NONSENSE_FROM_91_92,T_NONSENSE_FROM_92_93, + T_NONSENSE_FROM_93_94,T_NONSENSE_FROM_94_95, + T_NONSENSE_FROM_95_96,T_NONSENSE_FROM_96_97, + T_NONSENSE_FROM_97_98,T_NONSENSE_FROM_98_99, + T_NONSENSE_FROM_99_100,USER_AGENT_PINE,X_AUTH_WARNING + version=2.50-cvs +X-Spam-Level: + +On Wed, 9 Oct 2002, Brian Fahrlander wrote: + +> On Wed, 9 Oct 2002 09:15:03 -0400 (EDT), Samuel Checker wrote: +> +> > I've been testing Razor, invoked from sendmail/procmail and so far it +> > seems pretty copacetic. Last night's spam to the list provided a good test +> > - the spam itself as well as several of the responses were flagged, as +> > other list members reported. +> > +> +> Are you using Spamassassin on the input side? I've just changed my sendmail installation and am looking for the 'proper' way to pass it through there, systemwide, before accepting it and sending it to the users. It's kinda problematic to set up procmail scripts for every user, when the user's home directories are NFS mounted....and the source is on my own machine, on which I try new things. (And it's the only machine with the drivespace...) +> + +I've not used Spamassassin on the KISS principle. I just have procmail +adding an X-header and optionally modifying the Subject if razor-check +comes back positive. + +-- +sc + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1718.dd3ab0a21ff132982fbde9b8712d5258 b/machine-learning-ex6/ex6/easy_ham/1718.dd3ab0a21ff132982fbde9b8712d5258 new file mode 100644 index 0000000..70cc20b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1718.dd3ab0a21ff132982fbde9b8712d5258 @@ -0,0 +1,92 @@ +From razor-users-admin@lists.sourceforge.net Thu Oct 10 12:29:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3EDB716F16 + for ; Thu, 10 Oct 2002 12:28:31 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 10 Oct 2002 12:28:31 +0100 (IST) +Received: from usw-sf-list2.sourceforge.net (usw-sf-fw2.sourceforge.net + [216.136.171.252]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g9A3pbK07218 for ; Thu, 10 Oct 2002 04:51:37 +0100 +Received: from usw-sf-list1-b.sourceforge.net ([10.3.1.13] + helo=usw-sf-list1.sourceforge.net) by usw-sf-list2.sourceforge.net with + esmtp (Exim 3.31-VA-mm2 #1 (Debian)) id 17zU5M-0005G3-00; Wed, + 09 Oct 2002 20:34:04 -0700 +Received: from smtp-gw-cl-a.dmv.com ([64.45.128.110]) by + usw-sf-list1.sourceforge.net with esmtp (Cipher TLSv1:DES-CBC3-SHA:168) + (Exim 3.31-VA-mm2 #1 (Debian)) id 17zU4R-0006SI-00 for + ; Wed, 09 Oct 2002 20:33:07 -0700 +Received: from homediet (dogpound.dyndns.org [64.45.134.154]) by + smtp-gw-cl-a.dmv.com (8.12.3/8.12.3) with SMTP id g9A3X489099015 for + ; Wed, 9 Oct 2002 23:33:04 -0400 (EDT) + (envelope-from sven@dmv.com) +Message-Id: <00a301c2700e$4e258510$0201a8c0@homediet> +From: "Sven" +To: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook Express 6.00.2800.1106 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2800.1106 +Subject: [Razor-users] razor vs cloudmark - merging? +Sender: razor-users-admin@example.sourceforge.net +Errors-To: razor-users-admin@example.sourceforge.net +X-Beenthere: razor-users@example.sourceforge.net +X-Mailman-Version: 2.0.9-sf.net +Precedence: bulk +List-Help: +List-Post: +List-Subscribe: , + +List-Id: +List-Unsubscribe: , + +List-Archive: +X-Original-Date: Wed, 9 Oct 2002 23:37:05 -0400 +Date: Wed, 9 Oct 2002 23:37:05 -0400 +X-Spam-Status: No, hits=-2.6 required=5.0 + tests=AWL,KNOWN_MAILING_LIST,T_NONSENSE_FROM_00_10, + T_NONSENSE_FROM_10_20,T_NONSENSE_FROM_20_30, + T_NONSENSE_FROM_30_40,T_NONSENSE_FROM_40_50, + T_NONSENSE_FROM_50_60,T_NONSENSE_FROM_60_70, + T_NONSENSE_FROM_70_80,T_NONSENSE_FROM_80_90, + T_NONSENSE_FROM_90_91,T_NONSENSE_FROM_91_92, + T_NONSENSE_FROM_92_93,T_NONSENSE_FROM_93_94, + T_NONSENSE_FROM_94_95,T_NONSENSE_FROM_95_96, + T_NONSENSE_FROM_96_97,T_NONSENSE_FROM_97_98, + T_NONSENSE_FROM_98_99,T_NONSENSE_FROM_99_100 + version=2.50-cvs +X-Spam-Level: + +I am somewhat puzzled by a phone call I (or rather the CIO at the ISP for +whom I work) received from an individual claiming to represent Cloudmark. +The gist of the call was that since we were using razor and checking our +mail against the razor servers and that since those servers contain +information proprietary to Cloudmark, we would [in the near future?] be +required to begin paying Cloudmark/spamnet $1.00/user per year. I was +wondering if anyone else has received such a call? + +I am curious as to whether a spammer has begun to try contacting razor users +with the above tactic in an effort to get them to stop using razor or +whether the open source/community aspect of the razor project is going by +the wayside in lieu of a strictly commercial approach (ala brightmail and +the likes). + +Sven + + + +------------------------------------------------------- +This sf.net email is sponsored by:ThinkGeek +Welcome to geek heaven. +http://thinkgeek.com/sf +_______________________________________________ +Razor-users mailing list +Razor-users@lists.sourceforge.net +https://lists.sourceforge.net/lists/listinfo/razor-users + + diff --git a/machine-learning-ex6/ex6/easy_ham/1719.2b32c9b1de123d4084f9555e8bbfbfe1 b/machine-learning-ex6/ex6/easy_ham/1719.2b32c9b1de123d4084f9555e8bbfbfe1 new file mode 100644 index 0000000..b290f2e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1719.2b32c9b1de123d4084f9555e8bbfbfe1 @@ -0,0 +1,100 @@ +From bmord@icon-nicholson.com Wed Sep 4 19:11:17 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 01DEB16F1E + for ; Wed, 4 Sep 2002 19:11:16 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 04 Sep 2002 19:11:16 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84HwJZ13376 for ; Wed, 4 Sep 2002 18:58:20 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + D587D8F324; Wed, 4 Sep 2002 10:58:23 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 11689 invoked from network); 3 Sep 2002 18:49:02 -0000 +From: bmord@icon-nicholson.com (Ben Mord) +To: "Webappsec Securityfocus.Com" , + "SECPROG Securityfocus" +Subject: use of base image / delta image for automated recovery from attacks +Date: Tue, 3 Sep 2002 15:04:27 -0400 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +Importance: Normal +X-Spam-Status: No, hits=-2.6 required=7.0 + tests=KNOWN_MAILING_LIST,SPAM_PHRASE_00_01,USER_AGENT_OUTLOOK + version=2.41-cvs +X-Spam-Level: + +Hi, + +I was inspired by a mode of operation supported by VMWare. You can have a +base disk image shared by multiple virtual machine (vm) instances. That base +image is never altered by a vm instance. Instead, each vm instance writes +changes to its own "redo" log. Future hard disk reads from that vm instance +incorporate both the base image and the appropriate redo log to present the +current disk image for that specific virtual machine. + +This is described here (thanks to Duane for providing this link on the +honeypots mailing list) +http://www.vmware.com/support/reference/common/disk_sharing.html + +Could this basic concept be used to easily make self-fixing client/server +applications that efficiently and automatically recover from most attacks, +even before those attacks have been discovered? Here is what I imagine. + +The physical architectures of most production client/server systems are +layered. For example, your basic web application might have a web server +running Apache, connected to an application server running some J2EE or .Net +business logic, connected to a database server for persistence. The only one +of these whose disk image really should evolve over time is the database +server, and even here you often put the static RDBMS software on one +partition and the changeable datafiles on another partition. It is only the +partition with the volatile datafiles that must be allowed to change from +one boot to the next. Other paritions may need to be writable for, say, swap +space, but these changes could be eliminated on each reboot. + +When someone cracks this system, they will probably change an image that +shouldn't be changed. E.g., they might leverage a buffer overflow in IIS or +Apache to install a trojan or a backdoor on the more exposed web server. But +what if the web server ran off a base image, writing changes to a "delta" or +"redo" partition? And then what if every night it automatically erased the +redo partition and rebooted? The downtime involved for each machine would be +minimal, because it is only deleting data - rather than restoring from +backup. In a system with redundant web servers for load balancing or high +availability, this could be scheduled in a way such that the system is +always accessible. This base/redo partition concept could be implemented at +the same level as a feature of hardware RAID, allowing for greater +performance, reliability, and hack resistance. This concept could also be +applied to the application servers, and even the database server partitions +(except for those partitions which contain the table data files, of course.) + +Does anyone do this already? Or is this a new concept? Or has this concept +been discussed before and abandoned for some reasons that I don't yet know? +I use the physical architecture of a basic web application as an example in +this post, but this concept could of course be applied to most server +systems. It would allow for the hardware-separation of volatile and +non-volatile disk images. It would be analogous to performing nightly +ghosting operations, only it would be more efficient and involve less (or +no) downtime. + +Thanks for any opinions, +Ben + + diff --git a/machine-learning-ex6/ex6/easy_ham/1720.b17e78a9a5d7145aa8deffc671ace997 b/machine-learning-ex6/ex6/easy_ham/1720.b17e78a9a5d7145aa8deffc671ace997 new file mode 100644 index 0000000..ab71a69 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1720.b17e78a9a5d7145aa8deffc671ace997 @@ -0,0 +1,81 @@ +From strange@nsk.yi.org Thu Sep 5 11:26:30 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 569A116F1E + for ; Thu, 5 Sep 2002 11:26:25 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:26:25 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84K45Z17149 for ; Wed, 4 Sep 2002 21:04:05 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 06BF48F2F4; Wed, 4 Sep 2002 13:08:52 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 12726 invoked from network); 4 Sep 2002 17:22:30 -0000 +Date: Wed, 4 Sep 2002 18:36:05 +0100 +From: strange@nsk.yi.org +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Message-Id: <20020904183605.A4666@nsk.yi.org> +Reply-To: strange@nsk.yi.org +Mail-Followup-To: strange@nsk.yi.org, secprog@securityfocus.com +References: <20020829204345.91D1833986@LINPDC.eclipsys.qc.ca> + <20020903192326.C9DA533986@LINPDC.eclipsys.qc.ca> + <15733.15859.462448.155446@cerise.nosuchdomain.co.uk> + <200209032103.44905.ygingras@ygingras.net> +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +User-Agent: Mutt/1.2.5.1i +In-Reply-To: <200209032103.44905.ygingras@ygingras.net>; from + ygingras@ygingras.net on Tue, Sep 03, 2002 at 09:03:40PM -0400 +X-Disclaimer: 'Author of this message is not responsible for any harm done + to reader's computer.' +X-Organization: 'NSK' +X-Section: 'Admin' +X-Priority: '1 (Highest)' +X-Spam-Status: No, hits=-15.7 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NO_REAL_NAME,PRIORITY_NO_NAME, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +On Tue, Sep 03, 2002 at 09:03:40PM -0400, Yannick Gingras wrote: +> This make me wonder about the relative protection of smart cards. They have +> an internal procession unit around 4MHz. Can we consider them as trusted +> hardware ? The ability to ship smart cards periodicaly uppon cashing of a +> monthly subscription fee would not raise too much the cost of "renting" the +> system. Smart card do their own self encryption. Can they be used to +> decrypt data needed by the system ? The input of the system could me mangled +> and the would keep a reference of how long it was in service. +> +> This sounds really feasible but I may be totaly wrong. I may also be wrong +> about the safety of a smart card. +> +> What do you think ? + +That's similar to using hard-locks (either the old parallel, or the new +usb). + +The problem is that that piece of hardware is trustworthy, but the rest of +the PC isn't, so a cracker just needs to simulate the lock/smart card, or +peek at the executable after the lock has been deactivated. + +Regards, +Luciano Rocha + +-- +Consciousness: that annoying time between naps. + diff --git a/machine-learning-ex6/ex6/easy_ham/1721.2f654b5e99867bebf86ebb0280fb8e48 b/machine-learning-ex6/ex6/easy_ham/1721.2f654b5e99867bebf86ebb0280fb8e48 new file mode 100644 index 0000000..3e981c6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1721.2f654b5e99867bebf86ebb0280fb8e48 @@ -0,0 +1,147 @@ +From GlennEverhart@firstusa.com Thu Sep 5 11:26:32 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 3BC3316F1F + for ; Thu, 5 Sep 2002 11:26:27 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Thu, 05 Sep 2002 11:26:27 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g84K5EZ17306 for ; Wed, 4 Sep 2002 21:05:14 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + F07E1A30F7; Wed, 4 Sep 2002 13:58:15 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 11927 invoked from network); 4 Sep 2002 18:56:23 -0000 +Message-Id: +From: "Everhart, Glenn (FUSA)" +To: "'bmord@icon-nicholson.com'" , + "Webappsec Securityfocus.Com" , + SECPROG Securityfocus +Subject: RE: use of base image / delta image for automated recovery from a + ttacks +Date: Wed, 4 Sep 2002 15:11:55 -0400 +MIME-Version: 1.0 +X-Mailer: Internet Mail Service (5.5.2656.59) +Content-Type: text/plain; charset="iso-8859-1" +X-Spam-Status: No, hits=-6.2 required=7.0 + tests=EXCHANGE_SERVER,KNOWN_MAILING_LIST,SPAM_PHRASE_01_02, + SUPERLONG_LINE + version=2.50-cvs +X-Spam-Level: + +I did something crudely along those lines for VMS VAX maybe 13 years +ago; there is at least one product that does it for PC though I don't +recall its name. It is also handy for cases where you have a CD image +of some filesystem (or some other image of a filesystem) that is +intrinsically readonly but whose filesystem will not accept (or is +not graceful) readonly storage. It is also more or less necessary +if you want to work with WORM file structures, which are older still. +There have been a number of filesystems for those dating back to the +early 1980s if not before. + +A generic facility of the type you mention is also one way to implement +snapshots on top of an existing filesystem. The written information +must (obviously!) be seekable so you can provide the illusion that you +wrote to the storage. A device level implementation is however perfectly +adequate. + +It does not, of course, distinguish for you what should have been changed +and what should not. If you truly know a device (or perhaps a partition) +must not be written, it can be simpler to either return error on writes, +or to just return a fake success on writes yet discard the data. (NTFS +lives with the latter strategy just fine from my experiments. I have not +tried it on extf3 or reiser.) + +BTW, think about your mention of RAID and consider the complexity of +writing to RAID4 or RAID5... +I would contend that with cheaper storage these days, it makes little sense +to use RAID, save for shadowing and possibly striping. Those at least do +not have the complexity and slowup dangers that higher RAID levels have, and +there is not a need to save the cost of disk so much where a single disk +may hold 200 gigs and up. Why not dedicate another whole disk to fault +recovery +and lose the complexity and slow write (sometimes) of RAID? + +Glenn Everhart + + +-----Original Message----- +From: bmord@icon-nicholson.com [mailto:bmord@icon-nicholson.com] +Sent: Tuesday, September 03, 2002 3:04 PM +To: Webappsec Securityfocus.Com; SECPROG Securityfocus +Subject: use of base image / delta image for automated recovery from +attacks + + +Hi, + +I was inspired by a mode of operation supported by VMWare. You can have a +base disk image shared by multiple virtual machine (vm) instances. That base +image is never altered by a vm instance. Instead, each vm instance writes +changes to its own "redo" log. Future hard disk reads from that vm instance +incorporate both the base image and the appropriate redo log to present the +current disk image for that specific virtual machine. + +This is described here (thanks to Duane for providing this link on the +honeypots mailing list) +http://www.vmware.com/support/reference/common/disk_sharing.html + +Could this basic concept be used to easily make self-fixing client/server +applications that efficiently and automatically recover from most attacks, +even before those attacks have been discovered? Here is what I imagine. + +The physical architectures of most production client/server systems are +layered. For example, your basic web application might have a web server +running Apache, connected to an application server running some J2EE or .Net +business logic, connected to a database server for persistence. The only one +of these whose disk image really should evolve over time is the database +server, and even here you often put the static RDBMS software on one +partition and the changeable datafiles on another partition. It is only the +partition with the volatile datafiles that must be allowed to change from +one boot to the next. Other paritions may need to be writable for, say, swap +space, but these changes could be eliminated on each reboot. + +When someone cracks this system, they will probably change an image that +shouldn't be changed. E.g., they might leverage a buffer overflow in IIS or +Apache to install a trojan or a backdoor on the more exposed web server. But +what if the web server ran off a base image, writing changes to a "delta" or +"redo" partition? And then what if every night it automatically erased the +redo partition and rebooted? The downtime involved for each machine would be +minimal, because it is only deleting data - rather than restoring from +backup. In a system with redundant web servers for load balancing or high +availability, this could be scheduled in a way such that the system is +always accessible. This base/redo partition concept could be implemented at +the same level as a feature of hardware RAID, allowing for greater +performance, reliability, and hack resistance. This concept could also be +applied to the application servers, and even the database server partitions +(except for those partitions which contain the table data files, of course.) + +Does anyone do this already? Or is this a new concept? Or has this concept +been discussed before and abandoned for some reasons that I don't yet know? +I use the physical architecture of a basic web application as an example in +this post, but this concept could of course be applied to most server +systems. It would allow for the hardware-separation of volatile and +non-volatile disk images. It would be analogous to performing nightly +ghosting operations, only it would be more efficient and involve less (or +no) downtime. + +Thanks for any opinions, +Ben + + +********************************************************************** +This transmission may contain information that is privileged, confidential and/or exempt from disclosure under applicable law. If you are not the intended recipient, you are hereby notified that any disclosure, copying, distribution, or use of the information contained herein (including any reliance thereon) is STRICTLY PROHIBITED. If you received this transmission in error, please immediately contact the sender and destroy the material in its entirety, whether in electronic or hard copy format. Thank you +********************************************************************** + + diff --git a/machine-learning-ex6/ex6/easy_ham/1722.0ace94ca1a8eebbca0c096f2bfc89cc3 b/machine-learning-ex6/ex6/easy_ham/1722.0ace94ca1a8eebbca0c096f2bfc89cc3 new file mode 100644 index 0000000..016297c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1722.0ace94ca1a8eebbca0c096f2bfc89cc3 @@ -0,0 +1,77 @@ +From secprog-return-492-jm=jmason.org@securityfocus.com Fri Sep 6 11:36:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id E66B916F18 + for ; Fri, 6 Sep 2002 11:35:06 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:35:06 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rVC29298 for + ; Fri, 6 Sep 2002 10:53:31 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id XAA18901 for + ; Thu, 5 Sep 2002 23:06:36 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 868A2A33C1; Thu, 5 Sep 2002 14:19:21 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 24062 invoked from network); 5 Sep 2002 19:24:13 -0000 +Message-Id: <3D77A587.405@wirex.com> +Date: Thu, 05 Sep 2002 11:42:15 -0700 +From: Crispin Cowan +Organization: WireX Communications, Inc. +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: scottm@crystal.ncc.cc.nm.us +Cc: Ben Mord , + "Webappsec Securityfocus.Com" , + SECPROG Securityfocus +Subject: Re: FW: use of base image / delta image for automated recovery + from attacks +References: + <3D7793B5.8344A1B5@crystal.ncc.cc.nm.us> +Content-Type: text/plain; charset=us-ascii; format=flowed +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-10.9 required=7.0 + tests=EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + OUTLOOK_FW_MSG,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_00_01,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Scott MacKenzie wrote: + +>There is a software package that is used (or was up through w2k) +>on MicroSloth for this purpose. Ghost, or some such. One essentially +>"takes a picture" of the machine's proper config, and then upon +>schedule or demand replaces the machine's current config with the +>proper picture. It essentially over-writes the entire disk drive. +>Especially good for student access machines at libraries, etc. +> +And it is pretty common practice in some environments with public +workstations to just wipe and re-install Windows machines on a weekly +(or even daily) basis. It's easier than trying to maintain Windows. + +Crispin + +-- +Crispin Cowan, Ph.D. +Chief Scientist, WireX http://wirex.com/~crispin/ +Security Hardened Linux Distribution: http://immunix.org +Available for purchase: http://wirex.com/Products/Immunix/purchase.html + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1723.b0f1f64188b8bac77aacad3b27b749d5 b/machine-learning-ex6/ex6/easy_ham/1723.b0f1f64188b8bac77aacad3b27b749d5 new file mode 100644 index 0000000..641c955 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1723.b0f1f64188b8bac77aacad3b27b749d5 @@ -0,0 +1,78 @@ +From secprog-return-482-jm=jmason.org@securityfocus.com Fri Sep 6 11:36:07 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2A63416F17 + for ; Fri, 6 Sep 2002 11:35:13 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:35:13 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869t8C29585 for + ; Fri, 6 Sep 2002 10:55:14 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id WAA18542 for + ; Thu, 5 Sep 2002 22:16:25 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 3CD36A311C; Thu, 5 Sep 2002 10:27:05 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 23638 invoked from network); 4 Sep 2002 21:53:38 -0000 +Date: Wed, 04 Sep 2002 15:10:47 -0700 +From: Jef Feltman +Subject: RE: Secure Sofware Key +In-Reply-To: <20020904151603.B1300@sgl.crestech.ca> +To: secprog@securityfocus.com +Reply-To: feltman@pacbell.net +Message-Id: +MIME-Version: 1.0 +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +Importance: Normal +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Spam-Status: No, hits=-6.5 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,SPAM_PHRASE_02_03, + USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + +the only way to insure a safe key is to use all the storage space in the +universe. too big to decrypt. + +my point is there will never be a "safe" key. what I would consider is how +long does the data need to be protected. if you need to protect the data for +longer than 6 months, do not release it to the public. if you are trying to +stop the general public (your customer) from coping the data then use what +is available on the market. If you want to stop the bootleggers do not +release the data to the public. + +I have never seen a lock that could not be unlocked. the act of unlocking +the key gives away it's secret. + +the tougher the lock the more pissed-off your customers will be. take MS-XP +for example. only the home user is forced to register. think of the +nightmare if business had to register every copy. how many times have we +needed to reinstall our laptop OS? notice the amount of Mac's sold after the +XP release. these where mostly home users that converted to Mac OS. + +the new Audio CD's that have digital copy protection so not play on my +computer. does this stop me from copying the CD? no. however it does make me +return them and get my money back. + +the more popular the software the more likely it is to be cracked. + +jef + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1724.fd2c1f2000f8b5b8042872435656619d b/machine-learning-ex6/ex6/easy_ham/1724.fd2c1f2000f8b5b8042872435656619d new file mode 100644 index 0000000..7512dfe --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1724.fd2c1f2000f8b5b8042872435656619d @@ -0,0 +1,106 @@ +From secprog-return-490-jm=jmason.org@securityfocus.com Fri Sep 6 11:37:35 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B0AD116F1F + for ; Fri, 6 Sep 2002 11:36:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:17 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869rWC29309 for + ; Fri, 6 Sep 2002 10:53:32 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id XAA18906 for + ; Thu, 5 Sep 2002 23:07:03 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + D2526A3115; Thu, 5 Sep 2002 14:17:55 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 32494 invoked from network); 5 Sep 2002 18:17:24 -0000 +Date: Thu, 5 Sep 2002 11:33:21 -0700 +From: Brian Hatch +To: Crispin Cowan +Cc: Ben Mord , + "Webappsec Securityfocus.Com" , + SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from + attacks +Message-Id: <20020905183321.GH4340@ifokr.org> +References: + <3D76977B.9010606@wirex.com> +MIME-Version: 1.0 +Content-Type: multipart/signed; micalg=pgp-sha1; + protocol="application/pgp-signature"; + boundary="2+N3zU4ZlskbnZaJ" +Content-Disposition: inline +In-Reply-To: <3D76977B.9010606@wirex.com> +User-Agent: Mutt/1.3.28i +X-Spam-Status: No, hits=-17.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,PGP_SIGNATURE_2, + QUOTED_EMAIL_TEXT,REFERENCES,SPAM_PHRASE_00_01,USER_AGENT, + USER_AGENT_MUTT + version=2.50-cvs +X-Spam-Level: + +--2+N3zU4ZlskbnZaJ +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +Content-Transfer-Encoding: quoted-printable + + + +> Simple approxmation to this: make /usr a separate partion, and mount it= +=20 +> read-only: +>=20 +> * The good news: attackers that want to trojan your software have to +> reboot, at least. +> * The bad news: administrators that want to update your software +> have to reboot, at least. + +No reboot is required, you just need to remount it: + + # mount -o remount,rw /usr + +This requires root access, but presumably /usr is safe from non-root +users anyway. + +Only way to disable this is to have the kernel compiled with something +that compartmentalizes capabilities (LIDS/etc on Linux for example) or to +remove CAP_SYS_ADMIN with lcap, which would definately require a reboot, +and possibly break some other functionatily to boot. (Pun intended. My +apologies.) + +-- +Brian Hatch "Are you expected?" + Systems and "No. Dreaded." + Security Engineer +www.hackinglinuxexposed.com + +Every message PGP signed + +--2+N3zU4ZlskbnZaJ +Content-Type: application/pgp-signature +Content-Disposition: inline + +-----BEGIN PGP SIGNATURE----- +Version: GnuPG v1.0.6 (GNU/Linux) +Comment: For info see http://www.gnupg.org + +iEYEARECAAYFAj13o3EACgkQp6D9AhxzHxDMkACfR3m+eBXLfiZUFRd+jlBwu4MH +Z/kAnRVbL3IA/m03PVTM6O4h9R4AKqML +=k5cA +-----END PGP SIGNATURE----- + +--2+N3zU4ZlskbnZaJ-- + + diff --git a/machine-learning-ex6/ex6/easy_ham/1725.4b7434da4269db27bd237dde1d03db92 b/machine-learning-ex6/ex6/easy_ham/1725.4b7434da4269db27bd237dde1d03db92 new file mode 100644 index 0000000..dba464f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1725.4b7434da4269db27bd237dde1d03db92 @@ -0,0 +1,132 @@ +From secprog-return-493-jm=jmason.org@securityfocus.com Fri Sep 6 11:37:38 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id CEF2016F20 + for ; Fri, 6 Sep 2002 11:36:19 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:19 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869vcC29825 for + ; Fri, 6 Sep 2002 10:57:38 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id VAA18304 for + ; Thu, 5 Sep 2002 21:36:52 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + E1EB28F2C6; Thu, 5 Sep 2002 13:38:50 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 12968 invoked from network); 5 Sep 2002 17:15:58 -0000 +Message-Id: <3D7793B5.8344A1B5@crystal.ncc.cc.nm.us> +Date: Thu, 05 Sep 2002 11:26:13 -0600 +From: Scott MacKenzie +Reply-To: scottm@crystal.ncc.cc.nm.us +Organization: =?iso-8859-1?Q?Din=E9?= College +X-Mailer: Mozilla 4.79 [en] (Windows NT 5.0; U) +X-Accept-Language: en +MIME-Version: 1.0 +To: Ben Mord +Cc: Crispin Cowan , + "Webappsec Securityfocus.Com" , + SECPROG Securityfocus +Subject: Re: FW: use of base image / delta image for automated recovery + from attacks +References: +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-12.6 required=7.0 + tests=KNOWN_MAILING_LIST,NOSPAM_INC,OUTLOOK_FW_MSG, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_05_08,USER_AGENT_MOZILLA_XM,X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +There is a software package that is used (or was up through w2k) +on MicroSloth for this purpose. Ghost, or some such. One essentially +"takes a picture" of the machine's proper config, and then upon +schedule or demand replaces the machine's current config with the +proper picture. It essentially over-writes the entire disk drive. +Especially good for student access machines at libraries, etc. + +Ben Mord wrote: +> +> -----Original Message----- +> From: Crispin Cowan [mailto:crispin@wirex.com] +> Sent: Wednesday, September 04, 2002 5:46 PM +> To: Ben Mord +> Cc: Webappsec Securityfocus.Com; SECPROG Securityfocus +> Subject: Re: use of base image / delta image for automated recovery from +> attacks +> +> > I did my dissertation work in this area (Optimistic Computing) and so was +> >interested in applying it to the security problem. Unfortunately, you hit a +> >bunch of problems: +> +> > a.. When can you "commit" a state as being "good"? You can't run from +> a +> >redo log forever; the performance and storage penalties accumulate. Even +> log +> >structured file systems garbage collect eventually. So you have to commit +> >sometime. The problem is that if you commit too eagerly, you might commit +> >corrupted state. If you commit too conservatively, you eat performance and +> >storage penalties. +> > b.. What do you do if you discover that there is corrupted state in the +> >*middle* of your redo log, and you want some of the critical state that +> >comes after it? You need some way to dig the corruption out of the middle +> >and save the rest. My dissertation solves this problem, but you have to +> >re-write everything in my programming language :) +> . c.. Just doing this at all imposes substantial performance penalties. I +> >love VMWare, and use it every day (the best $200 I ever spent on software) +> >.but it is not very fast. +> +> My proposed solution to the first two problems you mention is to be less +> ambitious. The idea is that you *never* commit - instead, you simply revert +> to base state on reboot. Obviously, you can't do this with partitions that +> accrue important state, e.g. a partition that stores database table data. +> But in your typical web application, most partitions do not accrue important +> state. For example, your typical web server or application server could have +> their entire state reset back to a known base state during each reboot +> without harm. +> The advantage of being less ambitious is that we have a quick and easy way +> to frustrate certain attacks without rewriting all of our software or +> spending lots of money on additional application-specific coding. +> +> The first two problems you describe only occur if we become more ambitious +> and try to apply these same techniques to, for example, the database table +> partitions, where state changes remain important across reboots. That would +> certainly be a nice touch! But as you point out, many problems would have to +> be addressed first, and the hardest of these can not be abstracted away from +> the particular application. Not the least of these is the problem of writing +> heuristics for delineating good from malevolent state. That task is roughly +> analogous to what antiviral software authors do for a living, only this work +> could not be shared across many different systems as it would be specific to +> a paritcular application. +> +> The third problem you mention - performance penalty - is an argument for +> doing this in hardware, much like hardware raid. Another argument for doing +> this in hardware is hack resistance. Changing the base instance should +> require physical access to the console, e.g. by requiring that you first +> flip a physical switch on your RAID hardware or modify a bios setting. If +> the base image can be modified remotely or by software, then you have to +> worry about whether an implementation flaw might permit a cracker to modify +> the base image remotely. +> +> Ben + +-- + ( ______ + )) .-- Scott MacKenzie; Dine' College ISD --. >===<--. + C|~~| (>--- Phone/Voice Mail: 928-724-6639 ---<) | ; o |-' + | | \--- Senior DBA/CARS Coordinator/Etc. --/ | _ | + `--' `- Email: scottm@crystal.ncc.cc.nm.us -' `-----' + + diff --git a/machine-learning-ex6/ex6/easy_ham/1726.dcd76e312ad123a4882c12b77f0b92c3 b/machine-learning-ex6/ex6/easy_ham/1726.dcd76e312ad123a4882c12b77f0b92c3 new file mode 100644 index 0000000..cd167d3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1726.dcd76e312ad123a4882c12b77f0b92c3 @@ -0,0 +1,66 @@ +From secprog-return-487-jm=jmason.org@securityfocus.com Fri Sep 6 11:38:01 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 837A816F69 + for ; Fri, 6 Sep 2002 11:36:36 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:36:36 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869wSC29970 for + ; Fri, 6 Sep 2002 10:58:28 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA18007 for + ; Thu, 5 Sep 2002 20:40:22 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + A38F5A3139; Thu, 5 Sep 2002 10:51:19 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 28245 invoked from network); 5 Sep 2002 10:23:24 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Yannick Gingras +To: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +Date: Thu, 5 Sep 2002 06:39:04 -0400 +User-Agent: KMail/1.4.2 +References: +In-Reply-To: +MIME-Version: 1.0 +Content-Transfer-Encoding: 8bit +Message-Id: <200209050639.08199.ygingras@ygingras.net> +X-Spam-Status: No, hits=-13.2 required=7.0 + tests=BIG_BUCKS,FREE_MONEY,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_01_02,USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +> However, cracking and reverse engineering tools are not so ubiquitous on +> UNIX as they are on Windows platform for two main reasons: +> +> 1. The main customers of commercial Unices (Solaris, HP-UX, Aix, SCO...) +> are respectable companies. They are ready to pay big bucks for software +> they need: the reputation matters. +> +> 2. Most software for free and open source Unices like Linux and xBSD (this +> software often may be used on commercial unices as well) is, well, free and +> open source. + +Thanks to your answers, I start to see where I should head for. What are your +sugestions for protecting a 100% online requirement system ? + +-- +Yannick Gingras +Coder for OBB : Observing Bantu-speaking Butanone +http://OpenBeatBox.org + + diff --git a/machine-learning-ex6/ex6/easy_ham/1727.42ebaf7a8a31234ef70a9066b1579592 b/machine-learning-ex6/ex6/easy_ham/1727.42ebaf7a8a31234ef70a9066b1579592 new file mode 100644 index 0000000..1a0a926 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1727.42ebaf7a8a31234ef70a9066b1579592 @@ -0,0 +1,123 @@ +From secprog-return-485-jm=jmason.org@securityfocus.com Fri Sep 6 11:38:51 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 983E216F6D + for ; Fri, 6 Sep 2002 11:37:33 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:33 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869wcC29994 for + ; Fri, 6 Sep 2002 10:58:38 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA17986 for + ; Thu, 5 Sep 2002 20:39:45 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 26D1DA3106; Thu, 5 Sep 2002 10:42:53 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 4920 invoked from network); 4 Sep 2002 23:14:36 -0000 +Message-Id: <3D76977B.9010606@wirex.com> +Date: Wed, 04 Sep 2002 16:30:03 -0700 +From: Crispin Cowan +Organization: WireX Communications, Inc. +User-Agent: Mozilla/5.0 (X11; U; Linux i686; en-US; rv:1.1) Gecko/20020827 +X-Accept-Language: en-us, en +MIME-Version: 1.0 +To: Ben Mord +Cc: "Webappsec Securityfocus.Com" , + SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from + attacks +References: +Content-Type: text/plain; charset=ISO-8859-1; format=flowed +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-12.9 required=7.0 + tests=AWL,EMAIL_ATTRIBUTION,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,SIGNATURE_SHORT_DENSE, + SPAM_PHRASE_08_13,USER_AGENT,USER_AGENT_MOZILLA_UA, + X_ACCEPT_LANG + version=2.50-cvs +X-Spam-Level: + +Ben Mord wrote: + +> -----Original Message----- +> *From:* Crispin Cowan [mailto:crispin@wirex.com] +> *Sent:* Wednesday, September 04, 2002 5:46 PM +> *To:* Ben Mord +> *Cc:* Webappsec Securityfocus.Com; SECPROG Securityfocus +> *Subject:* Re: use of base image / delta image for automated +> recovery from attacks +> +> Ben Mord wrote: +> +>>I was inspired by a mode of operation supported by VMWare. [use VMWare's ability to rolll back state to recover from intrusions] +>> +> I did my dissertation work in this area (Optimistic Computing +> ) and so was +> interested in applying it to the security problem. Unfortunately, +> you hit a bunch of problems: +> +> * When can you "commit" a state as being "good"? You can't +> run from a redo log forever; the performance and storage +> penalties accumulate. Even log structured file systems +> garbage collect eventually. So you have to commit sometime. +> The problem is that if you commit too eagerly, you might +> commit corrupted state. If you commit too conservatively, +> you eat performance and storage penalties. +> * What do you do if you discover that there is corrupted state +> in the *middle* of your redo log, and you want some of the +> critical state that comes after it? You need some way to dig +> the corruption out of the middle and save the rest. My +> dissertation solves this problem, but you have to re-write +> everything in my programming language :) +> * Just doing this at all imposes substantial performance +> penalties. I love VMWare, and use it every day (the best +> $200 I ever spent on software) but it is not very fast. +> +> My proposed solution to the first two problems you mention is to be +> less ambitious. The idea is that you *never* commit - instead, you +> simply revert to base state on reboot. + +Ah. In that case, you can use something considerably less powerful than +VMWare. All you need is a machine configured to boot from CD-ROM and use +a RAM disk for scratch space. Numerous Linux distros are available that +let you boot a stateless but functional system from CD-ROM. + +> Obviously, you can't do this with partitions that accrue important +> state, e.g. a partition that stores database table data. + +... but if you *do* want some state to persist, then you need a +mountable writable partition. To protect it, you need some kind of +access control management to decide who can do what to the writable +partition, blah blah blah ... and before you know it, the security +problem starts to look just like it does for conventional servers. + +Simple approxmation to this: make /usr a separate partion, and mount it +read-only: + + * The good news: attackers that want to trojan your software have to + reboot, at least. + * The bad news: administrators that want to update your software + have to reboot, at least. + +Crispin + +-- +Crispin Cowan, Ph.D. +Chief Scientist, WireX http://wirex.com/~crispin/ +Security Hardened Linux Distribution: http://immunix.org +Available for purchase: http://wirex.com/Products/Immunix/purchase.html + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1728.cbb5a97d679712664e7cc3025d05c1ca b/machine-learning-ex6/ex6/easy_ham/1728.cbb5a97d679712664e7cc3025d05c1ca new file mode 100644 index 0000000..520fd8e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1728.cbb5a97d679712664e7cc3025d05c1ca @@ -0,0 +1,139 @@ +From secprog-return-486-jm=jmason.org@securityfocus.com Fri Sep 6 11:38:55 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id B316216F1F + for ; Fri, 6 Sep 2002 11:37:39 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 11:37:39 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869vdC29831 for + ; Fri, 6 Sep 2002 10:57:39 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA17981 for + ; Thu, 5 Sep 2002 20:39:21 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + B2716A3138; Thu, 5 Sep 2002 10:51:17 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 15430 invoked from network); 5 Sep 2002 15:26:58 -0000 +From: bmord@icon-nicholson.com (Ben Mord) +To: "Crispin Cowan" +Cc: "Webappsec Securityfocus.Com" , + "SECPROG Securityfocus" +Subject: RE: use of base image / delta image for automated recovery from + attacks +Date: Thu, 5 Sep 2002 11:42:40 -0400 +Message-Id: +MIME-Version: 1.0 +Content-Type: text/plain; charset="iso-8859-1" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook IMO, Build 9.0.2416 (9.0.2911.0) +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V5.50.4522.1200 +In-Reply-To: <3D76977B.9010606@wirex.com> +X-Spam-Status: No, hits=-10.0 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,SPAM_PHRASE_03_05,USER_AGENT_OUTLOOK + version=2.50-cvs +X-Spam-Level: + + +-----Original Message----- +From: Crispin Cowan [mailto:crispin@wirex.com] +Sent: Wednesday, September 04, 2002 7:30 PM +To: Ben Mord +Cc: Webappsec Securityfocus.Com; SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from +attacks + + +Ben Mord wrote: + +>> -----Original Message----- +>> *From:* Crispin Cowan [mailto:crispin@wirex.com] +>> *Sent:* Wednesday, September 04, 2002 5:46 PM +>> *To:* Ben Mord +>> *Cc:* Webappsec Securityfocus.Com; SECPROG Securityfocus +>> *Subject:* Re: use of base image / delta image for automated +>> recovery from attacks +>> +>> Ben Mord wrote: +>> +>> My proposed solution to the first two problems you mention is to be +>> less ambitious. The idea is that you *never* commit - instead, you +>> simply revert to base state on reboot. + +>Ah. In that case, you can use something considerably less powerful than +>VMWare. All you need is a machine configured to boot from CD-ROM and use +>a RAM disk for scratch space. Numerous Linux distros are available that +>let you boot a stateless but functional system from CD-ROM. + +But RAM is expensive, and the directory structures of many systems (e.g. +Windows) are not sufficiently organized and standardized to make this +combination of bootable CDs and RAM drives practical. Even if you are +fortunate enough to be using Linux (or another FHS-compliant *nix), you +still can't fit a lot on a CD. Its not unusual today to have gigabytes of +static multimedia content on the web server. This particular problem can be +alleviated somewhat by using DVDs, but this is a temporary solution at best +which will become outdated quickly as our data requirements grow and hard +drives become cheaper. + +>> Obviously, you can't do this with partitions that accrue important +>> state, e.g. a partition that stores database table data. + +>... but if you *do* want some state to persist, then you need a +>mountable writable partition. To protect it, you need some kind of +>access control management to decide who can do what to the writable +>partition, blah blah blah ... and before you know it, the security +>problem starts to look just like it does for conventional servers. + +Right. This is why you would consolidate all state of any long-term +significance on just a couple partitions, and why you would not put static +application code on these changeable partitions. Fortunately, most large +client/server application physical architectures do this anyhow, because +these are two fundamentally different kinds of state with two very different +sets of administrative, security, RAID, and backup requirements. People also +tend to do this anyhow because layered logical architectures are popular +with the GUI at one end, business logic in the middle, and persistence +services at the other. This logical architecture maps naturally to a +physical architecture that has a static web server, a static application +server, and a database server that has static and changeable partitions. (I +use the word static versus changeable instead of writeable versus unwritable +because the "unchangeable" partitions might be written to for temporary swap +space. Who knows what Windows does internally?) + +My point is that there should be a market out there for a hardware RAID +device that can split designated partitions into a permanent base image +partition and a temporary delta image partition, that has some simple but +solid security measures to prevent the unauthorized remote modification of +base images, and that can be configured to clear the delta image when the +server is rebooted. If some vendor wished to implement this, they could then +market this as a mechanism to help frustrate broad classes of attack that +rely on the permanent modification of system or application files via buffer +overflows, platform and middleware bugs, etc. The prevention of unauthorized +modification of application data, of course, would not be addressed by this +particular product. But there are many other techniques out there to defend +application data. But those techniques all assume that your system itself +has not been compromised at a lower level, which is where this product could +help. + +I would have to think that these features would be relatively easy for a +hardware RAID vendor to implement. (I'm just guessing, of course, with no +knowledge of how hardware RAID works internally.) If anyone knows of such a +product, I'd love to hear about it. + +Ben + + diff --git a/machine-learning-ex6/ex6/easy_ham/1729.f1819fca167a26d35e31087bf27324f8 b/machine-learning-ex6/ex6/easy_ham/1729.f1819fca167a26d35e31087bf27324f8 new file mode 100644 index 0000000..10a1c40 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1729.f1819fca167a26d35e31087bf27324f8 @@ -0,0 +1,88 @@ +From secprog-return-489-jm=jmason.org@securityfocus.com Fri Sep 6 15:25:00 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4CAB616F16 + for ; Fri, 6 Sep 2002 15:24:59 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:24:59 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869w7C29931 for + ; Fri, 6 Sep 2002 10:58:07 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA17903 for + ; Thu, 5 Sep 2002 20:25:35 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 1FD148F315; Thu, 5 Sep 2002 10:03:49 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 24294 invoked from network); 5 Sep 2002 09:34:03 -0000 +Date: Thu, 5 Sep 2002 13:49:38 +0400 (MSD) +From: Artem Frolov +X-X-Sender: frolov@zambra.ispras.ru +To: Yannick Gingras +Cc: secprog@securityfocus.com +Subject: Re: Secure Sofware Key +In-Reply-To: <200209040652.07546.ygingras@ygingras.net> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Spam-Status: No, hits=-9.6 required=7.0 + tests=BIG_BUCKS,EMAIL_ATTRIBUTION,FREE_MONEY,IN_REP_TO, + KNOWN_MAILING_LIST,SIGNATURE_LONG_SPARSE,SPAM_PHRASE_01_02, + USER_AGENT_PINE + version=2.50-cvs +X-Spam-Level: + +Hi + +On Wed, 4 Sep 2002, Yannick Gingras wrote: + +> BTW thanks for all of you who provided interestiong insight. I'm playing with +> gdb's dissassembler now but I don't think it's what a typical cracker would +> use. Any hints on UNIX cracking tools ? + +There's also an 'objdump' program, and 'biew' hex viewer/disassembler. A good +starting point to search is http://www.freshmeat.net/ + +However, cracking and reverse engineering tools are not so ubiquitous on UNIX as +they are on Windows platform for two main reasons: + +1. The main customers of commercial Unices (Solaris, HP-UX, Aix, SCO...) are +respectable companies. They are ready to pay big bucks for software they need: the reputation matters. + +2. Most software for free and open source Unices like Linux and xBSD (this +software often may be used on commercial unices as well) is, well, free and +open source. + +Regards +/Artem + +-- + Artem Frolov +/------------------------------------------------------------------\ + Software Engineer, System Administrator + Institute for System Programming, Russian Academy of Sciences + Tel. +7 095 912-5317 (ext 4406), Cellular: +7 095 768-7067 + C7 40 CA 41 2A 18 89 D6 29 45 DF 50 75 13 6D 7A A4 87 2B 76 +\------------------------------------------------------------------/ + +------------------------------------------------------------------ +Basic Definitions of Science: + If it's green or wiggles, it's biology. + If it stinks, it's chemistry. + If it doesn't work, it's physics. +------------------------------------------------------------------ + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1730.2092a2c5a1de432db582fa62cf7e254e b/machine-learning-ex6/ex6/easy_ham/1730.2092a2c5a1de432db582fa62cf7e254e new file mode 100644 index 0000000..b9245ae --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1730.2092a2c5a1de432db582fa62cf7e254e @@ -0,0 +1,86 @@ +From secprog-return-491-jm=jmason.org@securityfocus.com Fri Sep 6 15:25:04 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 73C1E16F17 + for ; Fri, 6 Sep 2002 15:25:01 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:25:01 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g869vZC29813 for + ; Fri, 6 Sep 2002 10:57:35 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id VAA18263 for + ; Thu, 5 Sep 2002 21:26:46 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 2272E8F290; Thu, 5 Sep 2002 13:30:49 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 12196 invoked from network); 5 Sep 2002 18:51:52 -0000 +From: George Dinwiddie +Message-Id: <200209051908.g85J8bb57967@min.net> +Subject: Re: use of base image / delta image for automated recovery from + attacks +To: bmord@icon-nicholson.com (Ben Mord) +Date: Thu, 5 Sep 2002 15:08:37 -0400 (EDT) +Cc: crispin@wirex.com (Crispin Cowan), + webappsec@securityfocus.com (Webappsec Securityfocus.Com), + SECPROG@securityfocus.com (SECPROG Securityfocus) +In-Reply-To: from + "Ben Mord" + at Sep 05, 2002 11:42:40 AM +Organization: Hovel-On-The-Water +X-Quote: Hope your road is a long one. May there be many summer mornings + when, with what pleasure, what joy, you enter harbors you're seeing for + the first time; (from Ithaka by C.P. Cavafy) +X-Message-Flag: Don't look at this. Read the message. +X-Mailer: ELM [version 2.5 PL5] +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-14.3 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,QUOTED_EMAIL_TEXT, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03 + version=2.50-cvs +X-Spam-Level: + +> Ben Mord said: +> +> >Ah. In that case, you can use something considerably less powerful than +> >VMWare. All you need is a machine configured to boot from CD-ROM and use +> >a RAM disk for scratch space. Numerous Linux distros are available that +> >let you boot a stateless but functional system from CD-ROM. +> +> But RAM is expensive, and the directory structures of many systems (e.g. +> Windows) are not sufficiently organized and standardized to make this +> combination of bootable CDs and RAM drives practical. Even if you are +> fortunate enough to be using Linux (or another FHS-compliant *nix), you +> still can't fit a lot on a CD. Its not unusual today to have gigabytes of +> static multimedia content on the web server. This particular problem can be +> alleviated somewhat by using DVDs, but this is a temporary solution at best +> which will become outdated quickly as our data requirements grow and hard +> drives become cheaper. + +So, just write-protect the hard disk for partitions that are static. +I seem to recall an article on this (early 80's, Byte magazine, perhaps?) +for BBS systems or for testing unknown (perhaps trojan horse) software. + + - George + +-- + ---------------------------------------------------------------------- + George Dinwiddie gdinwiddie@alberg30.org + The gods do not deduct from man's allotted span those hours spent in + sailing. http://www.Alberg30.org/ + ---------------------------------------------------------------------- + + diff --git a/machine-learning-ex6/ex6/easy_ham/1731.5dc6289341b8bccf7a1b7b976f96e005 b/machine-learning-ex6/ex6/easy_ham/1731.5dc6289341b8bccf7a1b7b976f96e005 new file mode 100644 index 0000000..b9d5a7d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1731.5dc6289341b8bccf7a1b7b976f96e005 @@ -0,0 +1,99 @@ +From secprog-return-507-jm=jmason.org@securityfocus.com Wed Sep 18 11:50:54 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 4472916F03 + for ; Wed, 18 Sep 2002 11:50:53 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Wed, 18 Sep 2002 11:50:53 +0100 (IST) +Received: from outgoing.securityfocus.com ([205.206.231.27]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g8I4XsC12571 for + ; Wed, 18 Sep 2002 05:33:54 +0100 +Received: from unknown (unknown [205.206.231.19]) by + outgoing.securityfocus.com (Postfix) with QMQP id 9727BA30C2; + Tue, 17 Sep 2002 20:13:31 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 11785 invoked from network); 17 Sep 2002 15:39:18 -0000 +Date: Tue, 17 Sep 2002 14:51:23 +0200 (CEST) +From: Allan Jensen +To: Richard Bartlett +Cc: secprog@securityfocus.com +Subject: Re: The risks of client systems writing to server registry +In-Reply-To: <20020905134739.1071.qmail@mail.securityfocus.com> +Message-Id: +MIME-Version: 1.0 +Content-Type: TEXT/PLAIN; charset=US-ASCII +X-Spam-Status: No, hits=-104.3 required=7.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,USER_AGENT_PINE,USER_IN_WHITELIST + version=2.50-cvs +X-Spam-Level: + +On 5 Sep 2002, Richard Bartlett wrote: + +Richard, + +> I have a customer who is developing some printer driver code to allow +> custom driver settings (n-up, booklet, duplex etc.) to be saved up to the +> server to be retrieved by other users. The data is being written, by a +> printer driver (using the logged on users authentication, to a registry +> key) HKLM\SYSTEM\CurrentControlSet\Control\Print\Environments\Windows NT +> x86\Drivers\Version-3\{Driver Name}\{Custom Key}\Subkey). + +Let me get this straight; a registry key is loaded from the server onto +the client workstations who can modify it, then write it back onto the +server's own registry - which is not going to use it? + +> The question is, what are the security risks of allowing users to write +> to this key? The data is string data, in the form of delimited numeric +> values. This data is then retrieved by capable printer drivers and +> interpreted. +> +> The risks as I see it are twofold; +> (1) The risks of a compromise to the server using this registry key. I +> think this is unlikeley as the server itself does not use this data, only +> client PC's do. Unless someone knows a way to travel out of a hive up +> the registry bypassing the permissions set using regedt32. + +What is the reason to write a registry key to a server if the server +itself is not using it? +I don't think you should worry too much about someone travelling out of +the hive, but again, I'm curious as to how the driver actually modifies +the keys on the server. + +> (2) The risks of a compromise to the client (far more likely). This +> would probably be by a malformed or extremely long string in the key +> value, which would presumably lead to either DOS or system compromise by +> buffer overflow on the client system. + +And if the client writes the key back onto the server, yes, there's wide +open for something nasty here. +Two other things spring to mind; +1) If anyone can modify the key, how do you make sure that two users are +not overwriting the same key, thereby causing undesirable effects. +2) If anyone have permissions to write to the key (and below), anyone can +create thousands of extra keys under this key, thereby filling up the +registry. The result of such a thing is obvious. + +If I got this all wrong, I'd be happy that you clarify a bit more and tell +me where I might have misunderstood. + + +Med venlig hilsen / Best regards, +-Allan Jensen + +Si hoc signum legere potes, operis boni in rebus Latinus alacribus et +fructuosis potiri potes! + + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1732.f90c4a8e1ef88d4802f7fc139a85fc13 b/machine-learning-ex6/ex6/easy_ham/1732.f90c4a8e1ef88d4802f7fc139a85fc13 new file mode 100644 index 0000000..abc6790 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1732.f90c4a8e1ef88d4802f7fc139a85fc13 @@ -0,0 +1,119 @@ +From secprog-return-508-jm=jmason.org@securityfocus.com Fri Sep 20 11:28:44 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 2E32016F03 + for ; Fri, 20 Sep 2002 11:28:42 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:28:42 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [205.206.231.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8JNJ5C07887 for ; Fri, 20 Sep 2002 00:19:06 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [205.206.231.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 43B578F293; Thu, 19 Sep 2002 16:23:04 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 2162 invoked from network); 19 Sep 2002 21:10:14 -0000 +From: "Michael McKay" +To: "'Bryan Feir'" , + , +Subject: RE: Secure Sofware Key +Date: Thu, 19 Sep 2002 14:44:22 -0700 +Message-Id: <004401c26025$c4aa3260$01000001@iS3Inc> +MIME-Version: 1.0 +Content-Type: text/plain; charset="US-ASCII" +Content-Transfer-Encoding: 7bit +X-Priority: 3 (Normal) +X-Msmail-Priority: Normal +X-Mailer: Microsoft Outlook, Build 10.0.4024 +Importance: Normal +X-Mimeole: Produced By Microsoft MimeOLE V6.00.2600.0000 +In-Reply-To: <20020904151603.B1300@sgl.crestech.ca> +X-Spam-Status: No, hits=-3.6 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST, + QUOTED_EMAIL_TEXT,REPLY_WITH_QUOTES + version=2.50-cvs +X-Spam-Level: + +Bryan Feir [mailto:bryan@sgl.crestech.ca] wrote: + +>Of course, once one player key was broken, dealing with the rest became +> a known plaintext attack, and the rest of the player keys went down +like +> a row of dominos. + +The actual follow-up to the Xing player break was more interesting than +that. The mere knowledge of known plaintext (a corresponding input and +output) does not necessarily make it trivial to break a properly +designed systems and/or algorithm. The primary reason it was easy for +CSS is because the CSS key was only 40-bits, and thereby easy to break +with exhaustive search attacks. It was only 40-bits (speculated) +because of a misunderstanding of the government cryptography export +rules at the time. + +Even more interesting, to me at least, was that soon after the Xing +player break, people started studying the CSS algorithm itself. They +rapidly found serious design flaws which left the 40-bit CSS algorithm +with an actual strength of around 23-bits (from memory, and new attacks +might have further reduced the strength). This is another great example +showing why proprietary cryptography algorithms should be viewed with +the greatest of suspicion. + + +On Tue, Sep 03, 2002 at 09:03:40PM -0400, Yannick Gingras wrote: +> This make me wonder about the relative protection of smart cards. +They have +> an internal procession unit around 4MHz. Can we consider them as +trusted +> hardware ? + +Yes and no. You can put a limited amount of trust in a smart card. +There have been any number of very clever attacks against smartcards +(Ross Anderson in the UK has documented quite a few of these), and +smartcard manufactures are usually one step behind these attacks. A +well designed system assumes that a system smartcard will be completely +compromised at some point, giving an adversary all of the secrets +contained in the smartcard. The cryptography industry has developed a +variety of techniques that can reduce the impact of a compromise, +including unique keys per smartcard and forward security techniques. + + +Luciano Rocha [strange@nsk.yi.org] wrote: + +> The problem is that that piece of hardware is trustworthy, but the +rest of +> the PC isn't, so a cracker just needs to simulate the lock/smart card, +or +> peek at the executable after the lock has been deactivated. + +Going back to the original question, once the encrypted material goes +outside the trusted hardware, it is impossible to "unbreakably" protect +it. There may be some mitigation steps you can take, such as the SDMI +watermarking, but most schemes to date have been easily broken. + +Another consideration is the value of what you are trying to protect. +While there is no such thing as unbreakable, adding more cost (both in +terms of price and hassle-factor) can greatly improve the protection. +Since you are talking about the use of standard PC workstations, I +presume what you are trying to protect is not THAT valuable. I'm afraid +most security measures don't come for free. + + +Michael McKay +Director of Software Development +mmckay@iscubed.com + + Information Security Systems & Services Inc. + 19925 Stevens Creek Blvd. Cupertino, CA 95014 + Phone: 408.725.7136 x 4138 Fax: 408.973.7239 www.iscubed.com + + diff --git a/machine-learning-ex6/ex6/easy_ham/1733.95212a5ae78a283bf7282d310d7731d7 b/machine-learning-ex6/ex6/easy_ham/1733.95212a5ae78a283bf7282d310d7731d7 new file mode 100644 index 0000000..ea503b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1733.95212a5ae78a283bf7282d310d7731d7 @@ -0,0 +1,91 @@ +From secprog-return-509-jm=jmason.org@securityfocus.com Fri Sep 20 11:29:20 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 7022C16F03 + for ; Fri, 20 Sep 2002 11:29:18 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 20 Sep 2002 11:29:18 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [205.206.231.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8K1RlC15202 for ; Fri, 20 Sep 2002 02:27:47 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [205.206.231.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 2EF35A30D1; Thu, 19 Sep 2002 19:19:19 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 1068 invoked from network); 20 Sep 2002 00:36:36 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Alex Russell +Organization: netWindows.org +To: "Michael McKay" , + "'Bryan Feir'" , , + +Subject: Re: Secure Sofware Key +Date: Thu, 19 Sep 2002 19:56:55 -0500 +User-Agent: KMail/1.4.2 +References: <004401c26025$c4aa3260$01000001@iS3Inc> +In-Reply-To: <004401c26025$c4aa3260$01000001@iS3Inc> +MIME-Version: 1.0 +Message-Id: <200209191956.55148.alex@netWindows.org> +X-Antiabuse: This header was added to track abuse, please include it with + any abuse report +X-Antiabuse: Primary Hostname - nimbus.sharpwebinnovations.com +X-Antiabuse: Original Domain - securityfocus.com +X-Antiabuse: Originator/Caller UID/GID - [0 0] / [0 0] +X-Antiabuse: Sender Address Domain - netwindows.org +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g8K1RlC15202 +X-Spam-Status: No, hits=-7.0 required=5.0 + tests=EMAIL_ATTRIBUTION,IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC, + QUOTED_EMAIL_TEXT,REFERENCES,REPLY_WITH_QUOTES, + SIGNATURE_SHORT_DENSE,USER_AGENT,USER_AGENT_KMAIL + version=2.50-cvs +X-Spam-Level: + +On Thursday 19 September 2002 16:44, Michael McKay wrote: +> On Tue, Sep 03, 2002 at 09:03:40PM -0400, Yannick Gingras wrote: +> > This make me wonder about the relative protection of smart cards. +> They have an internal procession unit around 4MHz. Can we consider them as +> trusted hardware ? + +SmartCards do not have fixed clock rates (more often than not) as the ISO spec +dictates that they are externally powered and clocked, but SmartCards used +for security purposes (usually JavaCards) have built-in crypto co-processors +that make clock rate irrelevant. 4mhz SmartCards can often preform triple-DES +faster than general purpose processors clocked at ten times the speed. + +That said, clock rate has nothing with how trustworthy a card is. As Michael +pointed out, there's something of an arms-race between manufacturers and +attackers which has nothing to do with clock rate, and time and time again +what we've seen is that it's not a question of "is it secure", it's a +question of "who is it secure from and for how long?" Security is rarely a +question of absolutes (despite the often boolean nature of a break), rather +it's a question of assessing, quantifying, and managing risk. SmartCards are +designed to address threats in which the cost of protection cannot exceed the +$1-20 range (depending on the application). + +As whether or not they are "trusted hardware", the question again revolves +around attacker and timeframe. One might expect a bored undergrad EE student +to have more trouble revealing the contents of a pilfered smartcard than, +say, a governtment intelligence service. If your goal is to keep undergrad +EEs from perpetrating mass fraud in the caffeteria, then a smartcard is +likely "trustworthy" enough for your application. If your aim is to protect +ICBM launch codes, then it's probably the wrong tool. In either application, +a risk/cost ratio must justify the use of the protection measure in question. + +-- +Alex Russell +alex@SecurePipe.com +alex@netWindows.org + + diff --git a/machine-learning-ex6/ex6/easy_ham/1734.8ce5e8ddf445f56cb18afa778b07df0b b/machine-learning-ex6/ex6/easy_ham/1734.8ce5e8ddf445f56cb18afa778b07df0b new file mode 100644 index 0000000..f2df710 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1734.8ce5e8ddf445f56cb18afa778b07df0b @@ -0,0 +1,78 @@ +From secprog-return-510-jm=jmason.org@securityfocus.com Mon Sep 23 18:31:18 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 747B916F03 + for ; Mon, 23 Sep 2002 18:31:17 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Mon, 23 Sep 2002 18:31:17 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [205.206.231.26]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g8NFICC22953 for ; Mon, 23 Sep 2002 16:18:12 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [205.206.231.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + AAB618F4BC; Mon, 23 Sep 2002 08:21:13 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 13967 invoked from network); 23 Sep 2002 08:06:03 -0000 +Date: Fri, 20 Sep 2002 23:00:42 +0000 +From: redhat +To: SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from + attacks +Message-Id: <20020920230041.A1139@xlnt-software.com> +Mail-Followup-To: SECPROG Securityfocus +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Disposition: inline +In-Reply-To: +User-Agent: Mutt/1.3.21i +X-Loop: redhat@rphh.org +X-Meow: Your pets will be disembowled if you do not keep up payments. +X-Spam-Status: No, hits=-3.8 required=5.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES,USER_AGENT, + USER_AGENT_MUTT,X_LOOP + version=2.50-cvs +X-Spam-Level: + +reply to the mail from Ben Mord (bmord@icon-nicholson.com): + +> Hi, + +Hello, + +< ... snipped for brevity ... > + +> ... This concept could also be +> applied to the application servers, and even the database server partitions +> (except for those partitions which contain the table data files, of course.) + + Although the data might just be the information that needs protecting. + +> Does anyone do this already? Or is this a new concept? + + I've seen this implemented for a shell server, although they chose +to have their root on a CD-WR in a CD-R drive. Which meant that even +when compromised it was only possible to examine other users data. + AFAIR(emember) they just swapped CD's when a root exploit was found. + +> Thanks for any opinions, + +NP + +blaze your trail +-- +redhat + +'I am become Shiva, destroyer of worlds' + + diff --git a/machine-learning-ex6/ex6/easy_ham/1735.767c727c118916606982501980deb249 b/machine-learning-ex6/ex6/easy_ham/1735.767c727c118916606982501980deb249 new file mode 100644 index 0000000..c4dd541 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1735.767c727c118916606982501980deb249 @@ -0,0 +1,107 @@ +From neugens@libero.it Fri Aug 23 11:04:42 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BED4A44164 + for ; Fri, 23 Aug 2002 06:03:50 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:03:50 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g7MJiiZ22036 for + ; Thu, 22 Aug 2002 20:44:44 +0100 +Received: from outgoing.securityfocus.com (outgoing2.securityfocus.com + [66.38.151.26]) by webnote.net (8.9.3/8.9.3) with ESMTP id UAA06503 for + ; Thu, 22 Aug 2002 20:44:51 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 3B4388F353; Thu, 22 Aug 2002 12:41:59 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 10062 invoked from network); 22 Aug 2002 17:41:11 -0000 +Content-Type: text/plain; charset="us-ascii" +From: Mario Torre +To: secprog@securityfocus.com +Subject: Encryption approach to secure web applications +Date: Thu, 22 Aug 2002 20:15:15 +0200 +User-Agent: KMail/1.4.1 +MIME-Version: 1.0 +Message-Id: <200208222015.15926.neugens@libero.it> +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7MJiiZ22036 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-6.6 required=7.0 + tests=KNOWN_MAILING_LIST,SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03, + USER_AGENT,USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +Hi everybody! + +I'm writing a web application in java (tomcat + jsp/servlets + database +access with postgreSQL). + +This will be released under the GPL and will eventually be useful as a +framework for other web applications. + +The application main focus is e-commerce, but not limited to that. + +I would like to use some form of cryptography to protect data on the +database, but I have some problem figuring out the right approach. + +Above all, how to store passwords and keys in a shared web server. + +A problem that I was unable to solve is how to store keys for +encryption/decryption. The api that I'm using is the jca (jdk1.4.x), +and the methods of saving generated keys in keystores fails always. + +I can serialize the object, and store in the database, but this is not +the most secure approach: this key is needed to decrypt data in the +database, but the database is accessible from the web application. +Assuming that I can find a good and secure place where to store the +database password, I can use a different database with different +user... Argh... to complex and doesn't really solve the problem. + +Where I can found good documentation about this topic? + +There is another approach that I would share with the list, something I +thought that can be of bit interest, but probabily wrong and insecure. +After all, I'm a real beginner in secure programming, and I'm here to +learn methods and technics. + +First of all, I need a secure way to keep database passwords secure, so +I have to keep them separate from the main server. The right approach +could be using a small java bean application that run as normal user +(not tomcat, so it is not shared with other web services or, worst, the +nobody user), that has no shell login, but has a default home directory +or a place where it can hold passwords and keys. + +The web application could then open an ssl connection (could be done in +the init method at server startup) to get database passwords. The small +bean could check via code signature/rmi/whatever else that the source +is the right one, and handle all the database connections, or give the +db connection/password to the main web application. + +In this way, we solve the problem of keeping the keys and passwords in +shared directories, and also, an attacker should get root/bean user +account to read data. This is not perfect, and works only if your +provider gives the opportunity to configure a separated java +application (that means, really, another server running in the +background). + +Any suggestions? + +Thank you, +Mario Torre +-- +Please avoid sending me Word or PowerPoint attachments. +See http://www.fsf.org/philosophy/no-word-attachments.html + diff --git a/machine-learning-ex6/ex6/easy_ham/1736.9ae2cf6f768fe1d218ddb61cea78e523 b/machine-learning-ex6/ex6/easy_ham/1736.9ae2cf6f768fe1d218ddb61cea78e523 new file mode 100644 index 0000000..eec8aa0 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1736.9ae2cf6f768fe1d218ddb61cea78e523 @@ -0,0 +1,76 @@ +From neugens@libero.it Fri Aug 23 11:06:09 2002 +Return-Path: +Delivered-To: yyyy@localhost.netnoteinc.com +Received: from localhost (localhost [127.0.0.1]) + by phobos.labs.netnoteinc.com (Postfix) with ESMTP id BBCE24415B + for ; Fri, 23 Aug 2002 06:04:22 -0400 (EDT) +Received: from phobos [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 23 Aug 2002 11:04:22 +0100 (IST) +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id + g7MM0XZ26628 for ; Thu, 22 Aug 2002 23:00:33 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 86064A316F; Thu, 22 Aug 2002 15:50:00 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 21232 invoked from network); 22 Aug 2002 21:14:49 -0000 +Content-Type: text/plain; charset="iso-8859-1" +From: Mario Torre +To: secprog@securityfocus.com +Subject: Re: Encryption approach to secure web applications +Date: Thu, 22 Aug 2002 23:49:00 +0200 +User-Agent: KMail/1.4.1 +References: <200208222015.15926.neugens@libero.it> + <00da01c24a15$561376c0$0201a8c0@home1> +In-Reply-To: <00da01c24a15$561376c0$0201a8c0@home1> +MIME-Version: 1.0 +Message-Id: <200208222349.00463.neugens@libero.it> +Content-Transfer-Encoding: 8bit +X-MIME-Autoconverted: from quoted-printable to 8bit by dogma.slashnull.org + id g7MM0XZ26628 +X-Pyzor: Reported 0 times. +X-Spam-Status: No, hits=-10.1 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,REFERENCES, + SIGNATURE_SHORT_DENSE,SPAM_PHRASE_02_03,USER_AGENT, + USER_AGENT_KMAIL + version=2.40-cvs +X-Spam-Level: + +Hi, + +Thank you for the useful replies, I have found some interesting +tutorials in the ibm developer connection. + +https://www6.software.ibm.com/developerworks/education/j-sec1 + +and + +https://www6.software.ibm.com/developerworks/education/j-sec2 + +Registration is needed. + +I will post the same message on the Web Application Security list, as +suggested by someone. + +For now, I thing I will use md5 for password checking (I will use the +approach described in secure programmin fo linux and unix how-to). + +I will separate the authentication module, so I can change its +implementation at anytime. + +Thank you again! + +Mario Torre +-- +Please avoid sending me Word or PowerPoint attachments. +See http://www.fsf.org/philosophy/no-word-attachments.html + diff --git a/machine-learning-ex6/ex6/easy_ham/1737.159f94d09e451f53a35a8b03ea5e7dd2 b/machine-learning-ex6/ex6/easy_ham/1737.159f94d09e451f53a35a8b03ea5e7dd2 new file mode 100644 index 0000000..7095500 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1737.159f94d09e451f53a35a8b03ea5e7dd2 @@ -0,0 +1,70 @@ +From secprog-return-484-jm=jmason.org@securityfocus.com Fri Sep 6 15:24:57 2002 +Return-Path: +Delivered-To: yyyy@localhost.example.com +Received: from localhost (jalapeno [127.0.0.1]) + by jmason.org (Postfix) with ESMTP id 67C5716F03 + for ; Fri, 6 Sep 2002 15:24:57 +0100 (IST) +Received: from jalapeno [127.0.0.1] + by localhost with IMAP (fetchmail-5.9.0) + for jm@localhost (single-drop); Fri, 06 Sep 2002 15:24:57 +0100 (IST) +Received: from webnote.net (mail.webnote.net [193.120.211.219]) by + dogma.slashnull.org (8.11.6/8.11.6) with ESMTP id g86A13C30435 for + ; Fri, 6 Sep 2002 11:01:03 +0100 +Received: from outgoing.securityfocus.com (outgoing3.securityfocus.com + [66.38.151.27]) by webnote.net (8.9.3/8.9.3) with ESMTP id SAA16998 for + ; Thu, 5 Sep 2002 18:30:53 +0100 +Received: from lists.securityfocus.com (lists.securityfocus.com + [66.38.151.19]) by outgoing.securityfocus.com (Postfix) with QMQP id + 421EEA312D; Thu, 5 Sep 2002 10:39:46 -0600 (MDT) +Mailing-List: contact secprog-help@securityfocus.com; run by ezmlm +Precedence: bulk +List-Id: +List-Post: +List-Help: +List-Unsubscribe: +List-Subscribe: +Delivered-To: mailing list secprog@securityfocus.com +Delivered-To: moderator for secprog@securityfocus.com +Received: (qmail 17568 invoked from network); 5 Sep 2002 08:02:24 -0000 +Date: Thu, 5 Sep 2002 10:17:03 +0200 +From: Andrey Kolishak +X-Mailer: The Bat! (v1.61) Personal +Reply-To: Andrey Kolishak +Organization: none +X-Priority: 3 (Normal) +Message-Id: <5780619972.20020905101703@sandy.ru> +To: SECPROG Securityfocus +Subject: Re: use of base image / delta image for automated recovery from + attacks +In-Reply-To: +References: +MIME-Version: 1.0 +Content-Type: text/plain; charset=us-ascii +Content-Transfer-Encoding: 7bit +X-Spam-Status: No, hits=-9.9 required=7.0 + tests=IN_REP_TO,KNOWN_MAILING_LIST,NOSPAM_INC,REFERENCES, + SPAM_PHRASE_00_01,USER_AGENT_THEBAT + version=2.50-cvs +X-Spam-Level: + + + +take a look at http://www.pcworld.com/news/article/0,aid,102881,00.asp + + Andrey mailto:andr@sandy.ru + + + +BM> Does anyone do this already? Or is this a new concept? Or has this concept +BM> been discussed before and abandoned for some reasons that I don't yet know? +BM> I use the physical architecture of a basic web application as an example in +BM> this post, but this concept could of course be applied to most server +BM> systems. It would allow for the hardware-separation of volatile and +BM> non-volatile disk images. It would be analogous to performing nightly +BM> ghosting operations, only it would be more efficient and involve less (or +BM> no) downtime. + +BM> Thanks for any opinions, +BM> Ben + + diff --git a/machine-learning-ex6/ex6/easy_ham/1738.7ee140ca2744c34a2ed33de3ceecb016 b/machine-learning-ex6/ex6/easy_ham/1738.7ee140ca2744c34a2ed33de3ceecb016 new file mode 100644 index 0000000..808442c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1738.7ee140ca2744c34a2ed33de3ceecb016 @@ -0,0 +1,47 @@ +Return-Path: gward@python.net +Delivery-Date: Fri Sep 6 14:44:17 2002 +From: gward@python.net (Greg Ward) +Date: Fri, 6 Sep 2002 09:44:17 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + +Message-ID: <20020906134417.GA16820@cthulhu.gerg.ca> + +On 05 September 2002, Tim Peters said: +> Greg Ward is +> currently capturing a stream coming into python.org, and I hope we can get a +> more modern, and cleaner, test set out of that. + +Not yet -- still working on the required config changes. But I have a +cunning plan... + +> But if that stream contains +> any private email, it may not be ethically possible to make that available. + +It will! Part of my cunning plan involves something like this: + + if folder == "accepted": # ie. not suspected junk mail + if (len(recipients) == 1 and + recipients[0] in ("guido@python.org", "barry@python.org", ...)): + folder = "personal" + +If you (and Guido, Barry, et. al.) prefer, I could change that last +statement to "folder = None", so the mail won't be saved at all. I +*might* also add a "and sender doesn't look like -bounce-*, -request, +-admin, ..." clause to that if statement. + +> Can you think of anyplace to get a large, shareable ham sample apart from a +> public mailing list? Everyone's eager to share their spam, but spam is so +> much alike in so many ways that's the easy half of the data collection +> problem. + +I believe the SpamAssassin maintainers have a scheme whereby the corpus +of non-spam is distributed, ie. several people have bodies of non-spam +that they use for collectively evolving the SA score set. If that +sounds vague, it matches my level of understanding. + + Greg +-- +Greg Ward http://www.gerg.ca/ +Reality is for people who can't handle science fiction. diff --git a/machine-learning-ex6/ex6/easy_ham/1739.07c82f37d072bce96820af0bbef80eff b/machine-learning-ex6/ex6/easy_ham/1739.07c82f37d072bce96820af0bbef80eff new file mode 100644 index 0000000..a1fc6f2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1739.07c82f37d072bce96820af0bbef80eff @@ -0,0 +1,21 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 14:54:14 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 09:54:14 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: Your message of "Fri, 06 Sep 2002 09:44:17 EDT." + <20020906134417.GA16820@cthulhu.gerg.ca> +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + + <20020906134417.GA16820@cthulhu.gerg.ca> +Message-ID: <200209061354.g86DsEE14105@pcp02138704pcs.reston01.va.comcast.net> + +> I believe the SpamAssassin maintainers have a scheme whereby the corpus +> of non-spam is distributed, ie. several people have bodies of non-spam +> that they use for collectively evolving the SA score set. If that +> sounds vague, it matches my level of understanding. + +See if you can get a hold of that so we can do a level-playing-field +competition. :-) + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1740.cd9dec755fc9e6d819137b8e0111e031 b/machine-learning-ex6/ex6/easy_ham/1740.cd9dec755fc9e6d819137b8e0111e031 new file mode 100644 index 0000000..4f8df7f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1740.cd9dec755fc9e6d819137b8e0111e031 @@ -0,0 +1,25 @@ +Return-Path: gward@python.net +Delivery-Date: Fri Sep 6 14:57:18 2002 +From: gward@python.net (Greg Ward) +Date: Fri, 6 Sep 2002 09:57:18 -0400 +Subject: [Spambayes] Re: [Python-Dev] Getting started with GBayes testing +In-Reply-To: <200209060806.g8686ve03964@localhost.localdomain> +References: + <200209060806.g8686ve03964@localhost.localdomain> +Message-ID: <20020906135718.GC16820@cthulhu.gerg.ca> + +On 06 September 2002, Anthony Baxter said: +> A snippet, hopefully not enough to trigger the spam-filters. + +As an aside: one of the best ways to dodge SpamAssassin is by having an +In-Reply-To header. Most list traffic should meet this criterion. + +Alternately, I can whitelist mail to spambayes@python.org -- that'll +work until spammers get ahold of the list address, which usually seems +to take a few months. + + Greg +-- +Greg Ward http://www.gerg.ca/ +Gee, I feel kind of LIGHT in the head now, knowing I can't make my +satellite dish PAYMENTS! diff --git a/machine-learning-ex6/ex6/easy_ham/1741.1025c8d81a3ce398f65fb401537214fb b/machine-learning-ex6/ex6/easy_ham/1741.1025c8d81a3ce398f65fb401537214fb new file mode 100644 index 0000000..cd2d5ff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1741.1025c8d81a3ce398f65fb401537214fb @@ -0,0 +1,25 @@ +Return-Path: barry@python.org +Delivery-Date: Fri Sep 6 15:23:19 2002 +From: barry@python.org (Barry A. Warsaw) +Date: Fri, 6 Sep 2002 10:23:19 -0400 +Subject: [Spambayes] test sets? +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + +Message-ID: <15736.47703.689156.538539@anthem.wooz.org> + + +>>>>> "TP" == Tim Peters writes: + + >> Any thought to wrapping up your spam and ham test sets for + >> inclusion w/ the spambayes project? + + TP> I gave it all the thought it deserved . It would be + TP> wonderful to get several people cranking on the same test + TP> data, and I'm all in favor of that. OTOH, my Data/ subtree + TP> currently has more than 35,000 files slobbering over 134 + TP> million bytes -- even if I had a place to put that much stuff, + TP> I'm not sure my ISP would let me email it in one msg . + +Check it into the spambayes project. SF's disks are cheap . + +-Barry diff --git a/machine-learning-ex6/ex6/easy_ham/1742.9ebb5f33ccd9bcfb089d758b7523f0c5 b/machine-learning-ex6/ex6/easy_ham/1742.9ebb5f33ccd9bcfb089d758b7523f0c5 new file mode 100644 index 0000000..7c5d10d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1742.9ebb5f33ccd9bcfb089d758b7523f0c5 @@ -0,0 +1,22 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 15:24:37 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 10:24:37 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: Your message of "Fri, 06 Sep 2002 10:23:19 EDT." + <15736.47703.689156.538539@anthem.wooz.org> +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + + <15736.47703.689156.538539@anthem.wooz.org> +Message-ID: <200209061424.g86EOcd14363@pcp02138704pcs.reston01.va.comcast.net> + +> Check it into the spambayes project. SF's disks are cheap . + +Perhaps more useful would be if Tim could check in the pickle(s?) +generated by one of his training runs, so that others can see how +Tim's training data performs against their own corpora. This could +also be the starting point for a self-contained distribution (you've +got to start with *something*, and training with python-list data +seems just as good as anything else). + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1743.75e754f7e80ce9c9e26898513069d35f b/machine-learning-ex6/ex6/easy_ham/1743.75e754f7e80ce9c9e26898513069d35f new file mode 100644 index 0000000..e8306ce --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1743.75e754f7e80ce9c9e26898513069d35f @@ -0,0 +1,35 @@ +Return-Path: barry@python.org +Delivery-Date: Fri Sep 6 15:28:12 2002 +From: barry@python.org (Barry A. Warsaw) +Date: Fri, 6 Sep 2002 10:28:12 -0400 +Subject: [Spambayes] test sets? +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + + <20020906134417.GA16820@cthulhu.gerg.ca> +Message-ID: <15736.47996.84689.421662@anthem.wooz.org> + + +>>>>> "GW" == Greg Ward writes: + + GW> If you (and Guido, Barry, et. al.) prefer, I could change that + GW> last statement to "folder = None", so the mail won't be saved + GW> at all. + +I don't care if the mail is foldered on python.org, but personal +messages regardless of who they're for, shouldn't be part of the +public spambayes repository unless specifically approved by both the +recipient and sender. + +Note also that we are much more liberal about python.org/zope.org +mailing list traffic than most folks. Read list-managers for any +length of time and you'll find that there are a lot of people who +assert strict copyright over their collections, are very protective of +their traffic, and got really pissed when gmane just started +gatewaying their messages without asking. + +Which might be an appropriate for their lists, but not for ours (don't +think I'm suggesting we do the same -- I /like/ our laissez-faire +approach). + +But for personal email, we should be more careful. +-Barry diff --git a/machine-learning-ex6/ex6/easy_ham/1744.af4f10c1dad2aea2637aa8cd093adc34 b/machine-learning-ex6/ex6/easy_ham/1744.af4f10c1dad2aea2637aa8cd093adc34 new file mode 100644 index 0000000..3b4d19e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1744.af4f10c1dad2aea2637aa8cd093adc34 @@ -0,0 +1,43 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 15:31:22 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 10:31:22 -0400 +Subject: [Spambayes] Deployment +Message-ID: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + +Quite independently from testing and tuning the algorithm, I'd like to +think about deployment. + +Eventually, individuals and postmasters should be able to download a +spambayes software distribution, answer a few configuration questions +about their mail setup, training and false positives, and install it +as a filter. + +A more modest initial goal might be the production of a tool that can +easily be used by individuals (since we're more likely to find +individuals willing to risk this than postmasters). + +There are many ways to do this. Some ideas: + +- A program that acts both as a pop client and a pop server. You + configure it by telling it about your real pop servers. You then + point your mail reader to the pop server at localhost. When it + receives a connection, it connects to the remote pop servers, reads + your mail, and gives you only the non-spam. To train it, you'd only + need to send it the false negatives somehow; it can assume that + anything is ham that you don't say is spam within 48 hours. + +- A server with a custom protocol that you send a copy of a message + and that answers "spam" or "ham". Then you have a little program + that is invoked e.g. by procmail that talks to the server. (The + server exists so that it doesn't have to load the pickle with the + scoring database for each message. I don't know how big that pickle + would be, maybe loading it each time is fine. Or maybe + marshalling.) + +- Your idea here. + +Takers? How is ESR's bogofilter packaged? SpamAssassin? The Perl +Bayes filter advertised on slashdot? + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1745.6e47b00b04a6f2cb1cf9c5c86031132d b/machine-learning-ex6/ex6/easy_ham/1745.6e47b00b04a6f2cb1cf9c5c86031132d new file mode 100644 index 0000000..f36f2c5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1745.6e47b00b04a6f2cb1cf9c5c86031132d @@ -0,0 +1,22 @@ +Return-Path: barry@python.org +Delivery-Date: Fri Sep 6 15:38:56 2002 +From: barry@python.org (Barry A. Warsaw) +Date: Fri, 6 Sep 2002 10:38:56 -0400 +Subject: [Spambayes] test sets? +References: <15735.50243.135743.32180@12-248-11-90.client.attbi.com> + + <15736.47703.689156.538539@anthem.wooz.org> + <200209061424.g86EOcd14363@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15736.48640.283430.184348@anthem.wooz.org> + + +>>>>> "GvR" == Guido van Rossum writes: + + GvR> Perhaps more useful would be if Tim could check in the + GvR> pickle(s?) generated by one of his training runs, so that + GvR> others can see how Tim's training data performs against their + GvR> own corpora. + +He could do that too. :) + +-Barry diff --git a/machine-learning-ex6/ex6/easy_ham/1746.e3c2e047714a395c583f80730acd3762 b/machine-learning-ex6/ex6/easy_ham/1746.e3c2e047714a395c583f80730acd3762 new file mode 100644 index 0000000..c536b7d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1746.e3c2e047714a395c583f80730acd3762 @@ -0,0 +1,38 @@ +Return-Path: bkc@murkworks.com +Delivery-Date: Fri Sep 6 15:39:48 2002 +From: bkc@murkworks.com (Brad Clements) +Date: Fri, 06 Sep 2002 10:39:48 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <3D788653.9143.1D8992DA@localhost> + +On 6 Sep 2002 at 10:31, Guido van Rossum wrote: + +> your mail, and gives you only the non-spam. To train it, you'd only need +> to send it the false negatives somehow; it can assume that anything is +> ham that you don't say is spam within 48 hours. + +I have folks who leave their email programs running 24 hours a day, constantly polling +for mail. If they go away for a long weekend, lots of "friday night spam" will become +ham on sunday night. (Friday night seems to be the most popular time) + + +> - Your idea here. + +Ultimately I'd like to see tight integration into the "most popular email clients".. As a +stop-gap to the auto-ham .. + +How about adding an IMAP server with a spam and deleted-ham folder. Most email +clients can handle IMAP. Users should be able to quickly move "spam" into the spam +folder. + +Instead of deleting messages (or, by reprogramming the delete function) they can +quickly move ham into the ham folder. + +In either case, the message would be processed and then destroyed. + + +Brad Clements, bkc@murkworks.com (315)268-1000 +http://www.murkworks.com (315)268-9812 Fax +AOL-IM: BKClements + diff --git a/machine-learning-ex6/ex6/easy_ham/1747.77c7add87dfb454c2bcc8ce9f60482bd b/machine-learning-ex6/ex6/easy_ham/1747.77c7add87dfb454c2bcc8ce9f60482bd new file mode 100644 index 0000000..7e66306 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1747.77c7add87dfb454c2bcc8ce9f60482bd @@ -0,0 +1,60 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 15:45:27 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 10:45:27 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <15736.5577.157228.229200@12-248-11-90.client.attbi.com> +Message-ID: + +[Tim] +> OTOH, my Data/ subtree currently has more than 35,000 files slobbering +> over 134 million bytes -- even if I had a place to put that much stuff, +> I'm not sure my ISP would let me email it in one msg . + +[Skip] +> Do you have a dialup or something more modern ? + +Much more modern: a cable modem with a small upload rate cap. There's a +reason the less modern uncapped @Home went out of business . + +> 134MB of messages zipped would probably compress pretty well - under 50MB +> I'd guess with all the similarity in the headers and such. You could zip +> each of the 10 sets individually and upload them somewhere. + +I suppose this could finish over the course of an afternoon. Now where's +"somewhere"? I expect we'll eventually collect several datasets; +SourceForge isn't a good place for it (they expect projects to distribute +relatively small code files, and complain if even those get big). + +> ... +> How about random sampling lots of public mailing lists via gmane or +> something similar, manually cleaning it (distributing that load over a +> number of people) and then relying on your clever code and your +> rebalancing script to help further cleanse it? + +What then are we training the classifier to do? Graham's scoring scheme is +based on an assumption that the ham-vs-spam task is *easy*, and half of that +is due to that the ham has a lot in common. It was an experiment to apply +his scheme to all the comp.lang.python traffic, which is a lot broader than +he had in mind (c.l.py has long had a generous definition of "on topic" +). I don't expect good things to come of making it ever broader, +*unless* your goal is to investigate just how broad it can be made before it +breaks down. + +> The "problem" with the ham is it tends to be much more tied to one person +> (not just intimate, but unique) than the spam. + +Which is "a feature" from Graham's POV: the more clues, the better this +"smoking guns only" approach should work. + +> I save all incoming email for ten days (gzipped mbox format) before it +rolls +> over and disappears. At any one time I think I have about 8,000-10,000 +> messages. Most of it isn't terribly personal (which I would cull before +> passing along anyway) and much of it is machine-generated, so would be of +> marginal use. Finally, it's all ham-n-spam mixed together. Do we call +> that an omelette or a Denny's Grand Slam? + +Unless you're volunteering to clean it, tag it, package it, and distribute +it, I'd call it irrelevant . + diff --git a/machine-learning-ex6/ex6/easy_ham/1748.f61b77d47c074402d1ee5976e9a4fd7d b/machine-learning-ex6/ex6/easy_ham/1748.f61b77d47c074402d1ee5976e9a4fd7d new file mode 100644 index 0000000..6e352a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1748.f61b77d47c074402d1ee5976e9a4fd7d @@ -0,0 +1,41 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 15:43:33 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 10:43:33 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 10:39:48 EDT." + <3D788653.9143.1D8992DA@localhost> +References: <3D788653.9143.1D8992DA@localhost> +Message-ID: <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> + +> > your mail, and gives you only the non-spam. To train it, you'd only need +> > to send it the false negatives somehow; it can assume that anything is +> > ham that you don't say is spam within 48 hours. +> +> I have folks who leave their email programs running 24 hours a day, +> constantly polling for mail. If they go away for a long weekend, +> lots of "friday night spam" will become ham on sunday night. +> (Friday night seems to be the most popular time) + +So we'll make this a config parameter. + +> > - Your idea here. +> +> Ultimately I'd like to see tight integration into the "most popular +> email clients".. As a stop-gap to the auto-ham .. + +What's an auto-ham? + +> How about adding an IMAP server with a spam and deleted-ham +> folder. Most email clients can handle IMAP. Users should be able to +> quickly move "spam" into the spam folder. + +I personally don't think IMAP has a bright future, but for people who +do use it, that's certainly a good approach. + +> Instead of deleting messages (or, by reprogramming the delete +> function) they can quickly move ham into the ham folder. + +Yes. + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1749.6943600e0de67c472ee13c9f14345e0f b/machine-learning-ex6/ex6/easy_ham/1749.6943600e0de67c472ee13c9f14345e0f new file mode 100644 index 0000000..eb289f4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1749.6943600e0de67c472ee13c9f14345e0f @@ -0,0 +1,50 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 15:59:38 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 10:59:38 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <200209060759.g867xcV03853@localhost.localdomain> +Message-ID: + +[Anthony Baxter] +> I've got a test set here that's the last 3 and a bit years email to +> info@ekit.com and info@ekno.com - it's a really ugly set of 20,000+ +> messages, currently broken into 7,000 spam, 9,000 ham, 9,000 currently +> unclassified. These addresses are all over the 70-some different +> ekit/ekno/ISIConnect websites, so they get a LOT of spam. +> +> As well as the usual spam, it also has customers complaining about +> credit card charges, it has people interested in the service and +> asking questions about long distance rates, &c &c &c. Lots and lots +> of "commercial" speech, in other words. Stuff that SA gets pretty +> badly wrong. + +Can this corpus be shared? I suppose not. + +> I'm currently mangling it by feeding all parts (text, html, whatever +> else :) into the filters, as well as both a selected number of headers +> (to, from, content-type, x-mailer), and also a list of (header, +> count_of_header). This is showing up some nice stuff - e.g. the +> X-uidl that stoopid spammers blindly copy into their messages. + +If we ever have a shared corpus, an easy refactoring of timtest +should allow to plug in different tokenizers. I've only made three changes +to Graham's algorithm so far (well, I've made dozens -- only three survived +testing as proven winners), all the rest has been refining the tokenization +to provide better clues. + +> I did have Received in there, but it's out for the moment, as it causes +> rates to drop. + +That's ambiguous. Accuracy rates or error rates, ham or spam rates? + +> I'm also stripping out HTML tags, except for href="" and src="" - there's +> so so much goodness in them (note that I'm only keeping the contents of +> the attributes). + +Mining embedded http/https/ftp thingies cut the false negative rate in half +in my tests (not keying off href, just scanning for anything that "looked +like" one); that was the single biggest f-n improvement I've seen. It +didn't change the false positive rate. So you know whether src added +additional power, or did you do both at once? + diff --git a/machine-learning-ex6/ex6/easy_ham/1750.c5afcba50538a5f49d6e261f6bcfed40 b/machine-learning-ex6/ex6/easy_ham/1750.c5afcba50538a5f49d6e261f6bcfed40 new file mode 100644 index 0000000..e0d00b1 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1750.c5afcba50538a5f49d6e261f6bcfed40 @@ -0,0 +1,42 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 16:01:51 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 10:01:51 -0500 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15736.50015.881231.510395@12-248-11-90.client.attbi.com> + + + Guido> Takers? How is ESR's bogofilter packaged? SpamAssassin? The + Guido> Perl Bayes filter advertised on slashdot? + +Dunno about the other tools, but SpamAssassin is a breeze to incorporate +into a procmail environment. Lots of people use it in many other ways. For +performance reasons, many people run a spamd process and then invoke a small +C program called spamc which shoots the message over to spamd and passes the +result back out. I think spambayes in incremental mode is probably fast +enough to not require such tricks (though I would consider changing the +pickle to an anydbm file). + +Basic procmail usage goes something like this: + + :0fw + | spamassassin -P + + :0 + * ^X-Spam-Status: Yes + $SPAM + +Which just says, "Run spamassassin -P reinjecting its output into the +processing stream. If the resulting mail has a header which begins +"X-Spam-Status: Yes", toss it into the folder indicated by the variable +$SPAM. + +SpamAssassin also adds other headers as well, which give you more detail +about how its tests fared. I'd like to see spambayes operate in at least +this way: do its thing then return a message to stdout with a modified set +of headers which further processing downstream can key on. + +Skip + diff --git a/machine-learning-ex6/ex6/easy_ham/1751.7758ab9d9eb224bcb73e0e8e803e92c9 b/machine-learning-ex6/ex6/easy_ham/1751.7758ab9d9eb224bcb73e0e8e803e92c9 new file mode 100644 index 0000000..492d946 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1751.7758ab9d9eb224bcb73e0e8e803e92c9 @@ -0,0 +1,48 @@ +Return-Path: bkc@murkworks.com +Delivery-Date: Fri Sep 6 16:02:11 2002 +From: bkc@murkworks.com (Brad Clements) +Date: Fri, 06 Sep 2002 11:02:11 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061443.g86EhXQ14543@pcp02138704pcs.reston01.va.comcast.net> +References: Your message of "Fri, 06 Sep 2002 10:39:48 EDT." + <3D788653.9143.1D8992DA@localhost> +Message-ID: <3D788B92.22739.1D9E0FD1@localhost> + +Did you want this on the list? I'm replying to the list.. + +On 6 Sep 2002 at 10:43, Guido van Rossum wrote: + +> What's an auto-ham? + +Automatically marking something as ham after a given timeout.. regardless of how long +that timeout is, someone is going to forget to submit the message back as spam. + +How many spams-as-hams can be accepted before the f-n rate gets unacceptable? + + +> > How about adding an IMAP server with a spam and deleted-ham +> > folder. Most email clients can handle IMAP. Users should be able to +> > quickly move "spam" into the spam folder. +> +> I personally don't think IMAP has a bright future, but for people who +> do use it, that's certainly a good approach. +> +> > Instead of deleting messages (or, by reprogramming the delete +> > function) they can quickly move ham into the ham folder. +> +> Yes. + +I view IMAP as a stop-gap measure until tighter integration with various email clients +can be achieved. + +I still feel it's better to require classification feedback from the recipient, rather than +make any assumptions after some period of time passes. But this is an end-user issue +and we're still at the algorithm stage.. ;-) + + + + +Brad Clements, bkc@murkworks.com (315)268-1000 +http://www.murkworks.com (315)268-9812 Fax +AOL-IM: BKClements + diff --git a/machine-learning-ex6/ex6/easy_ham/1752.5bcdd9205f59d95e025a2896a38ee2bb b/machine-learning-ex6/ex6/easy_ham/1752.5bcdd9205f59d95e025a2896a38ee2bb new file mode 100644 index 0000000..3e85296 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1752.5bcdd9205f59d95e025a2896a38ee2bb @@ -0,0 +1,43 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 16:05:22 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 11:05:22 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 11:02:11 EDT." + <3D788B92.22739.1D9E0FD1@localhost> +References: "Your message of Fri, 06 Sep 2002 10:39:48 EDT." + <3D788653.9143.1D8992DA@localhost> + <3D788B92.22739.1D9E0FD1@localhost> +Message-ID: <200209061505.g86F5MM14762@pcp02138704pcs.reston01.va.comcast.net> + +> > What's an auto-ham? +> +> Automatically marking something as ham after a given +> timeout.. regardless of how long that timeout is, someone is going +> to forget to submit the message back as spam. + +OK, here's a refinement. Assuming very little spam comes through, we +only need to pick a small percentage of ham received as new training +ham to match the new training spam. The program could randomly select +a sufficient number of saved non-spam msgs and ask the user to +validate this selection. You could do this once a day or week (config +parameter). + +> How many spams-as-hams can be accepted before the f-n rate gets +> unacceptable? + +Config parameter. + +> I view IMAP as a stop-gap measure until tighter integration with +> various email clients can be achieved. +> +> I still feel it's better to require classification feedback from the +> recipient, rather than make any assumptions after some period of +> time passes. But this is an end-user issue and we're still at the +> algorithm stage.. ;-) + +I'm trying to think about the end-user issues because I have nothing +to contribute to the algorithm at this point. For deployment we need +both! + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1753.f51bd31e8f0e63be278c22d7a4d2bf10 b/machine-learning-ex6/ex6/easy_ham/1753.f51bd31e8f0e63be278c22d7a4d2bf10 new file mode 100644 index 0000000..f35b905 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1753.f51bd31e8f0e63be278c22d7a4d2bf10 @@ -0,0 +1,41 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 16:06:26 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 11:06:26 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 10:01:51 CDT." + <15736.50015.881231.510395@12-248-11-90.client.attbi.com> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <15736.50015.881231.510395@12-248-11-90.client.attbi.com> +Message-ID: <200209061506.g86F6Qo14777@pcp02138704pcs.reston01.va.comcast.net> + +> Dunno about the other tools, but SpamAssassin is a breeze to incorporate +> into a procmail environment. Lots of people use it in many other ways. For +> performance reasons, many people run a spamd process and then invoke a small +> C program called spamc which shoots the message over to spamd and passes the +> result back out. I think spambayes in incremental mode is probably fast +> enough to not require such tricks (though I would consider changing the +> pickle to an anydbm file). +> +> Basic procmail usage goes something like this: +> +> :0fw +> | spamassassin -P +> +> :0 +> * ^X-Spam-Status: Yes +> $SPAM +> +> Which just says, "Run spamassassin -P reinjecting its output into the +> processing stream. If the resulting mail has a header which begins +> "X-Spam-Status: Yes", toss it into the folder indicated by the variable +> $SPAM. +> +> SpamAssassin also adds other headers as well, which give you more detail +> about how its tests fared. I'd like to see spambayes operate in at least +> this way: do its thing then return a message to stdout with a modified set +> of headers which further processing downstream can key on. + +Do you feel capable of writing such a tool? It doesn't look too hard. + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1754.7cafcb2d9dcaadd665afabc65c267f36 b/machine-learning-ex6/ex6/easy_ham/1754.7cafcb2d9dcaadd665afabc65c267f36 new file mode 100644 index 0000000..c71bdb3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1754.7cafcb2d9dcaadd665afabc65c267f36 @@ -0,0 +1,26 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 16:12:58 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 10:12:58 -0500 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> +References: <3D788653.9143.1D8992DA@localhost> + <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15736.50682.911121.462698@12-248-11-90.client.attbi.com> + + + >> Ultimately I'd like to see tight integration into the "most popular + >> email clients".. + +The advantage of using a kitchen sink (umm, make that highly programmable) +editor+email package like Emacs+VM is that you can twiddle your key bindings +and write a little ELisp (or Pymacs) glue to toss messages in the right +direction (spam or ham). For this, spambayes would have to operate in an +incremental fashion when fed a single ham or spam message. + +(No, I have no idea what an "auto-ham" is. A pig run over by a car, +perhaps?) + +give-a-dog-a-bone-ly, y'rs, + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1755.864cc509960bb627696e65943038856e b/machine-learning-ex6/ex6/easy_ham/1755.864cc509960bb627696e65943038856e new file mode 100644 index 0000000..17e1312 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1755.864cc509960bb627696e65943038856e @@ -0,0 +1,24 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 16:19:30 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 10:19:30 -0500 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061506.g86F6Qo14777@pcp02138704pcs.reston01.va.comcast.net> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <15736.50015.881231.510395@12-248-11-90.client.attbi.com> + <200209061506.g86F6Qo14777@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15736.51074.369911.905337@12-248-11-90.client.attbi.com> + + + >> Dunno about the other tools, but SpamAssassin is a breeze ... + >> SpamAssassin also adds other headers as well, which give you more + >> detail ... + + Guido> Do you feel capable of writing such a tool? It doesn't look too + Guido> hard. + +Sure, but at the moment I have to stop reading email for a few hours and do +some real work. ;-) I'll see if I can modify GBayes.py suitably over the +weekend. + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1756.b13797de35037c4f26356e89ba3f9fb1 b/machine-learning-ex6/ex6/easy_ham/1756.b13797de35037c4f26356e89ba3f9fb1 new file mode 100644 index 0000000..2808d12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1756.b13797de35037c4f26356e89ba3f9fb1 @@ -0,0 +1,27 @@ +Return-Path: nas@python.ca +Delivery-Date: Fri Sep 6 16:57:05 2002 +From: nas@python.ca (Neil Schemenauer) +Date: Fri, 6 Sep 2002 08:57:05 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> +References: <3D788653.9143.1D8992DA@localhost> + <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <20020906155705.GA22115@glacier.arctrix.com> + +Guido van Rossum wrote: +> I personally don't think IMAP has a bright future, but for people who +> do use it, that's certainly a good approach. + +Writing an IMAP server is a non-trivial task. The specification is huge +and clients do all kinds of weird stuff. POP is very easy in +comparison. Perhaps you could forward messages to a special address or +save them in a special folder to mark them as false negatives. + +Alternatively, perhaps there could be a separate protocol and client +that could be used to review additions to the training set. Each day a +few random spam and ham messages could be grabbed as candidates. +Someone would periodically startup the client, review the candidates, +reclassify or remove any messages they don't like and add them to the +training set. + + Neil diff --git a/machine-learning-ex6/ex6/easy_ham/1757.ade7f371dd3f7c4393baf201b803755a b/machine-learning-ex6/ex6/easy_ham/1757.ade7f371dd3f7c4393baf201b803755a new file mode 100644 index 0000000..5039c75 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1757.ade7f371dd3f7c4393baf201b803755a @@ -0,0 +1,39 @@ +Return-Path: barry@python.org +Delivery-Date: Fri Sep 6 17:23:33 2002 +From: barry@python.org (Barry A. Warsaw) +Date: Fri, 6 Sep 2002 12:23:33 -0400 +Subject: [Spambayes] Deployment +References: <3D788653.9143.1D8992DA@localhost> + <200209061443.g86Ehie14557@pcp02138704pcs.reston01.va.comcast.net> + <20020906155705.GA22115@glacier.arctrix.com> +Message-ID: <15736.54917.688066.738120@anthem.wooz.org> + + +>>>>> "NS" == Neil Schemenauer writes: + + NS> Writing an IMAP server is a non-trivial task. + +That's what I've been told by everyone I've talked to who's actually +tried to write one. + + NS> Alternatively, perhaps there could be a separate protocol and + NS> client that could be used to review additions to the training + NS> set. Each day a few random spam and ham messages could be + NS> grabbed as candidates. Someone would periodically startup the + NS> client, review the candidates, reclassify or remove any + NS> messages they don't like and add them to the training set. + +I think people will be much more motivated to report spam than ham. I +like the general approach that copies of random messages will be +sequestered for some period of time before they're assumed to be ham. +Matched with a simple spam reporting scheme, this could keep the +training up to date with little effort. I've sketched out an approach +a listserver like Mailman could do along these lines and if I get some +free time I'll hack something together. + +I like the idea of a POP proxy which is classifying messages as +they're pulled from the server. The easiest way for such a beast to +be notified of spam might be to simply save the spam in a special +folder or file that the POP proxy would periodically consult. + +-Barry diff --git a/machine-learning-ex6/ex6/easy_ham/1758.c3fc45d31d7f105f7baa0d7617f71402 b/machine-learning-ex6/ex6/easy_ham/1758.c3fc45d31d7f105f7baa0d7617f71402 new file mode 100644 index 0000000..c6956b7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1758.c3fc45d31d7f105f7baa0d7617f71402 @@ -0,0 +1,69 @@ +Return-Path: paul-bayes@svensson.org +Delivery-Date: Fri Sep 6 17:27:57 2002 +From: paul-bayes@svensson.org (Paul Svensson) +Date: Fri, 6 Sep 2002 12:27:57 -0400 (EDT) +Subject: [Spambayes] Corpus Collection (Was: Re: Deployment) +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +On Fri, 6 Sep 2002, Guido van Rossum wrote: + +>Quite independently from testing and tuning the algorithm, I'd like to +>think about deployment. +> +>Eventually, individuals and postmasters should be able to download a +>spambayes software distribution, answer a few configuration questions +>about their mail setup, training and false positives, and install it +>as a filter. +> +>A more modest initial goal might be the production of a tool that can +>easily be used by individuals (since we're more likely to find +>individuals willing to risk this than postmasters). + +My impression is that a pre-collected corpus would not fit most individuals +very well, but each individual (or group?) should collect their own corpus. + +One problem that comes upp immediately: individuals are lazy. + +If I currently get 50 spam and 50 ham a day, and I'll have to +press the 'delete' button once for each spam, I'll be happy +to press the 'spam' button instead. However, if in addition +have to press a 'ham' button for each ham, it starts to look +much less like a win to me. Add the time to install and setup +the whole machinery, and I'll just keep hitting delete. + +The suggestions so far have been to hook something on the delete +action, that adds a message to the ham corpus. I see two problems +with this: the ham will be a bit skewed; mail that I keep around +without deleting will not be counted. Secondly, if I by force of +habit happen to press the 'delete' key instead of the 'spam' key, +I'll end up with spam in the ham, anyways. + +I would like to look for a way to deal with spam in the ham. + +The obvious thing to do is to trigger on the 'spam' button, +and at that time look for messages similar to the deleted one +in the ham corpus, and simply remove them. To do this we +need a way to compare two word count histograms, to see +how similar they are. Any ideas ? + +Also, I personally would prefer to not see the spam at all. +If they get bounced (preferably already in the SMTP), +false positives become the senders problem, to rewrite +to remove the spam smell. + +In a well tuned system then, there spam corpus will be much +smaller than the ham corpus, so it would be possible to be +slightly over-agressive when clearing potential spam from +the ham corpus. This should make it easier to keep it clean. + +Having a good way to remove spam from the ham corpus, +there's less need to worry about it getting there by mistake, +and we might as well simply add all messages to the ham corpus, +that didn't get deleted by the spam filtering. + +It might also be useful to have a way to remove messages from +the spam corpus, in case of user ooops. + + /Paul + diff --git a/machine-learning-ex6/ex6/easy_ham/1759.705cfa5ceb056324fe8fef48d12754db b/machine-learning-ex6/ex6/easy_ham/1759.705cfa5ceb056324fe8fef48d12754db new file mode 100644 index 0000000..518c101 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1759.705cfa5ceb056324fe8fef48d12754db @@ -0,0 +1,24 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 17:27:01 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 12:27:01 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 12:25:05 EDT." + <20020906162505.GB17800@cthulhu.gerg.ca> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <20020906162505.GB17800@cthulhu.gerg.ca> +Message-ID: <200209061627.g86GR1p15407@pcp02138704pcs.reston01.va.comcast.net> + +> I guess MUA-level filtering is just a fallback for people who don't have +> 1) a burning, all-consuming hatred of junk mail, 2) root access to all +> mail servers they rely on, and 3) the ability and inclination to install +> an MTA with every bell and whistle tweaked to keep out junk mail. + +Sure. But for most people, changing their company's or ISP's server +requires years of lobbying, while they have total and immediate +control over their own MUA. + +That said, I agree that we should offer a good solution to +postmasters, and I trust that your ideas are right on the mark! + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1760.a57fd76dcafe47299543685aa2387d32 b/machine-learning-ex6/ex6/easy_ham/1760.a57fd76dcafe47299543685aa2387d32 new file mode 100644 index 0000000..dc159f7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1760.a57fd76dcafe47299543685aa2387d32 @@ -0,0 +1,26 @@ +Return-Path: jeremy@alum.mit.edu +Delivery-Date: Fri Sep 6 17:28:09 2002 +From: jeremy@alum.mit.edu (Jeremy Hylton) +Date: Fri, 6 Sep 2002 12:28:09 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15736.55193.38098.486459@slothrop.zope.com> + +I think one step towards deployment is creating a re-usable tokenizer +for mail messages. The current codebase doesn't expose an easy-to-use +or easy-to-customize tokenizer. + +The timtest module seems to contain an enormous body of practical +knowledge about how to parse mail messages, but the module wasn't +designed for re-use. I'd like to see a module that can take a single +message or a collection of messages and tokenize each one. + +I'd like to see the tokenize by customizable, too. Tim had to exclude +some headers from his test data, because there were particular biases +in the test data. If other people have test data without those +biases, they ought to be able to customize the tokenizer to include +them or exclude others. + +Jeremy + diff --git a/machine-learning-ex6/ex6/easy_ham/1761.eeb706ce24cbbf2cd21648a4781a1464 b/machine-learning-ex6/ex6/easy_ham/1761.eeb706ce24cbbf2cd21648a4781a1464 new file mode 100644 index 0000000..5bd604f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1761.eeb706ce24cbbf2cd21648a4781a1464 @@ -0,0 +1,104 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 17:45:09 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 12:45:09 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <15736.54481.733005.644033@anthem.wooz.org> +Message-ID: + +[Barry A. Warsaw, gives answers and asks questions] + +Here's the code that produced the header tokens: + + x2n = {} + for x in msg.keys(): + x2n[x] = x2n.get(x, 0) + 1 + for x in x2n.items(): + yield "header:%s:%d" % x + + +Some responses: + +> 0.01 19 3559 'header:X-Mailman-Version:1' +> 0.01 19 3559 'header:List-Id:1' +> 0.01 19 3557 'header:X-BeenThere:1' +> +> These three are definitely MM artifacts, although the second one +> /could/ be inserted by other list management software (it's described +> in an RFC). + +Since all the ham came from Mailman, and only 19 spam had it, it's quite +safe to assume then that I should ignore these for now. + +> 0.01 0 3093 'header:Newsgroups:1' +> 0.01 0 3054 'header:Xref:1' +> 0.01 0 3053 'header:Path:1' +> +> These aren't MM artifacts, but are byproducts of gating a message off +> of an nntp feed. Some of the other NNTP-* headers are similar, but I +> won't point them out below. + +I should ignore these too then. + +> 0.01 19 2668 'header:List-Unsubscribe:1' +> 0.01 19 2668 'header:List-Subscribe:1' +> 0.01 19 2668 'header:List-Post:1' +> 0.01 19 2668 'header:List-Help:1' +> 0.01 19 2668 'header:List-Archive:1' +> +> RFC recommended generic listserve headers that MM injects. + +Ditto. + +> So why do you get two entries for this one? +> +> 0.99 519 0 'header:Received:8' +> 0.99 466 1 'header:Received:7' + +Read the code . The first line counts msgs that had 8 instances of a +'Received' header, and the second counts msgs that had 7 instances. I +expect this is a good clue! The more indirect the mail path, the more of +those thingies we'll see, and if you're posting from a spam trailer park in +Tasmania you may well need to travel thru more machines. + +> ... +> Note that header names are case insensitive, so this one's no +> different than "MIME-Version:". Similarly other headers in your list. + +Ignoring case here may or may not help; that's for experiment to decide. +It's plausible that case is significant, if, e.g., a particular spam mailing +package generates unusual case, or a particular clueless spammer +misconfigures his package. + +> 0.02 65 3559 'header:Precedence:1' +> +> Could be Mailman, or not. This header is supposed to tell other +> automated software that this message was automated. E.g. a replybot +> should ignore any message with a Precedence: {bulk|junk|list}. + +Rule of thumb: if Mailman inserts a thing, I should ignore it. Or, better, +I should stop trying to out-think the flaws in the test data and get better +test data instead! + +> 0.50 4 0 'header:2:1' +> +> !? +> ... +> 0.50 0 2 'header:' +> +> Heh? + +I sucked out all the wordinfo keys that began with "header:". The last line +there was probably due to unrelated instances of the string "header:" in +message bodies. Harder to guess about the first line. + +> ... +> Some headers of course are totally unreliable as to their origin. I'm +> thinking stuff like MIME-Version, Content-Type, To, From, etc, etc. +> Everyone sticks those in. + +The brilliance of Anthony's "just count them" scheme is that it requires no +thought, so can't be fooled . Header lines that are evenly +distributed across spam and ham will turn out to be worthless indicators +(prob near 0.5), so do no harm. + diff --git a/machine-learning-ex6/ex6/easy_ham/1762.1d4646886358156accce640171c77c1d b/machine-learning-ex6/ex6/easy_ham/1762.1d4646886358156accce640171c77c1d new file mode 100644 index 0000000..ffa8fff --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1762.1d4646886358156accce640171c77c1d @@ -0,0 +1,55 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 17:55:07 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 12:55:07 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <200209060811.g868Bo904031@localhost.localdomain> +Message-ID: + +[Anthony Baxter] +> The other thing on my todo list (probably tonight's tram ride home) is +> to add all headers from non-text parts of multipart messages. If nothing +> else, it'll pick up most virus email real quick. + +See the checkin comments for timtest.py last night. Adding this code gave a +major reduction in the false negative rate: + +def crack_content_xyz(msg): + x = msg.get_type() + if x is not None: + yield 'content-type:' + x.lower() + + x = msg.get_param('type') + if x is not None: + yield 'content-type/type:' + x.lower() + + for x in msg.get_charsets(None): + if x is not None: + yield 'charset:' + x.lower() + + x = msg.get('content-disposition') + if x is not None: + yield 'content-disposition:' + x.lower() + + fname = msg.get_filename() + if fname is not None: + for x in fname.lower().split('/'): + for y in x.split('.'): + yield 'filename:' + y + + x = msg.get('content-transfer-encoding:') + if x is not None: + yield 'content-transfer-encoding:' + x.lower() + + +... + + t = '' + for x in msg.walk(): + for w in crack_content_xyz(x): + yield t + w + t = '>' + +I *suspect* most of that stuff didn't make any difference, but I put it all +in as one blob so don't know which parts did and didn't help. + diff --git a/machine-learning-ex6/ex6/easy_ham/1763.2ac623f4f429bbe90824fa535e73b558 b/machine-learning-ex6/ex6/easy_ham/1763.2ac623f4f429bbe90824fa535e73b558 new file mode 100644 index 0000000..4ba3d3d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1763.2ac623f4f429bbe90824fa535e73b558 @@ -0,0 +1,24 @@ +Return-Path: barry@python.org +Delivery-Date: Fri Sep 6 17:59:49 2002 +From: barry@python.org (Barry A. Warsaw) +Date: Fri, 6 Sep 2002 12:59:49 -0400 +Subject: [Spambayes] test sets? +References: + +Message-ID: <15736.57093.811682.371784@anthem.wooz.org> + + + TP> A false positive *really* has to work hard then, eh? The long + TP> quote of a Nigerian scam letter is one of the two that made + TP> it, and spamprob() looked at all this stuff before deciding it + TP> was spam: + +Here's an interesting thing to test: discriminate words differently if +they are on a line that starts with `>' or, to catch styles like +above, that the first occurance on a line of < or > is > (to eliminate +html). + +Then again, it may not be worth trying to un-false-positive that +Nigerian scam quote. + +-Barry diff --git a/machine-learning-ex6/ex6/easy_ham/1764.1393ea887720c777d1429b07fce98ab4 b/machine-learning-ex6/ex6/easy_ham/1764.1393ea887720c777d1429b07fce98ab4 new file mode 100644 index 0000000..a06d592 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1764.1393ea887720c777d1429b07fce98ab4 @@ -0,0 +1,75 @@ +Return-Path: neale@woozle.org +Delivery-Date: Fri Sep 6 18:13:17 2002 +From: neale@woozle.org (Neale Pickett) +Date: 06 Sep 2002 10:13:17 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061506.g86F6Qo14777@pcp02138704pcs.reston01.va.comcast.net> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <15736.50015.881231.510395@12-248-11-90.client.attbi.com> + <200209061506.g86F6Qo14777@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +So then, Guido van Rossum is all like: + +> > Basic procmail usage goes something like this: +> > +> > :0fw +> > | spamassassin -P +> > +> > :0 +> > * ^X-Spam-Status: Yes +> > $SPAM +> > +> +> Do you feel capable of writing such a tool? It doesn't look too hard. + +Not to beat a dead horse, but that's exactly what my spamcan package +did. For those just tuning in, spamcan is a thingy I wrote before I +knew about Tim & co's work on this crazy stuff; you can download it from +, but I'm not going +to work on it anymore. + +I'm currently writing a new one based on classifier (and timtest's +booty-kicking tokenizer). I'll probably have something soon, like maybe +half an hour, and no, it's not too hard. The hard part is storing the +data somewhere. I don't want to use ZODB, as I'd like something a +person can just drop in with a default Python install. So anydbm is +looking like my best option. + +I already have a setup like this using Xavier Leroy's SpamOracle, which +does the same sort of thing. You call it from procmail, it adds a new +header, and then you can filter on that header. Really easy. + +Here's how I envision this working. Everybody gets four new mailboxes: + + train-eggs + train-spam + trained-eggs + trained-spam + +You copy all your spam and eggs* into the "train-" boxes as you get it. +How frequently you do this would be up to you, but you'd get better +results if you did it more often, and you'd be wise to always copy over +anything which was misclassified. Then, every night, the spam fairy +swoops down and reads through your folders, learning about what sorts of +things you think are eggs and what sorts of things are spam. After she's +done, she moves your mail into the "trained-" folders. + +This would work for anybody using IMAP on a Unix box, or folks who read +their mail right off the server. I've spoken with some fellows at work +about Exchange and they seem to beleive that Exchange exports +appropriate functionality to implement a spam fairy as well. + +Advanced users could stay ahead of the game by reprogramming their mail +client to bind the key "S" to "move to train-spam" and "H" to "move to +train-eggs". Eventually, if enough people used this sort of thing, it'd +start showing up in mail clients. That's the "delete as spam" button +Paul Graham was talking about. + +* The Hormel company might not think well of using the word "ham" as the + opposite of "spam", and they've been amazingly cool about the use of + their product name for things thus far. So I propose we start calling + non-spam something more innocuous (and more Monty Pythonic) such as + "eggs". + +Neale diff --git a/machine-learning-ex6/ex6/easy_ham/1765.4257318f87e53aa246882d00e42c67d5 b/machine-learning-ex6/ex6/easy_ham/1765.4257318f87e53aa246882d00e42c67d5 new file mode 100644 index 0000000..11cc6a4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1765.4257318f87e53aa246882d00e42c67d5 @@ -0,0 +1,56 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 18:35:55 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 13:35:55 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <15736.55193.38098.486459@slothrop.zope.com> +Message-ID: + +[Jeremy Hylton] +> I think one step towards deployment is creating a re-usable tokenizer +> for mail messages. The current codebase doesn't expose an easy-to-use +> or easy-to-customize tokenizer. + +tokenize() couldn't be easier to use: it takes a string argument, and +produces a stream of tokens (whether via explicit list, or generator, or +tuple, or ... doesn't matter). All the tokenize() functions in GBayes.py +and timtest.py are freely interchangeable this way. + +Note that we have no evidence to support that a customizable tokenizer would +do any good, or, if it would, in which ways customization could be helpful. +That's a research issue on which no work has been done. + +> The timtest module seems to contain an enormous body of practical +> knowledge about how to parse mail messages, but the module wasn't +> designed for re-use. + +That's partly a failure of imagination . Splitting out all knowledge +of tokenization is just a large block cut-and-paste ... there, it's done. +Change the + + from timtoken import tokenize + +at the top to use any other tokenizer now. If you want to make it easier +still, feel free to check in something better. + +> I'd like to see a module that can take a single message or a collection of +> messages and tokenize each one. + +The Msg and MsgStream classes in timtest.py are a start at that, but it's +hard to do anything truly *useful* here when people use all sorts of +different physical representations for email msgs (mboxes in various +formats, one file per "folder", one file per msg, Skip's gzipped gimmick, +...). If you're a Python coder , you *should* find it very easy to +change the guts of Msg and MsgStream to handle your peculiar scheme. +Defining interfaces for these guys should be done. + +> I'd like to see the tokenize by customizable, too. Tim had to exclude +> some headers from his test data, because there were particular biases +> in the test data. If other people have test data without those +> biases, they ought to be able to customize the tokenizer to include +> them or exclude others. + +This sounds like a bottomless pit to me, and there's no easier way to +customize than to edit the code. As README.txt still says, though, massive +refactoring would help. Hop to it! + diff --git a/machine-learning-ex6/ex6/easy_ham/1766.16e55768065036480deaa72ebb3bd8d5 b/machine-learning-ex6/ex6/easy_ham/1766.16e55768065036480deaa72ebb3bd8d5 new file mode 100644 index 0000000..84fa5b6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1766.16e55768065036480deaa72ebb3bd8d5 @@ -0,0 +1,45 @@ +Return-Path: whisper@oz.net +Delivery-Date: Fri Sep 6 18:53:24 2002 +From: whisper@oz.net (David LeBlanc) +Date: Fri, 6 Sep 2002 10:53:24 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: +Message-ID: + +I think that when considering deployment, a solution that supports all +Python platforms and not just the L|Unix crowd is desirable. + +Mac and PC users are more apt to be using a commercial MUA that's unlikely +to offer hooking ability (at least not easily). As mentioned elsewhere, even +L|Unix users may find an MUA solution easier to use then getting it added to +their MTA. (SysOps make programmers look like flaming liberals ;).) + +My notion of a solution for Windows/Outlook has been, as Guido described, a +client-server. Client side does pop3/imap/mapi fetching (of which, I'm only +going to implement pop3 initially) potentially on several hosts, spamhams +the incoming mail and puts it into one file per message (qmail style?). The +MUA accesses this "eThunk" as a server to obtain all the ham. Spam is +retained in the eThunk and a simple viewer would be used for manual +oversight on the spam for ultimate rejection (and training of spam filter) +and the ham will go forward (after being used for training) on the next MUA +fetch. eThunk would sit on a timer for 'always online' users, but I am not +clear on how to support dialup users with this scheme. + +Outbound mail would use a direct path from the MUA to the MTA. Hopefully all +MUAs can split the host fetch/send URL's + +IMO, end users are likely to be more intested in n-way classification. If +this is available, the "simple viewer" could be enhanced to support viewing +via folders and (at least for me) the Outlook nightmare is over - I would +use this as my only MUA. (N.B. according to my recent readings, the best +n-way classifier uses something called a "Support Vector Machine" (SVM) +which is 5-8% more accurate then Naive Bayes (NB) ). + +I wonder if the focus of spambayes ought not to be a classifier that leaves +the fetching and feeding of messages to auxillary code? That way, it could +be dropped into whatever harness that suited the user's situation. + +David LeBlanc +Seattle, WA USA + + diff --git a/machine-learning-ex6/ex6/easy_ham/1767.f726e854a4f84a55fa0961e65c372e8d b/machine-learning-ex6/ex6/easy_ham/1767.f726e854a4f84a55fa0961e65c372e8d new file mode 100644 index 0000000..0cebabc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1767.f726e854a4f84a55fa0961e65c372e8d @@ -0,0 +1,20 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 18:58:14 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 13:58:14 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 10:53:24 PDT." + +References: +Message-ID: <200209061758.g86HwET15939@pcp02138704pcs.reston01.va.comcast.net> + +> I wonder if the focus of spambayes ought not to be a classifier that +> leaves the fetching and feeding of messages to auxillary code? That +> way, it could be dropped into whatever harness that suited the +> user's situation. + +I see no reason to restrict the project to developing the classifier +and leave the deployment to others. Attempts at deployment in the +real world will surely provide additional feedback for the classifier. + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1768.e849ebd7ee95f02a6f4d937acb7575e2 b/machine-learning-ex6/ex6/easy_ham/1768.e849ebd7ee95f02a6f4d937acb7575e2 new file mode 100644 index 0000000..b2718fb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1768.e849ebd7ee95f02a6f4d937acb7575e2 @@ -0,0 +1,28 @@ +Return-Path: gward@python.net +Delivery-Date: Fri Sep 6 19:02:23 2002 +From: gward@python.net (Greg Ward) +Date: Fri, 6 Sep 2002 14:02:23 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: +References: <15736.54481.733005.644033@anthem.wooz.org> + +Message-ID: <20020906180223.GA18250@cthulhu.gerg.ca> + +On 06 September 2002, Tim Peters said: +> > Note that header names are case insensitive, so this one's no +> > different than "MIME-Version:". Similarly other headers in your list. +> +> Ignoring case here may or may not help; that's for experiment to decide. +> It's plausible that case is significant, if, e.g., a particular spam mailing +> package generates unusual case, or a particular clueless spammer +> misconfigures his package. + +Case of headers is definitely helpful. SpamAssassin has a rule for it +-- if you have headers like "DATE" or "SUBJECT", you get a few more +points. + + Greg +-- +Greg Ward http://www.gerg.ca/ +God is omnipotent, omniscient, and omnibenevolent +---it says so right here on the label. diff --git a/machine-learning-ex6/ex6/easy_ham/1769.531649d2c834408569b5aba7d5b2b9fb b/machine-learning-ex6/ex6/easy_ham/1769.531649d2c834408569b5aba7d5b2b9fb new file mode 100644 index 0000000..2215ed2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1769.531649d2c834408569b5aba7d5b2b9fb @@ -0,0 +1,35 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 19:48:35 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 13:48:35 -0500 +Subject: [Spambayes] Deployment +In-Reply-To: <20020906162505.GB17800@cthulhu.gerg.ca> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <20020906162505.GB17800@cthulhu.gerg.ca> +Message-ID: <15736.63619.488739.691181@12-248-11-90.client.attbi.com> + + + Greg> In case it wasn't obvious, I'm a strong proponent of filtering + Greg> junk mail as early as possible, ie. right after the SMTP DATA + Greg> command has been completed. Filtering spam at the MUA just seems + Greg> stupid to me -- by the time it gets to me MUA, the spammer has + Greg> already stolen my bandwidth. + +The two problems I see with filtering that early are: + + 1. Everyone receiving email via that server will contribute ham to the + stew, making the Bayesian classification less effective. + + 2. Given that there will be some false positives, you absolutely have to + put the mail somewhere. You can't simply delete it. (I also don't + like the TMDA-ish business of replying with a msg that says, "here's + what you do to really get your message to me." That puts an extra + burden on my correspondents.) As an individual, I would prefer you + put spammish messages somewhere where I can review them, not an + anonymous sysadmin who I might not trust with my personal email + (nothing against you Greg ;-). + +I personally prefer to manage this stuff at the user agent level. Bandwidth +is a heck of a lot cheaper than my time. + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1770.4aac42588f98c49a6d4c39c4e65d3387 b/machine-learning-ex6/ex6/easy_ham/1770.4aac42588f98c49a6d4c39c4e65d3387 new file mode 100644 index 0000000..7f8651b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1770.4aac42588f98c49a6d4c39c4e65d3387 @@ -0,0 +1,52 @@ +Return-Path: harri.pasanen@bigfoot.com +Delivery-Date: Fri Sep 6 20:07:28 2002 +From: harri.pasanen@bigfoot.com (Harri Pasanen) +Date: Fri, 6 Sep 2002 21:07:28 +0200 +Subject: [Spambayes] Deployment +In-Reply-To: <15736.63619.488739.691181@12-248-11-90.client.attbi.com> +References: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> + <20020906162505.GB17800@cthulhu.gerg.ca> + <15736.63619.488739.691181@12-248-11-90.client.attbi.com> +Message-ID: <200209062107.28106.harri.pasanen@bigfoot.com> + +On Friday 06 September 2002 20:48, Skip Montanaro wrote: +> Greg> In case it wasn't obvious, I'm a strong proponent of +> filtering Greg> junk mail as early as possible, ie. right after the +> SMTP DATA Greg> command has been completed. Filtering spam at the +> MUA just seems Greg> stupid to me -- by the time it gets to me MUA, +> the spammer has Greg> already stolen my bandwidth. +> +> The two problems I see with filtering that early are: +> +> 1. Everyone receiving email via that server will contribute ham +> to the stew, making the Bayesian classification less effective. +> +> 2. Given that there will be some false positives, you absolutely +> have to put the mail somewhere. You can't simply delete it. (I also +> don't like the TMDA-ish business of replying with a msg that says, +> "here's what you do to really get your message to me." That puts an +> extra burden on my correspondents.) As an individual, I would prefer +> you put spammish messages somewhere where I can review them, not an +> anonymous sysadmin who I might not trust with my personal email +> (nothing against you Greg ;-). +> +> I personally prefer to manage this stuff at the user agent level. +> Bandwidth is a heck of a lot cheaper than my time. +> + +I see no reason why both approaches could and should not be used. +MTA level filtering would just need to use a different corpus, one that +would contain illegal or otherwise commonly unapproved material for the +group of people using that MTA. I'm sure that such an approach would +significantly reduce the mail traffic as a first step, without giving +false positives. + +MUA corpus would then be personally trained -- although I'd like the +option of 'down-loadable' corpuses and merge functionality. + +Harri + +PS. Just joined the list, so pardon if my thoughts have been hashed +through before. + + diff --git a/machine-learning-ex6/ex6/easy_ham/1771.8880ac0caa45450bea484d7e9cafdece b/machine-learning-ex6/ex6/easy_ham/1771.8880ac0caa45450bea484d7e9cafdece new file mode 100644 index 0000000..d3e6c05 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1771.8880ac0caa45450bea484d7e9cafdece @@ -0,0 +1,21 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 20:24:15 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 15:24:15 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +[Guido] +> ... +> - A program that acts both as a pop client and a pop server. You +> configure it by telling it about your real pop servers. You then +> point your mail reader to the pop server at localhost. When it +> receives a connection, it connects to the remote pop servers, reads +> your mail, and gives you only the non-spam. + +FYI, I'll never trust such a scheme: I have no tolerance for false +positives, and indeed do nothing to try to block spam on any of my email +accounts now for that reason. Deliver all suspected spam to a Spam folder +instead and I'd love it. + diff --git a/machine-learning-ex6/ex6/easy_ham/1772.d4ebf95243e3b22d80ea63a1f2be06cc b/machine-learning-ex6/ex6/easy_ham/1772.d4ebf95243e3b22d80ea63a1f2be06cc new file mode 100644 index 0000000..78dfd3e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1772.d4ebf95243e3b22d80ea63a1f2be06cc @@ -0,0 +1,27 @@ +Return-Path: guido@python.org +Delivery-Date: Fri Sep 6 20:24:38 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 15:24:38 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: Your message of "Fri, 06 Sep 2002 15:24:15 EDT." + +References: +Message-ID: <200209061924.g86JOc516514@pcp02138704pcs.reston01.va.comcast.net> + +> > - A program that acts both as a pop client and a pop server. You +> > configure it by telling it about your real pop servers. You then +> > point your mail reader to the pop server at localhost. When it +> > receives a connection, it connects to the remote pop servers, reads +> > your mail, and gives you only the non-spam. +> +> FYI, I'll never trust such a scheme: I have no tolerance for false +> positives, and indeed do nothing to try to block spam on any of my email +> accounts now for that reason. Deliver all suspected spam to a Spam folder +> instead and I'd love it. + +Another config parameter. + +The filter could add a header file. Or a ~ to the subject if you like +that style. :-) + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1773.2f86bbeac16f343c0c9e8d9d363cabb2 b/machine-learning-ex6/ex6/easy_ham/1773.2f86bbeac16f343c0c9e8d9d363cabb2 new file mode 100644 index 0000000..74c4c4f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1773.2f86bbeac16f343c0c9e8d9d363cabb2 @@ -0,0 +1,21 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 20:21:22 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 15:21:22 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +[Guido] +> ... +> I don't know how big that pickle would be, maybe loading it each time +> is fine. Or maybe marshalling.) + +My tests train on about 7,000 msgs, and a binary pickle of the database is +approaching 10 million bytes. I haven't done anything to try to reduce its +size, and know of some specific problem areas (for example, doing character +5-grams of "long words" containing high-bit characters generates a lot of +database entries, and I suspect they're approximately worthless). OTOH, +adding in more headers will increase the size. So let's call it 10 meg +. + diff --git a/machine-learning-ex6/ex6/easy_ham/1774.572d5d58699f0b03e959bbdc6ee14e83 b/machine-learning-ex6/ex6/easy_ham/1774.572d5d58699f0b03e959bbdc6ee14e83 new file mode 100644 index 0000000..6cb50e4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1774.572d5d58699f0b03e959bbdc6ee14e83 @@ -0,0 +1,33 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 20:43:56 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 15:43:56 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: <200209061431.g86EVM114413@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +[Guido] +> Takers? How is ESR's bogofilter packaged? SpamAssassin? The Perl +> Bayes filter advertised on slashdot? + +WRT the last, it's a small pile of Windows .exe files along with +cygwin1.dll. The .exes are cmdline programs. One is a POP3 proxy. If I +currently have an email server named, say, mail.comcast.net, with user name +timmy, then I change my email reader to say that my server is 127.0.0.1, and +that my user name on that server is mail.comcast.net:timmy. In that way the +proxy picks up both the real server and user names from what the mail reader +tells it the user name is. + +This is an N-way classifier (like ifile that way), and "all it does" is +insert a + + X-Text-Classification: one_of_the_class_names_you_picked + +header into your email before passing it on to your mail reader. The user +then presumably fiddles their mail reader to look for such headers and "do +something about it" (and even Outlook can handle *that* much ). + +The user is responsible for generating text files with appropriate examples +of each class of message, and for running the cmdline tools to train the +classifier. + diff --git a/machine-learning-ex6/ex6/easy_ham/1775.dd744a40e87e0715cd0153fef3a63a99 b/machine-learning-ex6/ex6/easy_ham/1775.dd744a40e87e0715cd0153fef3a63a99 new file mode 100644 index 0000000..e8c9448 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1775.dd744a40e87e0715cd0153fef3a63a99 @@ -0,0 +1,46 @@ +Return-Path: whisper@oz.net +Delivery-Date: Fri Sep 6 20:53:36 2002 +From: whisper@oz.net (David LeBlanc) +Date: Fri, 6 Sep 2002 12:53:36 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: +Message-ID: + +You missed the part that said that spam is kept in the "eThunk" and was +viewable by a simple viewer for final disposition? + +Of course, with Outbloat, you could fire up PythonWin and stuff the spam +into the Junk Email folder... but then you loose the ability to retrain on +the user classified ham/spam. + +David LeBlanc +Seattle, WA USA + +> -----Original Message----- +> From: spambayes-bounces+whisper=oz.net@python.org +> [mailto:spambayes-bounces+whisper=oz.net@python.org]On Behalf Of Tim +> Peters +> Sent: Friday, September 06, 2002 12:24 +> To: spambayes@python.org +> Subject: RE: [Spambayes] Deployment +> +> +> [Guido] +> > ... +> > - A program that acts both as a pop client and a pop server. You +> > configure it by telling it about your real pop servers. You then +> > point your mail reader to the pop server at localhost. When it +> > receives a connection, it connects to the remote pop servers, reads +> > your mail, and gives you only the non-spam. +> +> FYI, I'll never trust such a scheme: I have no tolerance for false +> positives, and indeed do nothing to try to block spam on any of my email +> accounts now for that reason. Deliver all suspected spam to a Spam folder +> instead and I'd love it. +> +> +> _______________________________________________ +> Spambayes mailing list +> Spambayes@python.org +> http://mail.python.org/mailman-21/listinfo/spambayes + diff --git a/machine-learning-ex6/ex6/easy_ham/1776.6a0570ff6d45b717e0b6352d8fbf7ad4 b/machine-learning-ex6/ex6/easy_ham/1776.6a0570ff6d45b717e0b6352d8fbf7ad4 new file mode 100644 index 0000000..6327adf --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1776.6a0570ff6d45b717e0b6352d8fbf7ad4 @@ -0,0 +1,58 @@ +Return-Path: neale@woozle.org +Delivery-Date: Fri Sep 6 20:58:33 2002 +From: neale@woozle.org (Neale Pickett) +Date: 06 Sep 2002 12:58:33 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: +References: +Message-ID: + +So then, Tim Peters is all like: + +> [Guido] +> > ... +> > I don't know how big that pickle would be, maybe loading it each time +> > is fine. Or maybe marshalling.) +> +> My tests train on about 7,000 msgs, and a binary pickle of the database is +> approaching 10 million bytes. + +My paltry 3000-message training set makes a 6.3MB (where 1MB=1e6 bytes) +pickle. hammie.py, which I just checked in, will optionally let you +write stuff out to a dbm file. With that same message base, the dbm +file weighs in at a hefty 21.4MB. It also takes longer to write: + + Using a database: + real 8m24.741s + user 6m19.410s + sys 1m33.650s + + Using a pickle: + real 1m39.824s + user 1m36.400s + sys 0m2.160s + +This is on a PIII at 551.257MHz (I don't know what it's *supposed* to +be, 551.257 is what /proc/cpuinfo says). + +For comparison, SpamOracle (currently the gold standard in my mind, at +least for speed) on the same data blazes along: + + real 0m29.592s + user 0m28.050s + sys 0m1.180s + +Its data file, which appears to be a marshalled hash, is 448KB. +However, it's compiled O'Caml and it uses a much simpler tokenizing +algorithm written with a lexical analyzer (ocamllex), so we'll never be +able to outperform it. It's something to keep in mind, though. + +I don't have statistics yet for scanning unknown messages. (Actually, I +do, and the database blows the pickle out of the water, but it scores +every word with 0.00, so I'm not sure that's a fair test. ;) In any +case, 21MB per user is probably too large, and 10MB is questionable. + +On the other hand, my pickle compressed very well with gzip, shrinking +down to 1.8MB. + +Neale diff --git a/machine-learning-ex6/ex6/easy_ham/1777.6bb054bf786bfbfeacc78dd1918ffbfa b/machine-learning-ex6/ex6/easy_ham/1777.6bb054bf786bfbfeacc78dd1918ffbfa new file mode 100644 index 0000000..a99396b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1777.6bb054bf786bfbfeacc78dd1918ffbfa @@ -0,0 +1,22 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Fri Sep 6 22:32:21 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 17:32:21 -0400 +Subject: [Spambayes] Deployment +In-Reply-To: +Message-ID: + +[Tim] +> My tests train on about 7,000 msgs, and a binary pickle of the database is +> approaching 10 million bytes. + +That shrinks to under 2 million bytes, though, if I delete all the WordInfo +records with spamprob exactly equal to UNKNOWN_SPAMPROB. Such records +aren't needed when scoring (an unknown word gets a made-up probability of +UNKNOWN_SPAMPROB). Such records are only needed for training; I've noted +before that a scoring-only database can be leaner. + +In part the bloat is due to character 5-gram'ing, part due to that the +database is brand new so has never been cleaned via clearjunk(), and part +due to plain evil gremlins. + diff --git a/machine-learning-ex6/ex6/easy_ham/1778.5e3a4fdad399e2557d6921d7e938faef b/machine-learning-ex6/ex6/easy_ham/1778.5e3a4fdad399e2557d6921d7e938faef new file mode 100644 index 0000000..dfd72a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1778.5e3a4fdad399e2557d6921d7e938faef @@ -0,0 +1,44 @@ +Return-Path: neale@woozle.org +Delivery-Date: Fri Sep 6 22:44:33 2002 +From: neale@woozle.org (Neale Pickett) +Date: 06 Sep 2002 14:44:33 -0700 +Subject: [Spambayes] Deployment +In-Reply-To: +References: +Message-ID: + +So then, Tim Peters is all like: + +> [Tim] +> > My tests train on about 7,000 msgs, and a binary pickle of the database is +> > approaching 10 million bytes. +> +> That shrinks to under 2 million bytes, though, if I delete all the WordInfo +> records with spamprob exactly equal to UNKNOWN_SPAMPROB. Such records +> aren't needed when scoring (an unknown word gets a made-up probability of +> UNKNOWN_SPAMPROB). Such records are only needed for training; I've noted +> before that a scoring-only database can be leaner. + +That's pretty good. I wonder how much better you could do by using some +custom pickler. I just checked my little dbm file and found a lot of +what I would call bloat: + + >>> import anydbm, hammie + >>> d = hammie.PersistentGrahamBayes("ham.db") + >>> db = anydbm.open("ham.db") + >>> db["neale"], len(db["neale"]) + ('ccopy_reg\n_reconstructor\nq\x01(cclassifier\nWordInfo\nq\x02c__builtin__\nobject\nq\x03NtRq\x04(GA\xce\xbc{\xfd\x94\xbboK\x00K\x00K\x00G?\xe0\x00\x00\x00\x00\x00\x00tb.', 106) + >>> d.wordinfo["neale"], len(`d.wordinfo["neale"]`) + (WordInfo'(1031337979.16197, 0, 0, 0, 0.5)', 42) + +Ignoring the fact that there are too many zeros in there, the pickled +version of that WordInfo object is over twice as large as the string +representation. So we could get a 50% decrease in size just by using +the string representation instead of the pickle, right? + +Something about that logic seems wrong to me, but I can't see what it +is. Maybe pickling is good for heterogeneous data types, but every +value of our big dictionary is going to have the same type, so there's a +ton of redundancy. I guess that explains why it compressed so well. + +Neale diff --git a/machine-learning-ex6/ex6/easy_ham/1779.b1039d148dbb347b468973dc6bfe0319 b/machine-learning-ex6/ex6/easy_ham/1779.b1039d148dbb347b468973dc6bfe0319 new file mode 100644 index 0000000..be4d70b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1779.b1039d148dbb347b468973dc6bfe0319 @@ -0,0 +1,23 @@ +Return-Path: skip@pobox.com +Delivery-Date: Fri Sep 6 23:39:48 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 17:39:48 -0500 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: +References: <15737.2576.315460.956295@slothrop.zope.com> + +Message-ID: <15737.11956.18745.619040@12-248-11-90.client.attbi.com> + + + >> > ##Remove: jeremy@alum.mit.edu## + + Tim> Yuck: it got two 0.01's from embedding your email address at the + Tim> bottom here. + +Which suggests that tagging email addresses in To/CC headers should be +handled differently than in message bodies? + +Skip + + + diff --git a/machine-learning-ex6/ex6/easy_ham/1780.35908078146d2d19fccf8b786aa83cf7 b/machine-learning-ex6/ex6/easy_ham/1780.35908078146d2d19fccf8b786aa83cf7 new file mode 100644 index 0000000..7e50ffc --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1780.35908078146d2d19fccf8b786aa83cf7 @@ -0,0 +1,30 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 00:03:58 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 19:03:58 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15737.11956.18745.619040@12-248-11-90.client.attbi.com> +Message-ID: + +> >> > ##Remove: jeremy@alum.mit.edu## +> +> Tim> Yuck: it got two 0.01's from embedding your email address at the +> Tim> bottom here. +> +> Which suggests that tagging email addresses in To/CC headers should be +> handled differently than in message bodies? + +I don't know whether it suggests that, but they would be tagged differently +in to/cc if I were tagging them at all right now. If I were tagging To: +addresses, for example, the tokens would look like + + 'to:email addr:mit' + +instead of + + 'email addr:mit' + +as they appear when an email-like thingie is found in the body. Whether +email addresses should be stuck in as one blob or split up as they are now +is something I haven't tested. + diff --git a/machine-learning-ex6/ex6/easy_ham/1781.8f5053b1fda58d8224b0fb4827413912 b/machine-learning-ex6/ex6/easy_ham/1781.8f5053b1fda58d8224b0fb4827413912 new file mode 100644 index 0000000..5111184 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1781.8f5053b1fda58d8224b0fb4827413912 @@ -0,0 +1,24 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 00:21:15 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 19:21:15 -0400 +Subject: [Spambayes] [ANN] Trained classifier available +In-Reply-To: <20020906162505.GB17800@cthulhu.gerg.ca> +Message-ID: + + http://sf.net/project/showfiles.php?group_id=61702 + + This is the binary pickle of my classifier after training on + my first spam/ham corpora pair. All records with + spamprob == UNKNOWN_SPAMPROB have been purged. + +It's in a zip file, and is only half a meg. + +Jeremy, it would be interesting if you tried that on your data. The false +negative rates across my other 4 test sets when run against this are: + + 0.364% + 0.400% + 0.400% + 0.909% + diff --git a/machine-learning-ex6/ex6/easy_ham/1782.e027f2af78c05f8498f09d7979cd127d b/machine-learning-ex6/ex6/easy_ham/1782.e027f2af78c05f8498f09d7979cd127d new file mode 100644 index 0000000..50d6560 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1782.e027f2af78c05f8498f09d7979cd127d @@ -0,0 +1,123 @@ +Return-Path: jeremy@alum.mit.edu +Delivery-Date: Sat Sep 7 01:00:14 2002 +From: jeremy@alum.mit.edu (Jeremy Hylton) +Date: Fri, 6 Sep 2002 20:00:14 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: +References: <15737.2576.315460.956295@slothrop.zope.com> + +Message-ID: <15737.16782.542869.368986@slothrop.zope.com> + +>>>>> "TP" == Tim Peters writes: + + >> The false positive rate is 0-3%. (Finally! I had to scrub a + >> bunch of previously unnoticed spam from my inbox.) Both + >> collections have about 1100 messages. + + TP> Does this mean you trained on about 1100 of each? + +The total collections are 1100 messages. I trained with 1100/5 +messages. + + TP> Can't guess. You're in a good position to start adding more + TP> headers into the analysis, though. For example, an easy start + TP> would be to uncomment the header-counting lines in tokenize() + TP> (look for "Anthony"). Likely the most valuable thing it's + TP> missing then is some special parsing and tagging of Received + TP> headers. + +I tried the "Anthony" stuff, but it didn't make any appreciable +difference that I could see from staring at the false negative rate. +The numbers are big enough that a quick eyeball suffices. + +Then I tried a dirt simple tokenizer for the headers that tokenize the +words in the header and emitted like this "%s: %s" % (hdr, word). +That worked too well :-). The received and date headers helped the +classifier discover that most of my spam is old and most of my ham is +new. + +So I tried a slightly more complex one that skipped received, data, +and x-from_, which all contained timestamps. I also skipped the X-VM- +headers that my mail reader added: + +class MyTokenizer(Tokenizer): + + skip = {'received': 1, + 'date': 1, + 'x-from_': 1, + } + + def tokenize_headers(self, msg): + for k, v in msg.items(): + k = k.lower() + if k in self.skip or k.startswith('x-vm'): + continue + for w in subject_word_re.findall(v): + for t in tokenize_word(w): + yield "%s:%s" % (k, t) + +This did moderately better. The false negative rate is 7-21% over the +tests performed so far. This is versus 11-28% for the previous test +run that used the timtest header tokenizer. + +It's interesting to see that the best descriminators are all ham +discriminators. There's not a single spam-indicator in the list. +Most of the discriminators are header fields. One thing to note is +that the presence of Mailman-generated headers is a strong non-spam +indicator. That matches my intuition: I got an awful lot of +Mailman-generated mail, and those lists are pretty good at surpressing +spam. The other thing is that I get a lot of ham from people who use +XEmacs. That's probably Barry, Guido, Fred, and me :-). + +One final note. It looks like many of the false positives are from +people I've never met with questions about Shakespeare. They often +start with stuff like: + +> Dear Sir/Madam, +> +> May I please take some of your precious time to ask you to help me to find a +> solution to a problem that is worrying me greatly. I am old science student + +I guess that reads a lot like spam :-(. + +Jeremy + + +238 hams & 221 spams + false positive: 2.10084033613 + false negative: 9.50226244344 + new false positives: [] + new false negatives: [] + + best discriminators: + 'x-mailscanner:clean' 671 0.0483425 + 'x-spam-status:IN_REP_TO' 679 0.01 + 'delivered-to:skip:s 10' 691 0.0829876 + 'x-mailer:Lucid' 699 0.01 + 'x-mailer:XEmacs' 699 0.01 + 'x-mailer:patch' 699 0.01 + 'x-mailer:under' 709 0.01 + 'x-mailscanner:Found' 716 0.0479124 + 'cc:zope.com' 718 0.01 + "i'll" 750 0.01 + 'references:skip:1 20' 767 0.01 + 'rossum' 795 0.01 + 'x-spam-status:skip:S 10' 825 0.01 + 'van' 850 0.01 + 'http0:zope' 869 0.01 + 'email addr:zope' 883 0.01 + 'from:python.org' 895 0.01 + 'to:jeremy' 902 0.185401 + 'zope' 984 0.01 + 'list-archive:skip:m 10' 1058 0.01 + 'list-subscribe:skip:m 10' 1058 0.01 + 'list-unsubscribe:skip:m 10' 1058 0.01 + 'from:zope.com' 1098 0.01 + 'return-path:zope.com' 1115 0.01 + 'wrote:' 1129 0.01 + 'jeremy' 1150 0.01 + 'email addr:python' 1257 0.01 + 'x-mailman-version:2.0.13' 1311 0.01 + 'x-mailman-version:101270' 1395 0.01 + 'python' 1401 0.01 + diff --git a/machine-learning-ex6/ex6/easy_ham/1783.3c26c587b4fe3b681981c38f90593e02 b/machine-learning-ex6/ex6/easy_ham/1783.3c26c587b4fe3b681981c38f90593e02 new file mode 100644 index 0000000..b793c8d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1783.3c26c587b4fe3b681981c38f90593e02 @@ -0,0 +1,56 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 01:06:56 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 20:06:56 -0400 +Subject: [Spambayes] Ditching WordInfo +In-Reply-To: +Message-ID: + +[Neale Pickett] +> I hacked up something to turn WordInfo into a tuple before pickling, + +That's what WordInfo.__getstate__ does. + +> and then turn the tuple back into WordInfo right after unpickling. + +Likewise for WordInfo.__setstate__. + +> Without this hack, my database was 21549056 bytes. After, it's 9945088 +bytes. +> That's a 50% savings, not a bad optimization. + +I'm not sure what you're doing, but suspect you're storing individual +WordInfo pickles. If so, most of the administrative pickle bloat is due to +that, and doesn't happen if you pickle an entire classifier instance +directly. + +> So my question is, would it be too painful to ditch WordInfo in favor of +> a straight out tuple? (Or list if you'd rather, although making it a +> tuple has the nice side-effect of forcing you to play nice with my +> DBDict class). +> +> I hope doing this sort of optimization isn't too far distant from the +> goal of this project, even though README.txt says it is :) +> +> Diff attached. I'm not comfortable checking this in, + +I think it's healthy that you're uncomfortable checking things in with + +> + # XXX: kludge kludge kludge. + +comments . + +> since I don't really like how it works (I'd rather just get rid of +WordInfo). +> But I guess it proves the point :) + +I'm not interested in optimizing anything yet, and get many benefits from +the *ease* of working with utterly vanilla Python instance objects. Lots of +code all over picks these apart for display and analysis purposes. Very few +people have tried this code yet, and there are still many questions about it +(see, e.g., Jeremy's writeup of his disappointing first-time experiences +today). Let's keep it as easy as possible to modify for now. If you're +desparate to save memory, write a subclass? + +Other people are free to vote in other directions, of course . + diff --git a/machine-learning-ex6/ex6/easy_ham/1784.0e74974631f665395f5e6b01148b4bee b/machine-learning-ex6/ex6/easy_ham/1784.0e74974631f665395f5e6b01148b4bee new file mode 100644 index 0000000..4d77b08 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1784.0e74974631f665395f5e6b01148b4bee @@ -0,0 +1,27 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 01:18:18 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 20:18:18 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <15736.57093.811682.371784@anthem.wooz.org> +Message-ID: + +[Barry] +> Here's an interesting thing to test: discriminate words differently if +> they are on a line that starts with `>' or, to catch styles like +> above, that the first occurance on a line of < or > is > (to eliminate +> html). + +Give me a mod to timtoken.py that does this, and I'll be happy to test it. + +> Then again, it may not be worth trying to un-false-positive that +> Nigerian scam quote. + +If there's any sanity in the world, even the original poster would be glad +to have his kneejerk response blocked . OTOH, you know there are a +great many msgs on c.l.py (all over Usenet) that do nothing except quote a +previous post and add a one-line comment. Remove the quoted sections from +those, and there may be no content left to judge except for the headers. So +I can see this nudging the stats in either direction. The only way to find +out for sure is for you to write some code . + diff --git a/machine-learning-ex6/ex6/easy_ham/1785.aabc3014dc8e7bbf3748d1e1b2afbf56 b/machine-learning-ex6/ex6/easy_ham/1785.aabc3014dc8e7bbf3748d1e1b2afbf56 new file mode 100644 index 0000000..bedacee --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1785.aabc3014dc8e7bbf3748d1e1b2afbf56 @@ -0,0 +1,20 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 01:32:26 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 20:32:26 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15737.16782.542869.368986@slothrop.zope.com> +Message-ID: + +[Jeremy Hylton[ +> The total collections are 1100 messages. I trained with 1100/5 +> messages. + +I'm reading this now as that you trained on about 220 spam and about 220 +ham. That's less than 10% of the sizes of the training sets I've been +using. Please try an experiment: train on 550 of each, and test once +against the other 550 of each. Do that a few times making a random split +each time (it won't be long until you discover why directories of individual +files are a lot easier to work -- e.g., random.shuffle() makes this kind of +thing trivial for me). + diff --git a/machine-learning-ex6/ex6/easy_ham/1786.59383d91430d9cb58e7d0aa4e25b1320 b/machine-learning-ex6/ex6/easy_ham/1786.59383d91430d9cb58e7d0aa4e25b1320 new file mode 100644 index 0000000..25b8934 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1786.59383d91430d9cb58e7d0aa4e25b1320 @@ -0,0 +1,197 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 03:51:24 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Fri, 06 Sep 2002 22:51:24 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15737.16782.542869.368986@slothrop.zope.com> +Message-ID: + +[Jeremy] +> The total collections are 1100 messages. I trained with 1100/5 +> messages. + +While that's not a lot of training data, I picked random subsets of my +corpora and got much better behavior (this is rates.py output; f-p rate per +run in left column, f-n rate in right): + +Training on Data/Ham/Set1 & Data/Spam/Set1 ... 220 hams & 220 spams + 0.000 1.364 + 0.000 0.455 + 0.000 1.818 + 0.000 1.364 +Training on Data/Ham/Set2 & Data/Spam/Set2 ... 220 hams & 220 spams + 0.455 2.727 + 0.455 0.455 + 0.000 0.909 + 0.455 2.273 +Training on Data/Ham/Set3 & Data/Spam/Set3 ... 220 hams & 220 spams + 0.000 2.727 + 0.455 0.909 + 0.000 0.909 + 0.000 1.818 +Training on Data/Ham/Set4 & Data/Spam/Set4 ... 220 hams & 220 spams + 0.000 2.727 + 0.000 0.909 + 0.000 0.909 + 0.000 1.818 +Training on Data/Ham/Set5 & Data/Spam/Set5 ... 220 hams & 220 spams + 0.000 1.818 + 0.000 1.364 + 0.000 0.909 + 0.000 2.273 +total false pos 4 0.363636363636 +total false neg 29 2.63636363636 + +Another full run with another randomly chosen (but disjoint) 220 of each in +each set was much the same. The score distribution is also quite sharp: + +Ham distribution for all runs: +* = 74 items + 0.00 4381 ************************************************************ + 2.50 3 * + 5.00 3 * + 7.50 1 * + 10.00 0 + 12.50 0 + 15.00 1 * + 17.50 1 * + 20.00 1 * + 22.50 0 + 25.00 0 + 27.50 0 + 30.00 1 * + 32.50 0 + 35.00 0 + 37.50 0 + 40.00 1 * + 42.50 0 + 45.00 0 + 47.50 0 + 50.00 0 + 52.50 0 + 55.00 0 + 57.50 1 * + 60.00 0 + 62.50 0 + 65.00 0 + 67.50 1 * + 70.00 0 + 72.50 0 + 75.00 0 + 77.50 0 + 80.00 0 + 82.50 0 + 85.00 0 + 87.50 1 * + 90.00 0 + 92.50 2 * + 95.00 0 + 97.50 2 * + +Spam distribution for all runs: +* = 73 items + 0.00 13 * + 2.50 0 + 5.00 4 * + 7.50 5 * + 10.00 0 + 12.50 2 * + 15.00 1 * + 17.50 1 * + 20.00 2 * + 22.50 1 * + 25.00 0 + 27.50 1 * + 30.00 0 + 32.50 3 * + 35.00 0 + 37.50 0 + 40.00 0 + 42.50 0 + 45.00 1 * + 47.50 3 * + 50.00 16 * + 52.50 0 + 55.00 0 + 57.50 0 + 60.00 1 * + 62.50 0 + 65.00 2 * + 67.50 1 * + 70.00 1 * + 72.50 0 + 75.00 1 * + 77.50 0 + 80.00 3 * + 82.50 2 * + 85.00 1 * + 87.50 2 * + 90.00 2 * + 92.50 4 * + 95.00 4 * + 97.50 4323 ************************************************************ + +It's hard to say whether you need better ham or better spam, but I suspect +better spam . 18 of the 30 most powerful discriminators here were +HTML-related spam indicators; the top 10 overall were: + + '' 312 0.99 + '' 329 0.99 + 'click' 334 0.99 + '' 335 0.99 + 'wrote:' 381 0.01 + 'skip:< 10' 398 0.99 + 'python' 428 0.01 + 'content-type:text/html' 454 0.99 + +The HTML tags come from non-multipart/alternative HTML messages, from which +HTML tags aren't stripped, and there are lots of these in my spam sets. + +That doesn't account for it, though. If I strip HTML tags out of those too, +the rates are only a little worse: + +raining on Data/Ham/Set1 & Data/Spam/Set1 ... 220 hams & 220 spams + 0.000 1.364 + 0.000 1.818 + 0.455 1.818 + 0.000 1.818 +raining on Data/Ham/Set2 & Data/Spam/Set2 ... 220 hams & 220 spams + 0.000 1.364 + 0.455 1.818 + 0.455 0.909 + 0.000 1.818 +raining on Data/Ham/Set3 & Data/Spam/Set3 ... 220 hams & 220 spams + 0.000 2.727 + 0.000 0.909 + 0.909 0.909 + 0.455 1.818 +raining on Data/Ham/Set4 & Data/Spam/Set4 ... 220 hams & 220 spams + 0.000 1.818 + 0.000 0.909 + 0.455 0.909 + 0.000 1.364 +raining on Data/Ham/Set5 & Data/Spam/Set5 ... 220 hams & 220 spams + 0.000 2.727 + 0.000 1.364 + 0.455 2.273 + 0.455 2.273 +otal false pos 4 0.363636363636 +otal false neg 34 3.09090909091 + +The 4th-strongest discriminator *still* finds another HTML clue, though! + + 'subject:Python' 164 0.01 + 'money' 169 0.99 + 'content-type:text/plain' 185 0.2 + 'charset:us-ascii' 191 0.127273 + "i'm" 232 0.01 + 'content-type:text/html' 248 0.983607 + ' ' 255 0.99 + 'wrote:' 372 0.01 + 'python' 431 0.01 + 'click' 519 0.99 + +Heh. I forgot all about  . + diff --git a/machine-learning-ex6/ex6/easy_ham/1787.94ca5ccaec9be05c252bf32961a86a3d b/machine-learning-ex6/ex6/easy_ham/1787.94ca5ccaec9be05c252bf32961a86a3d new file mode 100644 index 0000000..2c4052b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1787.94ca5ccaec9be05c252bf32961a86a3d @@ -0,0 +1,33 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Sat Sep 7 04:38:51 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Sat, 07 Sep 2002 13:38:51 +1000 +Subject: [Spambayes] test sets? +In-Reply-To: +Message-ID: <200209070338.g873cpp20640@localhost.localdomain> + + +> > Note that header names are case insensitive, so this one's no +> > different than "MIME-Version:". Similarly other headers in your list. +> +> Ignoring case here may or may not help; that's for experiment to decide. +> It's plausible that case is significant, if, e.g., a particular spam mailing +> package generates unusual case, or a particular clueless spammer +> misconfigures his package. + +I found it made no difference for my testing. + +> The brilliance of Anthony's "just count them" scheme is that it requires no +> thought, so can't be fooled . Header lines that are evenly +> distributed across spam and ham will turn out to be worthless indicators +> (prob near 0.5), so do no harm. + +zactly. I started off doing clever clever things, and, as always with +this stuff, found that stupid with a rock beats smart with scissors, +every time. + + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1788.26beacaa0fa03cb6199c57b8a99a2852 b/machine-learning-ex6/ex6/easy_ham/1788.26beacaa0fa03cb6199c57b8a99a2852 new file mode 100644 index 0000000..3bee5a5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1788.26beacaa0fa03cb6199c57b8a99a2852 @@ -0,0 +1,24 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Sat Sep 7 04:44:50 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Sat, 07 Sep 2002 13:44:50 +1000 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: + <200209062026.g86KQqJ03393@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <200209070344.g873io020676@localhost.localdomain> + + +> Looks like your ham corpus by and large has To: jeremy@alum.mit.edu in +> a header while your spam corpus by and large doesn't. But this one +> does. + +Interestingly, for me, one of the highest value spam indicators was +the name of the mail host that the spam was delivered to, in the To: +line. So mail to info@gin.elax2.ekorp.com was pretty much a dead cert +for the filters. + + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1789.146b27f3890e3350b0e596b42e18a985 b/machine-learning-ex6/ex6/easy_ham/1789.146b27f3890e3350b0e596b42e18a985 new file mode 100644 index 0000000..8610e81 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1789.146b27f3890e3350b0e596b42e18a985 @@ -0,0 +1,33 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Sat Sep 7 04:50:37 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Sat, 07 Sep 2002 13:50:37 +1000 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15737.16782.542869.368986@slothrop.zope.com> +Message-ID: <200209070350.g873obE20720@localhost.localdomain> + + +>>> Jeremy Hylton wrote +> Then I tried a dirt simple tokenizer for the headers that tokenize the +> words in the header and emitted like this "%s: %s" % (hdr, word). +> That worked too well :-). The received and date headers helped the +> classifier discover that most of my spam is old and most of my ham is +> new. + +Heh. I hit the same problem, but the other way round, when I first +started playing with this - I'd collected spam for a week or two, +then mixed it up with randomly selected messages from my mail boxes. + +course, it instantly picked up on 'received:2001' as a non-ham. + +Curse that too-smart-for-me software. Still, it's probably a good +thing to note in the documentation about the software - when collecting +spam/ham, make _sure_ you try and collect from the same source. + + +Anthony + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1790.305d7c2b4c83864ca868937855ad1b27 b/machine-learning-ex6/ex6/easy_ham/1790.305d7c2b4c83864ca868937855ad1b27 new file mode 100644 index 0000000..bf2a0f8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1790.305d7c2b4c83864ca868937855ad1b27 @@ -0,0 +1,20 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Sat Sep 7 04:52:54 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Sat, 07 Sep 2002 13:52:54 +1000 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <200209070350.g873obE20720@localhost.localdomain> +Message-ID: <200209070352.g873qs820746@localhost.localdomain> + + + +> course, it instantly picked up on 'received:2001' as a non-ham. + -spam. + +*sigh* + + +-- +Anthony Baxter +It's never too late to have a happy childhood. + diff --git a/machine-learning-ex6/ex6/easy_ham/1791.77ff25da8e59d16dfba5c708a0cf3b69 b/machine-learning-ex6/ex6/easy_ham/1791.77ff25da8e59d16dfba5c708a0cf3b69 new file mode 100644 index 0000000..24efa04 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1791.77ff25da8e59d16dfba5c708a0cf3b69 @@ -0,0 +1,23 @@ +Return-Path: guido@python.org +Delivery-Date: Sat Sep 7 04:51:12 2002 +From: guido@python.org (Guido van Rossum) +Date: Fri, 06 Sep 2002 23:51:12 -0400 +Subject: [Spambayes] hammie.py vs. GBayes.py +Message-ID: <200209070351.g873pC613144@pcp02138704pcs.reston01.va.comcast.net> + +There seem to be two "drivers" for the classifier now: Neale Pickett's +hammie.py, and the original GBayes.py. According to the README.txt, +GBayes.py hasn't been kept up to date. Is there anything in there +that isn't covered by hammie.py? About the only useful feature of +GBayes.py that hammie.py doesn't (yet) copy is -u, which calculates +spamness for an entire mailbox. This feature can easily be copied +into hammie.py. (GBayes.py also has a large collection of tokenizers; +but timtoken.py rules, so I'm not sure how interesting that is now.) + +Therefore I propose to nuke GBayes.py, after adding a -u feature. + +Anyone against? (I imagine that Skip or Barry might have a stake in +GBayes.py; Tim seems to have moved all code he's working to other +modules.) + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1792.f3dfa7db118b7738bcdaa1cd81a0f1e2 b/machine-learning-ex6/ex6/easy_ham/1792.f3dfa7db118b7738bcdaa1cd81a0f1e2 new file mode 100644 index 0000000..0b029c2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1792.f3dfa7db118b7738bcdaa1cd81a0f1e2 @@ -0,0 +1,17 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 05:05:45 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 23:05:45 -0500 +Subject: [Spambayes] Maybe change X-Spam-Disposition to something else... +Message-ID: <15737.31513.555967.915801@12-248-11-90.client.attbi.com> + + +I actually like Neale's X-Spam-Disposition header, I just wonder if maybe we +should choose something with a different prefix than "X-Spam-" so that +people don't confuse it with SpamAssassin, all of whose headers begin with +that prefix. + +Also, some sort of version information would be useful. Perhaps the CVS +version number for the classifier module could be tacked on. + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1793.c20b0ff2930d9b36d7aa70e54939d12c b/machine-learning-ex6/ex6/easy_ham/1793.c20b0ff2930d9b36d7aa70e54939d12c new file mode 100644 index 0000000..807a813 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1793.c20b0ff2930d9b36d7aa70e54939d12c @@ -0,0 +1,25 @@ +Return-Path: anthony@interlink.com.au +Delivery-Date: Sat Sep 7 05:10:37 2002 +From: anthony@interlink.com.au (Anthony Baxter) +Date: Sat, 07 Sep 2002 14:10:37 +1000 +Subject: [Spambayes] Maybe change X-Spam-Disposition to something else... +In-Reply-To: <15737.31513.555967.915801@12-248-11-90.client.attbi.com> +Message-ID: <200209070410.g874Ab620880@localhost.localdomain> + + +>>> Skip Montanaro wrote +> +> I actually like Neale's X-Spam-Disposition header, I just wonder if maybe we +> should choose something with a different prefix than "X-Spam-" so that +> people don't confuse it with SpamAssassin, all of whose headers begin with +> that prefix. + +I think it's fine, in general, just so long as no-one checks in anything +that puts it into my test corpus. + +Or alternately, whatever is chosen should be ignored by the tokenizer. +I know my mail host (interlink) runs SA, but I also run it, with my own +set of rules and scores. I don't want my spam-filter to be getting messed +up by an upstream spam filter. + + diff --git a/machine-learning-ex6/ex6/easy_ham/1794.6057cf5e982869286b4742cee5639a4b b/machine-learning-ex6/ex6/easy_ham/1794.6057cf5e982869286b4742cee5639a4b new file mode 100644 index 0000000..2d7d0a8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1794.6057cf5e982869286b4742cee5639a4b @@ -0,0 +1,19 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 05:30:31 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 23:30:31 -0500 +Subject: [Spambayes] hammie.py vs. GBayes.py +In-Reply-To: <200209070351.g873pC613144@pcp02138704pcs.reston01.va.comcast.net> +References: <200209070351.g873pC613144@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: <15737.32999.256881.434812@12-248-11-90.client.attbi.com> + + + Guido> Therefore I propose to nuke GBayes.py, after adding a -u feature. + + Guido> Anyone against? (I imagine that Skip or Barry might have a stake + Guido> in GBayes.py; Tim seems to have moved all code he's working to + Guido> other modules.) + +No argument here. + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1795.3349a6670b58d2a39307e87ae0012294 b/machine-learning-ex6/ex6/easy_ham/1795.3349a6670b58d2a39307e87ae0012294 new file mode 100644 index 0000000..33a944f --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1795.3349a6670b58d2a39307e87ae0012294 @@ -0,0 +1,13 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 05:46:01 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Fri, 6 Sep 2002 23:46:01 -0500 +Subject: [Spambayes] speed +Message-ID: <15737.33929.716821.779152@12-248-11-90.client.attbi.com> + + +If the frequency of my laptop's disk chirps are any indication, I'd say +hammie is about 3-5x faster than SpamAssassin. + +Skip + diff --git a/machine-learning-ex6/ex6/easy_ham/1796.5f6c04f93ace9da3b5f9e0906ba608c2 b/machine-learning-ex6/ex6/easy_ham/1796.5f6c04f93ace9da3b5f9e0906ba608c2 new file mode 100644 index 0000000..4b66ef6 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1796.5f6c04f93ace9da3b5f9e0906ba608c2 @@ -0,0 +1,17 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 06:15:54 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 00:15:54 -0500 +Subject: [Spambayes] can't write to CVS... +Message-ID: <15737.35722.956784.600958@12-248-11-90.client.attbi.com> + +I'm listed as a developer on SF and have the spambayes CVS module checked +out using my SF username, but I'm unable to write to the repository. CVS +complains: + + % cvs add unheader.py + cvs [server aborted]: "add" requires write access to the repository + +Any thoughts? + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1797.5bae1500a6c23344cde8b81dd95a2dd7 b/machine-learning-ex6/ex6/easy_ham/1797.5bae1500a6c23344cde8b81dd95a2dd7 new file mode 100644 index 0000000..be1af12 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1797.5bae1500a6c23344cde8b81dd95a2dd7 @@ -0,0 +1,37 @@ +Return-Path: neale@woozle.org +Delivery-Date: Sat Sep 7 06:17:28 2002 +From: neale@woozle.org (Neale Pickett) +Date: 06 Sep 2002 22:17:28 -0700 +Subject: [Spambayes] Ditching WordInfo +In-Reply-To: +References: +Message-ID: + +So then, Tim Peters is all like: + +> I'm not sure what you're doing, but suspect you're storing individual +> WordInfo pickles. If so, most of the administrative pickle bloat is +> due to that, and doesn't happen if you pickle an entire classifier +> instance directly. + +Yeah, that's exactly what I was doing--I didn't realize I was incurring +administrative pickle bloat this way. I'm specifically trying to make +things faster and smaller, so I'm storing individual WordInfo pickles +into an anydbm dict (keyed by token). The result is that it's almost 50 +times faster to score messages one per run our of procmail (.408s vs +18.851s). + +However, it *does* say all over the place that the goal of this project +isn't to make the fastest or the smallest implementation, so I guess +I'll hold off doing any further performance tuning until the goal starts +to point more in that direction. .4 seconds is probably fast enough for +people to use it in their procmailrc, which is what I was after. + +> If you're desparate to save memory, write a subclass? + +That's probably what I'll do if I get too antsy :) + +Trying to think of ways to sneak "administrative pickle boat" into +casual conversation, + +Neale diff --git a/machine-learning-ex6/ex6/easy_ham/1798.5914721a121b85cfdc0e39bf4b4e8970 b/machine-learning-ex6/ex6/easy_ham/1798.5914721a121b85cfdc0e39bf4b4e8970 new file mode 100644 index 0000000..90e606e --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1798.5914721a121b85cfdc0e39bf4b4e8970 @@ -0,0 +1,32 @@ +Return-Path: guido@python.org +Delivery-Date: Sat Sep 7 06:33:23 2002 +From: guido@python.org (Guido van Rossum) +Date: Sat, 07 Sep 2002 01:33:23 -0400 +Subject: [Spambayes] Ditching WordInfo +In-Reply-To: Your message of "Fri, 06 Sep 2002 22:17:28 PDT." + +References: + +Message-ID: <200209070533.g875XN813509@pcp02138704pcs.reston01.va.comcast.net> + +> Yeah, that's exactly what I was doing--I didn't realize I was +> incurring administrative pickle bloat this way. I'm specifically +> trying to make things faster and smaller, so I'm storing individual +> WordInfo pickles into an anydbm dict (keyed by token). The result +> is that it's almost 50 times faster to score messages one per run +> our of procmail (.408s vs 18.851s). + +This is very worthwhile. + +> However, it *does* say all over the place that the goal of this +> project isn't to make the fastest or the smallest implementation, so +> I guess I'll hold off doing any further performance tuning until the +> goal starts to point more in that direction. .4 seconds is probably +> fast enough for people to use it in their procmailrc, which is what +> I was after. + +Maybe. I batch messages using fetchmail (don't ask why), and adding +.4 seconds per message for a batch of 50 (not untypical) feels like a +real wait to me... + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1799.70dc9da58ada190c2c66f34986636594 b/machine-learning-ex6/ex6/easy_ham/1799.70dc9da58ada190c2c66f34986636594 new file mode 100644 index 0000000..43804d7 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1799.70dc9da58ada190c2c66f34986636594 @@ -0,0 +1,24 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 06:36:41 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 01:36:41 -0400 +Subject: [Spambayes] can't write to CVS... +In-Reply-To: <15737.35722.956784.600958@12-248-11-90.client.attbi.com> +Message-ID: + +[Skip Montanaro] +> I'm listed as a developer on SF and have the spambayes CVS module checked +> out using my SF username, but I'm unable to write to the repository. CVS +> complains: +> +> % cvs add unheader.py +> cvs [server aborted]: "add" requires write access to the repository +> +> Any thoughts? + +Not really. Try again? About half the developers on the spambayes project +were missing some permission or other, so I ran thru all of them and checked +every damned box and clicked on every damn dropdown list I could find. As +far as SF is concerned, you're all sitting on God's Right Hand now, so if it +still doesn't work I suggest you upgrade to Win98 . + diff --git a/machine-learning-ex6/ex6/easy_ham/1800.75f57c5146462b574d13349e5c0c4bcc b/machine-learning-ex6/ex6/easy_ham/1800.75f57c5146462b574d13349e5c0c4bcc new file mode 100644 index 0000000..87294e3 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1800.75f57c5146462b574d13349e5c0c4bcc @@ -0,0 +1,26 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 06:40:18 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 00:40:18 -0500 +Subject: [Spambayes] can't write to CVS... +In-Reply-To: +References: <15737.35722.956784.600958@12-248-11-90.client.attbi.com> + +Message-ID: <15737.37186.513740.936811@12-248-11-90.client.attbi.com> + + + Tim> About half the developers on the spambayes project were missing + Tim> some permission or other, so I ran thru all of them and checked + Tim> every damned box and clicked on every damn dropdown list I could + Tim> find. As far as SF is concerned, you're all sitting on God's Right + Tim> Hand now, so if it still doesn't work I suggest you upgrade to + Tim> Win98 . + +Time to upgrade I guess. :-( + + % cvs add unheader.py + cvs [server aborted]: "add" requires write access to the repository + +I'll try a checkout into a new directory... + +S diff --git a/machine-learning-ex6/ex6/easy_ham/1801.906dd11cca6bee22c6843afb597c87a3 b/machine-learning-ex6/ex6/easy_ham/1801.906dd11cca6bee22c6843afb597c87a3 new file mode 100644 index 0000000..31fe9e4 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1801.906dd11cca6bee22c6843afb597c87a3 @@ -0,0 +1,17 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 06:40:45 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 01:40:45 -0400 +Subject: [Spambayes] Maybe change X-Spam-Disposition to something else... +In-Reply-To: <15737.33815.719456.367026@12-248-11-90.client.attbi.com> +Message-ID: + +[Skip Montanaro, to Anthony Baxter] +> ... +> Accordingly, I wrote unheader.py, which is mostly a ripoff of something +> someone else posted to python-dev or c.l.py within the last week or so to +> strip out SA-generated headers. + +Unless I've grown senile tonight, you got it from Anthony to begin with. +Please check it in to project, and add a short blurb to README.txt! + diff --git a/machine-learning-ex6/ex6/easy_ham/1802.235f7aea351e2aa201447c134468f723 b/machine-learning-ex6/ex6/easy_ham/1802.235f7aea351e2aa201447c134468f723 new file mode 100644 index 0000000..2c9f627 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1802.235f7aea351e2aa201447c134468f723 @@ -0,0 +1,22 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 06:43:31 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 00:43:31 -0500 +Subject: [Spambayes] Maybe change X-Spam-Disposition to something else... +In-Reply-To: +References: <15737.31513.555967.915801@12-248-11-90.client.attbi.com> + +Message-ID: <15737.37379.699338.64767@12-248-11-90.client.attbi.com> + + + >> ... choose something with a different prefix than "X-Spam-" so that + >> people don't confuse it with SpamAssassin ... + + Neale> How about X-Spambayes-Disposition (or X-Hammie-Disposition if + Neale> there'll be other classifier front-ends)? + +I kinda like "hammie". Your front end was there first, so I suspect it will +rule the front end roost. + +S + diff --git a/machine-learning-ex6/ex6/easy_ham/1803.03a577fc11e0a5121098e0dc83c97d6c b/machine-learning-ex6/ex6/easy_ham/1803.03a577fc11e0a5121098e0dc83c97d6c new file mode 100644 index 0000000..7bfa0b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1803.03a577fc11e0a5121098e0dc83c97d6c @@ -0,0 +1,19 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 06:45:23 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 00:45:23 -0500 +Subject: [Spambayes] can't write to CVS... +In-Reply-To: <15737.37186.513740.936811@12-248-11-90.client.attbi.com> +References: <15737.35722.956784.600958@12-248-11-90.client.attbi.com> + + <15737.37186.513740.936811@12-248-11-90.client.attbi.com> +Message-ID: <15737.37491.890945.752437@12-248-11-90.client.attbi.com> + + + Skip> I'll try a checkout into a new directory... + +Which didn't help. At the very least I think that means it's time for +bed... + +Skip + diff --git a/machine-learning-ex6/ex6/easy_ham/1804.a28b76746a64d3d352375a462f4f8404 b/machine-learning-ex6/ex6/easy_ham/1804.a28b76746a64d3d352375a462f4f8404 new file mode 100644 index 0000000..53ed94a --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1804.a28b76746a64d3d352375a462f4f8404 @@ -0,0 +1,22 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sat Sep 7 06:46:41 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 00:46:41 -0500 +Subject: [Spambayes] Maybe change X-Spam-Disposition to something else... +In-Reply-To: +References: <15737.33815.719456.367026@12-248-11-90.client.attbi.com> + +Message-ID: <15737.37569.889973.866955@12-248-11-90.client.attbi.com> + + + >> Accordingly, I wrote unheader.py, which is mostly a ripoff of + >> something someone else posted to python-dev or c.l.py within the last + >> week or so to strip out SA-generated headers. + + Tim> Unless I've grown senile tonight, you got it from Anthony to begin + Tim> with. Please check it in to project, and add a short blurb to + Tim> README.txt! + +Raring to go, once I can write to CVS... + +S diff --git a/machine-learning-ex6/ex6/easy_ham/1805.3a7add5306fcbf4ac7eb42c57c125e85 b/machine-learning-ex6/ex6/easy_ham/1805.3a7add5306fcbf4ac7eb42c57c125e85 new file mode 100644 index 0000000..052d5a5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1805.3a7add5306fcbf4ac7eb42c57c125e85 @@ -0,0 +1,30 @@ +Return-Path: neale@woozle.org +Delivery-Date: Sat Sep 7 06:48:17 2002 +From: neale@woozle.org (Neale Pickett) +Date: 06 Sep 2002 22:48:17 -0700 +Subject: [Spambayes] Ditching WordInfo +In-Reply-To: <200209070533.g875XN813509@pcp02138704pcs.reston01.va.comcast.net> +References: + + <200209070533.g875XN813509@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +So then, Guido van Rossum is all like: + +> Maybe. I batch messages using fetchmail (don't ask why), and adding +> .4 seconds per message for a batch of 50 (not untypical) feels like a +> real wait to me... + +Yeesh. Sounds like what you need is something to kick up once and score +an entire mailbox. + +Wait a second... So *that's* why you wanted -u. + +If you can spare the memory, you might get better performance in this +case using the pickle store, since it only has to go to disk once (but +boy, does it ever go to disk!) I can't think of anything obvious to +speed things up once it's all loaded into memory, though. That's +profiler territory, and profiling is exactly the kind of optimization +I just said I wasn't going to do :) + +Neale diff --git a/machine-learning-ex6/ex6/easy_ham/1806.db99848ddb40f4d5a0694557363c7250 b/machine-learning-ex6/ex6/easy_ham/1806.db99848ddb40f4d5a0694557363c7250 new file mode 100644 index 0000000..5912166 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1806.db99848ddb40f4d5a0694557363c7250 @@ -0,0 +1,32 @@ +Return-Path: guido@python.org +Delivery-Date: Sat Sep 7 07:06:31 2002 +From: guido@python.org (Guido van Rossum) +Date: Sat, 07 Sep 2002 02:06:31 -0400 +Subject: [Spambayes] Ditching WordInfo +In-Reply-To: Your message of "Fri, 06 Sep 2002 22:48:17 PDT." + +References: + + <200209070533.g875XN813509@pcp02138704pcs.reston01.va.comcast.net> + +Message-ID: <200209070606.g8766Vf13736@pcp02138704pcs.reston01.va.comcast.net> + +> > Maybe. I batch messages using fetchmail (don't ask why), and adding +> > .4 seconds per message for a batch of 50 (not untypical) feels like a +> > real wait to me... +> +> Yeesh. Sounds like what you need is something to kick up once and score +> an entire mailbox. +> +> Wait a second... So *that's* why you wanted -u. +> +> If you can spare the memory, you might get better performance in this +> case using the pickle store, since it only has to go to disk once (but +> boy, does it ever go to disk!) I can't think of anything obvious to +> speed things up once it's all loaded into memory, though. That's +> profiler territory, and profiling is exactly the kind of optimization +> I just said I wasn't going to do :) + +We could have a server mode (someone described this as an SA option). + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1807.7f2b82a41322fa94c43a0dbb75472ff4 b/machine-learning-ex6/ex6/easy_ham/1807.7f2b82a41322fa94c43a0dbb75472ff4 new file mode 100644 index 0000000..b421fa9 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1807.7f2b82a41322fa94c43a0dbb75472ff4 @@ -0,0 +1,89 @@ +Return-Path: jeremy@alum.mit.edu +Delivery-Date: Sat Sep 7 18:18:17 2002 +From: jeremy@alum.mit.edu (Jeremy Hylton) +Date: Sat, 7 Sep 2002 13:18:17 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: +References: <15737.16782.542869.368986@slothrop.zope.com> + +Message-ID: <15738.13529.407748.635725@slothrop.zope.com> + +>>>>> "TP" == Tim Peters writes: + + TP> [Jeremy Hylton[ + >> The total collections are 1100 messages. I trained with 1100/5 + >> messages. + + TP> I'm reading this now as that you trained on about 220 spam and + TP> about 220 ham. That's less than 10% of the sizes of the + TP> training sets I've been using. Please try an experiment: train + TP> on 550 of each, and test once against the other 550 of each. + +This helps a lot! Here are results with the stock tokenizer: + +Training on & + ... 644 hams & 557 spams + 0.000 10.413 + 1.398 6.104 + 1.398 5.027 +Training on & + ... 644 hams & 557 spams + 0.000 8.259 + 1.242 2.873 + 1.242 5.745 +Training on & + ... 644 hams & 557 spams + 1.398 5.206 + 1.398 4.488 + 0.000 9.336 +Training on & + ... 644 hams & 557 spams + 1.553 5.206 + 1.553 5.027 + 0.000 9.874 +total false pos 139 5.39596273292 +total false neg 970 43.5368043088 + +And results from the tokenizer that looks at all headers except Date, +Received, and X-From_: + +Training on & + ... 644 hams & 557 spams + 0.000 7.540 + 0.932 4.847 + 0.932 3.232 +Training on & + ... 644 hams & 557 spams + 0.000 7.181 + 0.621 2.873 + 0.621 4.847 +Training on & + ... 644 hams & 557 spams + 1.087 4.129 + 1.087 3.052 + 0.000 6.822 +Training on & + ... 644 hams & 557 spams + 0.776 3.411 + 0.776 3.411 + 0.000 6.463 +total false pos 97 3.76552795031 +total false neg 738 33.1238779174 + +Is it safe to conclude that avoiding any cleverness with headers is a +good thing? + + TP> Do that a few times making a random split each time (it won't be + TP> long until you discover why directories of individual files are + TP> a lot easier to work -- e.g., random.shuffle() makes this kind + TP> of thing trivial for me). + +You haven't looked at mboxtest.py, have you? I'm using +random.shuffle(), too. You don't need to have many files to make an +arbitrary selection of messages from an mbox. + +I'll report some more results when they're done. + +Jeremy + + diff --git a/machine-learning-ex6/ex6/easy_ham/1808.54f25b5c3ce8b81c56da0ef6693c5ffb b/machine-learning-ex6/ex6/easy_ham/1808.54f25b5c3ce8b81c56da0ef6693c5ffb new file mode 100644 index 0000000..b49086c --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1808.54f25b5c3ce8b81c56da0ef6693c5ffb @@ -0,0 +1,121 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 20:45:18 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 15:45:18 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15738.13529.407748.635725@slothrop.zope.com> +Message-ID: + +> TP> I'm reading this now as that you trained on about 220 spam and +> TP> about 220 ham. That's less than 10% of the sizes of the +> TP> training sets I've been using. Please try an experiment: train +> TP> on 550 of each, and test once against the other 550 of each. + +[Jeremy] +> This helps a lot! + +Possibly. I checked in a change to classifier.py overnight (getting rid of +MINCOUNT) that gave a major improvement in the f-n rate too, independent of +tokenization. + +> Here are results with the stock tokenizer: + +Unsure what "stock tokenizer" means to you. For example, it might mean +tokenizer.tokenize, or mboxtest.MyTokenizer.tokenize. + +> Training on & /home/jeremy/Mail/spam 8> +> ... 644 hams & 557 spams +> 0.000 10.413 +> 1.398 6.104 +> 1.398 5.027 +> Training on & /home/jeremy/Mail/spam 0> +> ... 644 hams & 557 spams +> 0.000 8.259 +> 1.242 2.873 +> 1.242 5.745 +> Training on & /home/jeremy/Mail/spam 3> +> ... 644 hams & 557 spams +> 1.398 5.206 +> 1.398 4.488 +> 0.000 9.336 +> Training on & /home/jeremy/Mail/spam 0> +> ... 644 hams & 557 spams +> 1.553 5.206 +> 1.553 5.027 +> 0.000 9.874 +> total false pos 139 5.39596273292 +> total false neg 970 43.5368043088 + +Note that those rates remain much higher than I got using just 220 of ham +and 220 of spam. That remains A Mystery. + +> And results from the tokenizer that looks at all headers except Date, +> Received, and X-From_: + +Unsure what that means too. For example, "looks at" might mean you enabled +Anthony's count-them gimmick, and/or that you're tokenizing them yourself, +and/or ...? + +> Training on & /home/jeremy/Mail/spam 8> +> ... 644 hams & 557 spams +> 0.000 7.540 +> 0.932 4.847 +> 0.932 3.232 +> Training on & /home/jeremy/Mail/spam 0> +> ... 644 hams & 557 spams +> 0.000 7.181 +> 0.621 2.873 +> 0.621 4.847 +> Training on & /home/jeremy/Mail/spam 3> +> ... 644 hams & 557 spams +> 1.087 4.129 +> 1.087 3.052 +> 0.000 6.822 +> Training on & /home/jeremy/Mail/spam 0> +> ... 644 hams & 557 spams +> 0.776 3.411 +> 0.776 3.411 +> 0.000 6.463 +> total false pos 97 3.76552795031 +> total false neg 738 33.1238779174 +> +> Is it safe to conclude that avoiding any cleverness with headers is a +> good thing? + +Since I don't know what you did, exactly, I can't guess. What you seemed to +show is that you did *something* clever with headers and that doing so +helped (the "after" numbers are better than the "before" numbers, right?). +Assuming that what you did was override what's now +tokenizer.Tokenizer.tokenize_headers with some other routine, and didn't +call the base Tokenizer.tokenize_headers at all, then you're missing +carefully tested treatment of just a few header fields, but adding many +dozens of other header fields. There's no question that adding more header +fields should help; tokenizer.Tokenizer.tokenize_headers doesn't do so only +because my testing corpora are such that I can't add more headers without +getting major benefits for bogus reasons. + +Apart from all that, you said you're skipping Received. By several +accounts, that may be the most valuable of all the header fields. I'm +(meaning tokenizer.Tokenizer.tokenize_headers) skipping them too for the +reason explained above. Offline a week or two ago, Neil Schemenauer +reported good results from this scheme: + + ip_re = re.compile(r'(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})') + + for header in msg.get_all("received", ()): + for ip in ip_re.findall(header): + parts = ip.split(".") + for n in range(1, 5): + yield 'received:' + '.'.join(parts[:n]) + +This makes a lot of sense to me; I just checked it in, but left it disabled +for now. + diff --git a/machine-learning-ex6/ex6/easy_ham/1809.582f22e10f4f792eb0efe0499d37db30 b/machine-learning-ex6/ex6/easy_ham/1809.582f22e10f4f792eb0efe0499d37db30 new file mode 100644 index 0000000..ded2a2d --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1809.582f22e10f4f792eb0efe0499d37db30 @@ -0,0 +1,27 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sat Sep 7 21:11:36 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 16:11:36 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <200209061424.g86EOcd14363@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +[Guido] +> Perhaps more useful would be if Tim could check in the pickle(s?) +> generated by one of his training runs, so that others can see how +> Tim's training data performs against their own corpora. + +I did that yesterday, but seems like nobody bit. Just in case , I +uploaded a new version just now. Since MINCOUNT went away, UNKNOWN_SPAMPROB +is much less likely, and there's almost nothing that can be pruned away (so +the file is about 5x larger now). + + http://sf.net/project/showfiles.php?group_id=61702 + + +> This could also be the starting point for a self-contained distribution +> (you've got to start with *something*, and training with python-list data +> seems just as good as anything else). + +The only way to know anything here is for someone to try it. + diff --git a/machine-learning-ex6/ex6/easy_ham/1810.46172a3da4e739c7b65a3b3aa3869e9d b/machine-learning-ex6/ex6/easy_ham/1810.46172a3da4e739c7b65a3b3aa3869e9d new file mode 100644 index 0000000..a2064b5 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1810.46172a3da4e739c7b65a3b3aa3869e9d @@ -0,0 +1,58 @@ +Return-Path: jeremy@alum.mit.edu +Delivery-Date: Sat Sep 7 21:15:03 2002 +From: jeremy@alum.mit.edu (Jeremy Hylton) +Date: Sat, 7 Sep 2002 16:15:03 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: +References: <15738.13529.407748.635725@slothrop.zope.com> + +Message-ID: <15738.24135.294137.640570@slothrop.zope.com> + +Here's clarification of why I did: + +First test results using tokenizer.Tokenizer.tokenize_headers() +unmodified. + +Training on 644 hams & 557 spams + 0.000 10.413 + 1.398 6.104 + 1.398 5.027 +Training on 644 hams & 557 spams + 0.000 8.259 + 1.242 2.873 + 1.242 5.745 +Training on 644 hams & 557 spams + 1.398 5.206 + 1.398 4.488 + 0.000 9.336 +Training on 644 hams & 557 spams + 1.553 5.206 + 1.553 5.027 + 0.000 9.874 +total false pos 139 5.39596273292 +total false neg 970 43.5368043088 + +Second test results using mboxtest.MyTokenizer.tokenize_headers(). +This uses all headers except Received, Data, and X-From_. + +Training on 644 hams & 557 spams + 0.000 7.540 + 0.932 4.847 + 0.932 3.232 +Training on 644 hams & 557 spams + 0.000 7.181 + 0.621 2.873 + 0.621 4.847 +Training on 644 hams & 557 spams + 1.087 4.129 + 1.087 3.052 + 0.000 6.822 +Training on 644 hams & 557 spams + 0.776 3.411 + 0.776 3.411 + 0.000 6.463 +total false pos 97 3.76552795031 +total false neg 738 33.1238779174 + +Jeremy + diff --git a/machine-learning-ex6/ex6/easy_ham/1811.49621617c6fee0551ce210e30094898a b/machine-learning-ex6/ex6/easy_ham/1811.49621617c6fee0551ce210e30094898a new file mode 100644 index 0000000..5707f01 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1811.49621617c6fee0551ce210e30094898a @@ -0,0 +1,36 @@ +Return-Path: guido@python.org +Delivery-Date: Sat Sep 7 21:19:16 2002 +From: guido@python.org (Guido van Rossum) +Date: Sat, 07 Sep 2002 16:19:16 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: Your message of "Sat, 07 Sep 2002 16:11:36 EDT." + +References: +Message-ID: <200209072019.g87KJGe15250@pcp02138704pcs.reston01.va.comcast.net> + +> [Guido] +> > Perhaps more useful would be if Tim could check in the pickle(s?) +> > generated by one of his training runs, so that others can see how +> > Tim's training data performs against their own corpora. + +[Tim] +> I did that yesterday, but seems like nobody bit. + +I downloaded and played with it a bit, but had no time to do anything +systematic. It correctly recognized a spam that slipped through SA. +But it also identified as spam everything in my inbox that had any +MIME structure or HTML parts, and several messages in my saved 'zope +geeks' list that happened to be using MIME and/or HTML. + +So I guess I'll have to retrain it (yes, you told me so :-). + +> Just in case , I +> uploaded a new version just now. Since MINCOUNT went away, UNKNOWN_SPAMPROB +> is much less likely, and there's almost nothing that can be pruned away (so +> the file is about 5x larger now). +> +> http://sf.net/project/showfiles.php?group_id=61702 + +I'll try this when I have time. + +--Guido van Rossum (home page: http://www.python.org/~guido/) diff --git a/machine-learning-ex6/ex6/easy_ham/1812.f25ce16131a4a1e9b4eb4e04f748509a b/machine-learning-ex6/ex6/easy_ham/1812.f25ce16131a4a1e9b4eb4e04f748509a new file mode 100644 index 0000000..3a504c2 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1812.f25ce16131a4a1e9b4eb4e04f748509a @@ -0,0 +1,12 @@ +Return-Path: skip@pobox.com +Delivery-Date: Sun Sep 8 00:11:19 2002 +From: skip@pobox.com (Skip Montanaro) +Date: Sat, 7 Sep 2002 18:11:19 -0500 +Subject: [Spambayes] spambayes package? +Message-ID: <15738.34711.467756.145336@12-248-11-90.client.attbi.com> + +Before we get too far down this road, what do people think of creating a +spambayes package containing classifier and tokenizer? This is just to +minimize clutter in site-packages. + +Skip diff --git a/machine-learning-ex6/ex6/easy_ham/1813.c86ae674674567c5779cfb7a30385e45 b/machine-learning-ex6/ex6/easy_ham/1813.c86ae674674567c5779cfb7a30385e45 new file mode 100644 index 0000000..961513b --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1813.c86ae674674567c5779cfb7a30385e45 @@ -0,0 +1,21 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sun Sep 8 00:22:18 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 19:22:18 -0400 +Subject: [Spambayes] understanding high false negative rate +In-Reply-To: <15738.24135.294137.640570@slothrop.zope.com> +Message-ID: + +[Jeremy Hylton] +> Here's clarification of why I did: + +That's pretty much what I had guessed. Thanks! One more to try: + +> First test results using tokenizer.Tokenizer.tokenize_headers() +> unmodified. +> ... +> Second test results using mboxtest.MyTokenizer.tokenize_headers(). +> This uses all headers except Received, Data, and X-From_. +> ... + +Try the latter again, but call the base tokenize_headers() too. diff --git a/machine-learning-ex6/ex6/easy_ham/1814.95d3ab2beeba9b96666d25c09de2143f b/machine-learning-ex6/ex6/easy_ham/1814.95d3ab2beeba9b96666d25c09de2143f new file mode 100644 index 0000000..b24a9d8 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1814.95d3ab2beeba9b96666d25c09de2143f @@ -0,0 +1,22 @@ +Return-Path: guido@python.org +Delivery-Date: Sun Sep 8 03:47:23 2002 +From: guido@python.org (Guido van Rossum) +Date: Sat, 07 Sep 2002 22:47:23 -0400 +Subject: [Spambayes] spambayes package? +In-Reply-To: Your message of "Sat, 07 Sep 2002 18:11:19 CDT." + <15738.34711.467756.145336@12-248-11-90.client.attbi.com> +References: <15738.34711.467756.145336@12-248-11-90.client.attbi.com> +Message-ID: <200209080247.g882lNt17033@pcp02138704pcs.reston01.va.comcast.net> + +> Before we get too far down this road, what do people think of creating a +> spambayes package containing classifier and tokenizer? This is just to +> minimize clutter in site-packages. + +Too early IMO (if you mean to leave the various other tools out of +it). If and when we package this, perhaps we should use Barry's trick +from the email package for making the package itself the toplevel dir +of the distribution (rather than requiring an extra directory level +just so the package can be a subdir of the distro). + +--Guido van Rossum (home page: http://www.python.org/~guido/) + diff --git a/machine-learning-ex6/ex6/easy_ham/1815.c20d5899b4b27415389a10cd4f400019 b/machine-learning-ex6/ex6/easy_ham/1815.c20d5899b4b27415389a10cd4f400019 new file mode 100644 index 0000000..9777e34 --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1815.c20d5899b4b27415389a10cd4f400019 @@ -0,0 +1,51 @@ +Return-Path: tim.one@comcast.net +Delivery-Date: Sun Sep 8 03:55:12 2002 +From: tim.one@comcast.net (Tim Peters) +Date: Sat, 07 Sep 2002 22:55:12 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: <200209072019.g87KJGe15250@pcp02138704pcs.reston01.va.comcast.net> +Message-ID: + +[Guido, on the classifier pickle on SF] +> I downloaded and played with it a bit, but had no time to do anything +> systematic. + +Cool! + +> It correctly recognized a spam that slipped through SA. + +Ditto. + +> But it also identified as spam everything in my inbox that had any +> MIME structure or HTML parts, and several messages in my saved 'zope +> geeks' list that happened to be using MIME and/or HTML. + +Do you know why? The strangest implied claim there is that it hates MIME +independent of HTML. For example, the spamprob of 'content-type:text/plain' +in that pickle is under 0.21. 'content-type:multipart/alternative' gets +0.93, but that's not a killer clue, and one bit of good content will more +than cancel it out. + +WRT hating HTML, possibilities include: + +1. It really had to do with something other than MIME/HTML. + +2. These are pure HTML (not multipart/alternative with a text/plain part), + so that the tags aren't getting stripped. The pickled classifier + despises all hints of HTML due to its c.l.py heritage. + +3. These are multipart/alternative with a text/plain part, but the + latter doesn't contain the same text as the text/html part (for + example, as Anthony reported, perhaps the text/plain part just + says something like "This is an HMTL message."). + +If it's #2, it would be easy to add an optional bool argument to tokenize() +meaning "even if it is pure HTML, strip the tags anyway". In fact, I'd like +to do that and default it to True. The extreme hatred of HTML on tech lists +strikes me as, umm, extreme . + +> So I guess I'll have to retrain it (yes, you told me so :-). + +That would be a different experiment. I'm certainly curious to see whether +Jeremy's much-worse-than-mine error rates are typical or aberrant. + diff --git a/machine-learning-ex6/ex6/easy_ham/1816.7e6c3f51ab4a45f60fbb0968d56f512c b/machine-learning-ex6/ex6/easy_ham/1816.7e6c3f51ab4a45f60fbb0968d56f512c new file mode 100644 index 0000000..7cd6ddb --- /dev/null +++ b/machine-learning-ex6/ex6/easy_ham/1816.7e6c3f51ab4a45f60fbb0968d56f512c @@ -0,0 +1,248 @@ +Return-Path: guido@python.org +Delivery-Date: Sun Sep 8 04:38:47 2002 +From: guido@python.org (Guido van Rossum) +Date: Sat, 07 Sep 2002 23:38:47 -0400 +Subject: [Spambayes] test sets? +In-Reply-To: Your message of "Sat, 07 Sep 2002 22:55:12 EDT." + +References: +Message-ID: <200209080338.g883clw17223@pcp02138704pcs.reston01.va.comcast.net> + +> > But it also identified as spam everything in my inbox that had any +> > MIME structure or HTML parts, and several messages in my saved 'zope +> > geeks' list that happened to be using MIME and/or HTML. +> +> Do you know why? The strangest implied claim there is that it hates MIME +> independent of HTML. For example, the spamprob of 'content-type:text/plain' +> in that pickle is under 0.21. 'content-type:multipart/alternative' gets +> 0.93, but that's not a killer clue, and one bit of good content will more +> than cancel it out. + +I reran the experiment (with the new SpamHam1.pik, but it doesn't seem +to make a difference). Here are the clues for the two spams in my +inbox (in hammie.py's output format, which sorts the clues by +probability; the first two numbers are the message number and overall +probability; then line-folded): + + 66 1.00 S 'facility': 0.01; 'speaker': 0.01; 'stretch': 0.01; + 'thursday': 0.01; 'young,': 0.01; 'mistakes': 0.12; 'growth': + 0.85; '>content-type:text/plain': 0.85; 'please': 0.85; 'capital': + 0.92; 'series': 0.92; 'subject:Don': 0.94; 'companies': 0.96; + '>content-type:text/html': 0.96; 'fee': 0.96; 'money': 0.96; + '8:00am': 0.99; '9:00am': 0.99; '>content-type:image/gif': 0.99; + '>content-type:multipart/alternative': 0.99; 'attend': 0.99; + 'companies,': 0.99; 'content-type/type:multipart/alternative': + 0.99; 'content-type:multipart/related': 0.99; 'economy': 0.99; + 'economy"': 0.99 + +This has 6 content-types as spam clues, only one of which is related +to HTML, despite there being an HTML alternative (and 12 other spam +clues, vs. only 6 ham clues). This was an announcement of a public +event by our building owners, with a text part that was the same as +the HTML (AFAICT). Its language may be spammish, but the content-type +clues didn't help. (BTW, it makes me wonder about the wisdom of +keeping punctuation -- 'economy' and 'economy"' to me don't seem to +deserve two be counted as clues.) + + 76 1.00 S '(near': 0.01; 'alexandria': 0.01; 'conn': 0.01; + 'from:adam': 0.01; 'from:email addr:panix': 0.01; 'poked': 0.01; + 'thorugh': 0.01; 'though': 0.03; "i'm": 0.03; 'reflect': 0.05; + "i've": 0.06; 'wednesday': 0.07; 'content-disposition:inline': + 0.10; 'contacting': 0.93; 'sold': 0.96; 'financially': 0.98; + 'prices': 0.98; 'rates': 0.99; 'discount.': 0.99; 'hotel': 0.99; + 'hotels': 0.99; 'hotels.': 0.99; 'nights,': 0.99; 'plaza': 0.99; + 'rates,': 0.99; 'rates.': 0.99; 'rooms': 0.99; 'season': 0.99; + 'stations': 0.99; 'subject:Hotel': 0.99 + +Here is the full message (Received: headers stripped), with apologies +to Ziggy and David: + +""" +Date: Fri, 06 Sep 2002 17:17:13 -0400 +From: Adam Turoff +Subject: Hotel information +To: guido@python.org, davida@activestate.com +Message-id: <20020906211713.GK7451@panix.com> +MIME-version: 1.0 +Content-type: text/plain; charset=us-ascii +Content-disposition: inline +User-Agent: Mutt/1.4i + +I've been looking into hotels. I poked around expedia for availability +from March 26 to 29 (4 nights, wednesday thorugh saturday). + +I've also started contacting hotels for group rates; some of the group +rates are no better than the regular rates, and they require signing a +contract with a minimum number of rooms sold (with someone financially +responsible for unbooked rooms). Most hotels are less than responsive... + + Radission - Barcelo Hotel (DuPont Circle) + $125/night, $99/weekend + + State Plaza hotel (Foggy Bottom; near GWU) + $119/night, $99/weekend + + Hilton Silver Spring (Near Metro, in suburban MD) + $99/hight, $74/weekend + + Windsor Park Hotel + Conn Ave, between DuPont Circle/Woodley Park Metro stations + $95/night; needs a car + + Econo Lodge Alexandria (Near Metro, in suburban VA) + $95/night + +This is a hand picked list; I ignored anything over $125/night, even +though there are some really well situated hotels nearby at higher rates. +Also, I'm not sure how much these prices reflect an expedia-only +discount. I can't vouch for any of these hotels, either. + +I also found out that the down season for DC Hotels are mid-june through +mid-september, and mid-november through mid-january. + +Z. +""" + +This one has no MIME structure nor HTML! It even has a +Content-disposition which is counted as a non-spam clue. It got +f-p'ed because of the many hospitality-related and money-related +terms. I'm surprised $125/night and similar aren't clues too. (And +again, several spam clues are duplicated with different variations: +'hotel', 'hotels', 'hotels.', 'subject:Hotel', 'rates,', 'rates.'. + +> WRT hating HTML, possibilities include: +> +> 1. It really had to do with something other than MIME/HTML. +> +> 2. These are pure HTML (not multipart/alternative with a text/plain part), +> so that the tags aren't getting stripped. The pickled classifier +> despises all hints of HTML due to its c.l.py heritage. +> +> 3. These are multipart/alternative with a text/plain part, but the +> latter doesn't contain the same text as the text/html part (for +> example, as Anthony reported, perhaps the text/plain part just +> says something like "This is an HMTL message."). +> +> If it's #2, it would be easy to add an optional bool argument to tokenize() +> meaning "even if it is pure HTML, strip the tags anyway". In fact, I'd like +> to do that and default it to True. The extreme hatred of HTML on tech lists +> strikes me as, umm, extreme . + +I also looked in more detail at some f-p's in my geeks traffic. The +first one's a doozie (that's the term, right? :-). It has lots of +HTML clues that are apparently ignored. It was a multipart/mixed with +two parts: a brief text/plain part containing one or two sentences, a +mondo weird URL: + +http://x60.deja.com/[ST_rn=ps]/getdoc.xp?AN=687715863&CONTEXT=973121507.1408827441&hitnum=23 + +and some employer-generated spammish boilerplate; the second part was +the HTML taken directly from the above URL. Clues: + + 43 1.00 S '"main"': 0.01; '(later': 0.01; '(lots': 0.01; '--paul': + 0.01; '1995-2000': 0.01; 'adopt': 0.01; 'apps': 0.01; 'commands': + 0.01; 'deja.com': 0.01; 'dejanews,': 0.01; 'discipline': 0.01; + 'duct': 0.01; 'email addr:digicool': 0.01; 'email name:paul': + 0.01; 'everitt': 0.01; 'exist,': 0.01; 'forwards': 0.01; + 'framework': 0.01; 'from:email addr:digicool': 0.01; 'from:email + name:1:22': 0.01; 'http>1:24': 0.01; + 'http>1:57': 0.01; 'http>1:an': 0.01; 'http>1:author': 0.01; + 'http>1:fmt': 0.01; 'http>1:getdoc': 0.01; 'http>1:pr': 0.01; + 'http>1:products': 0.01; 'http>1:query': 0.01; 'http>1:search': + 0.01; 'http>1:viewthread': 0.01; 'http>1:xp': 0.01; 'http>1:zope': + 0.01; 'inventing': 0.01; 'jsp': 0.01; 'jsp.': 0.01; 'logic': 0.01; + 'maps': 0.01; 'neo': 0.01; 'newsgroup,': 0.01; 'object': 0.01; + 'popup': 0.01; 'probable': 0.01; 'query': 0.01; 'query,': 0.01; + 'resizes': 0.01; 'servlet': 0.01; 'skip:? 20': 0.01; 'stems': + 0.01; 'subject:JSP': 0.01; 'sucks!': 0.01; 'templating': 0.01; + 'tempted': 0.01; 'url.': 0.01; 'usenet': 0.01; 'usenet,': 0.01; + 'wrote': 0.01; 'x-mailer:mozilla 4.74 [en] (windows nt 5.0; u)': + 0.01; 'zope': 0.01; '#000000;': 0.99; '#cc0000;': 0.99; + '#ff3300;': 0.99; '#ff6600;': 0.99; '#ffffff;': 0.99; '©': + 0.99; '>': 0.99; '  ': 0.99; '"no': 0.99; + '.med': 0.99; '.small': 0.99; '0pt;': 0.99; '0px;': 0.99; '10px;': + 0.99; '11pt;': 0.99; '12px;': 0.99; '18pt;': 0.99; '18px;': 0.99; + '1pt;': 0.99; '2px;': 0.99; '640;': 0.99; '8pt;': 0.99; '